0

我有一个像 -

--------------
abc
efg
hig
---------------
xyz
pqr
---------------
fdg
gege
ger
ger
---------------

编写解析此文件并为破折号之间的每个文本块创建单独列表的java代码的最佳方法是什么。例如 -

List<String> List1 = {abc, efg, hig}
List<String> List2 = {xyz, pqr}
List<String> List3 = {fdg, gege, ger, ger}
4

1 回答 1

1

您可以使用java.nio.file.Files.lines(Path path)读取文件并读取每一行Stream<String>来表示输入文件的单行。这是一些简短的示例:

public static void main(String[] args) throws IOException {
    final List<List<String>> lines = new CopyOnWriteArrayList<>();

    final String separator = "---------------";

    Files.lines(new File("/tmp/lines.txt").toPath())
            .forEach(line -> {
                if (separator.equals(line)) {
                    lines.add(new ArrayList<>());
                } else {
                    lines.get(lines.size() - 1).add(line);
                }
            });

    // Remove last empty list
    lines.remove(Collections.emptyList());

    lines.forEach(System.out::println);
}

输出

[abc, efg, hig]
[xyz, pqr]
[fdg, gege, ger, ger]
于 2017-10-11T18:56:14.883 回答