4

请看下面的代码片段

import java.io.BufferedReader;
import java.io.File;
import java.io.FileReader;
import java.io.IOException;

public class ReadFile {


    public static void main(String[] args)  {

        String str="";
        FileReader fileReader=null;

        try{


            // I am running on windows only  & hence the path :) 
            File file=new File("D:\\Users\\jenco\\Desktop\\readme.txt");
            fileReader=new FileReader(file);
            BufferedReader bufferedReader=new BufferedReader(fileReader);
            while((str=bufferedReader.readLine())!=null){
                System.err.println(str);
            }

        }catch(Exception exception){
            System.err.println("Error occured while reading the file : " + exception.getMessage());
            exception.printStackTrace();
        }
        finally {
            if (fileReader != null) {
                try {
                    fileReader.close();
                    System.out.println("Finally is executed.File stream is closed.");
                } catch (IOException ioException) {

                    ioException.printStackTrace();
                }
            }
        }

    }

}

当我多次执行代码时,我会随机得到如下输出,有时 System.out 语句首先在控制台中打印,有时 System.err 会先打印。下面是我得到的随机输出

输出 1

Finally is executed.File stream is closed.
this is a text file 
and a java program will read this file.

输出 2

this is a text file 
and a java program will read this file.
Finally is executed.File stream is closed.

为什么会这样?

4

3 回答 3

6

我相信这是因为您正在写入两个不同的输出(一个是标准输出,另一个是标准错误)。这些可能在运行时由两个不同的线程处理,以允许在 java 执行期间写入两者。假设是这种情况,cpu 任务调度程序不会每次都以相同的顺序执行线程。

如果您的所有输出都流向同一个输出流(即一切都进入标准输出或一切都进入标准错误),那么您永远不应该获得此功能。您将永远无法保证标准错误与标准输出的执行顺序。

于 2012-09-26T04:32:39.393 回答
1

因为 System.out 和 System.err 在您的情况下都指向控制台。

为了演示,如果在 println() 之后添加 System.out.flush() 和 System.err.flush(),那么输出将是一致的。

于 2012-09-26T05:15:49.677 回答
0

这已经在这里得到了回答:

Java:System.out.println 和 System.err.println 乱序

发生这种情况是因为您的 finally 子句使用 System.out 而其他代码使用 System.err。错误流在流出流之前被冲洗掉,反之亦然。

因此,不能保证打印数据的顺序与调用的顺序相同。

您始终可以让控制台将错误流定向到文件或将输出流定向到文件以供以后检查。或者,更改您的代码以将所有内容打印到 System.out。许多程序员不使用 err,除非您将 err 与控制台分开捕获,否则其有用性值得商榷。

刚用完!

完了,走吧...

于 2012-09-26T05:06:10.200 回答