使用Files.lines修改文件

时间:2015-02-13 16:44:48

标签: java-8 java-stream

我想读取文件并用新文本替换一些文字。使用asm和int 21h会很简单,但我想使用新的java 8流。

    Files.write(outf.toPath(), 
        (Iterable<String>)Files.lines(inf)::iterator,
        CREATE, WRITE, TRUNCATE_EXISTING);

在那里的某个地方,我想要lines.replace("/*replace me*/","new Code()\n");。新行是因为我想测试在某处插入一段代码。

这是一个游戏示例,它并不是我想要的工作,而是编译。我只需要一种方法来截取迭代器中的行,并用代码块替换某些短语。

import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import static java.nio.file.StandardOpenOption.*;
import java.util.Arrays;
import java.util.stream.Stream;

public class FileStreamTest {

    public static void main(String[] args) {
        String[] ss = new String[]{"hi","pls","help","me"};
        Stream<String> stream = Arrays.stream(ss);

        try {
            Files.write(Paths.get("tmp.txt"),
                    (Iterable<String>)stream::iterator,
                    CREATE, WRITE, TRUNCATE_EXISTING);
        } catch (IOException ex) {}

//// I'd like to hook this next part into Files.write part./////
        //reset stream
        stream = Arrays.stream(ss);
        Iterable<String> it = stream::iterator;
        //I'd like to replace some text before writing to the file
        for (String s : it){
            System.out.println(s.replace("me", "my\nreal\nname"));
        }
    }

}

编辑:我已经走到这一步并且它有效。我尝试使用过滤器,也许它并不是真的必要。

        Files.write(Paths.get("tmp.txt"),
                 (Iterable<String>)(stream.map((s) -> {
                    return s.replace("me", "my\nreal\nname");
                }))::iterator,
                CREATE, WRITE, TRUNCATE_EXISTING);

1 个答案:

答案 0 :(得分:40)

Files.write(..., Iterable, ...)方法似乎很诱人,但将Stream转换为Iterable会让这很麻烦。它也从Iterable“拉”出来,这有点奇怪。如果文件写入方法可以用作流的终端操作,在forEach之类的内容中会更有意义。

不幸的是,大多数写入IOException的内容都是Consumer forEach期望的IOException功能接口所不允许的。但是PrintWriter与众不同。至少,它的写入方法不会抛出已检查的异常,尽管打开它仍然可以抛出Stream<String> stream = ... ; try (PrintWriter pw = new PrintWriter("output.txt", "UTF-8")) { stream.map(s -> s.replaceAll("foo", "bar")) .forEachOrdered(pw::println); } 。以下是它的使用方法。

forEachOrdered

请注意使用try (Stream<String> input = Files.lines(Paths.get("input.txt")); PrintWriter output = new PrintWriter("output.txt", "UTF-8")) { input.map(s -> s.replaceAll("foo", "bar")) .forEachOrdered(output::println); } ,它按照读取的顺序打印输出行,这可能是你想要的!

如果您正在读取输入文件中的行,修改它们,然后将它们写入输出文件,那么将两个文件放在同一个try-with-resources语句中是合理的:

{{1}}