1

我正在尝试编写一个 java 程序,将系统的当前日期和时间附加到日志文件(在我的计算机启动时由批处理文件运行)。这是我的代码。

public class LogWriter {

    public static void main(String[] args) {

        /* open the write file */
        FileOutputStream f=null;
        PrintWriter w=null;

        try {
            f=new FileOutputStream("log.txt");
            w=new PrintWriter(f, true);
        } catch (Exception e) {
            System.out.println("Can't write file");
        }

        /* replace this with your own username */
        String user="kumar116";
        w.append(user+"\t");

        /* c/p http://www.mkyong.com/java/java-how-to-get-current-date-time-date-and-calender/ */
        DateFormat dateFormat = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
        Date date = new Date();
        w.append(dateFormat.format(date)+'\n');

        /* close the write file*/
        if(w!=null) {
            w.close();
        }

    }

}

问题是,它没有将 :) 附加到文件中。有人可以指出这里有什么问题吗?

提前致谢。

4

2 回答 2

1

PrintWriter#append不会将数据附加到文件中。相反,它write使用Writer. 您需要FileOutputStream使用附加标志声明您的构造函数:

f = new FileOutputStream("log.txt", true);
w = new PrintWriter(f); // autoflush not required provided close is called

append方法仍然可以使用或更方便的是println不需要添加换行符:

w.println(dateFormat.format(date));

PrintWriter如果调用了 close ,则不需要构造函数中的 autoflush 标志。close应该出现在一个finally块中。

于 2013-04-30T00:03:32.477 回答
0

构造PrintWriter函数不采用参数来决定是否附加到文件。它控制自动冲洗。

创建一个FileOutputStream(可以控制是否附加到文件),然后将该流包装在您的PrintWriter.

try {
    f=new FileOutputStream("log.txt", true);
    w=new PrintWriter(f, true);  // This true doesn't control whether to append
}
于 2013-04-30T00:03:22.567 回答