我无法将文本追加到文本文件,它只会覆盖以前的文本。我的代码:
//using JFileChooser to select where to save file
PrintStream outputStream = MyFrame.ShowSaveDialog();
if(outputStream!=null){
outputStream.append(input);
outputStream.close();
}
编辑:
ShowSaveDialog返回一个PrintStream。这是该方法的代码:
public static PrintStream ShowSaveDialog(){
JFileChooser chooser = new JFileChooser();
FileNameExtensionFilter filter = new FileNameExtensionFilter(
"Tekst filer", "txt");
chooser.setFileFilter(filter);
int returnVal = chooser.showSaveDialog(null);
try{
if(returnVal == JFileChooser.APPROVE_OPTION){
return new PrintStream(chooser.getSelectedFile());
}
else{
return null;
}
}
catch(FileNotFoundException e){
JOptionPane.showMessageDialog(null, "Ugyldig Fil!",
"error", JOptionPane.ERROR_MESSAGE);
}
return null;
}
最佳答案
MyFrame.ShowSaveDialog();
返回什么?关键是使用适当的构造函数创建FileOutputStream(第二个参数应为布尔值true
),这将使其成为追加FileOutputStream的对象,然后使用此FileOutputStream对象构造PrintStream。
例如,如果showSaveDialog()(请注意方法和变量名称应以小写字母开头)返回文件或File对象的名称,则可以执行以下操作:
try {
File file = myFrame.showSaveDialog(); // if this method returns a File!!!!!
FileOutputStream fos = new FileOutputStream(file, true);
PrintStream printStream = new PrintStream(fos);
//.... etc
} catch(....) {
// ....
}
编辑:
要将其应用于上面发布的代码,请执行以下操作:
public static PrintStream showSaveDialog() {
JFileChooser chooser = new JFileChooser();
FileNameExtensionFilter filter = new FileNameExtensionFilter(
"Tekst filer", "txt");
chooser.setFileFilter(filter);
int returnVal = chooser.showSaveDialog(null);
try {
if (returnVal == JFileChooser.APPROVE_OPTION) {
// ******* note changes below *****
File file = chooser.getSelectedFile();
FileOutputStream fos = new FileOutputStream(file, true);
return new PrintStream(fos);
} else {
return null;
}
} catch (FileNotFoundException e) {
JOptionPane.showMessageDialog(null, "Ugyldig Fil!", "error",
JOptionPane.ERROR_MESSAGE);
}
return null;
}
问题的关键在于这些行:
File file = chooser.getSelectedFile();
FileOutputStream fos = new FileOutputStream(file, true);
return new PrintStream(fos);
FileOutputStream构造函数中的true创建一个FileOutputStream,该FileOutputStream追加到现有文件。请查看FileOutputStream API以获得有关此内容的详细信息。
关于java - 使用PrintStream append 到文本文件,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9805021/