0

我正在尝试将程序的输出发送到名为 results.txt 的文本文件中。这是我的尝试

public void writeFile(){
        try{    
            PrintStream r = new PrintStream(new File("Results.txt"));
            PrintStream console = System.out;

            System.setOut(r);
        } catch (FileNotFoundException e){
            System.out.println("Cannot write to file");
        }

但是每次我运行代码并打开文件时,文件都是空白的。这就是我想要输出的:

public void characterCount (){
       int l = all.length();
       int c,i;
       char ch,cs;
       for (cs = 'a';cs <='z';cs++){
           c = 0;
           for (i = 0; i < l; i++){
               ch = all.charAt(i);
               if (cs == ch){
                   c++;
               }

           }
           if (c!=0){
//THIS LINE IS WHAT I'M TRYING TO PRINT
                System.out.println("The character"+ " "+ cs + " "+ "appears --> "+" "+c+" "+ "times");
           }
       }
    }

我在哪里出错了,它一直在创建文件但没有写入文件?(顺便说一句,我确实有一个主要方法)

4

3 回答 3

1

如您所见,System.outIS-APrintStream并且您可以创建 a PrintStream,将其传递 aFile以使其写入该文件。这就是多态性的美妙之处 --- 你的代码写入 aPrintStream并且不管它是什么类型:控制台、文件、甚至网络连接,或压缩的加密网络文件。

因此,不要搞乱System.setOut(通常是一个坏主意,因为它可能会产生意想不到的副作用;只有在绝对必须这样做的情况下才这样做(例如,在某些测试中)),只需将PrintStream您选择的代码传递给您的代码:

public void characterCount (PrintStream writeTo) {
    // (your code goes here)
    writeTo.println("The character"+ " "+ cs + " "+ "appears --> "+" "+c+" "+ "times");
    // (rest of your code)
}

然后根据需要调用您的方法:

public static void main(String[] args) throws FileNotFoundException {
    new YourClass().characterCount(System.out);
    new YourClass().characterCount(new PrintStream(new File("Results.txt")));
}

(请注意,我声明main可能会抛出FileNotFoundException,也可能会抛出new File("...")。发生这种情况时,程序将退出并显示错误消息和堆栈跟踪。您也可以像之前在 中那样处理它writeFile。)

于 2020-01-06T17:13:09.957 回答
1

利用:

PrintWriter writer = new PrintWriter("Results.txt");

writer.print("something something");

不要忘记添加:

writer.close();

当你完成时!

于 2020-01-06T16:30:39.513 回答
0

JAVADOC:“PrintStream 向另一个输出流添加了功能,即能够方便地打印各种数据值的表示形式。”

PrintStream 可用于写入 OutputStream,而不是直接写入文件。因此,您可以使用 PrintStream 写入 FileOutputStream,然后用它写入文件。

如果您只想简单地写入文件,则可以轻松使用 Cans 回答!

于 2020-01-06T16:33:44.060 回答