请您告诉我为什么输出文件末尾出现“ÿ”这个字符。 (我用try / catch)
File f1 = new File("C:/Users/NetBeansProjects/QuestionOne/input.txt");
File f2 = new File("C:/Users/NetBeansProjects/QuestionOne/output.txt");
fin = new FileInputStream(f1);
fout = new FileOutputStream(f2);
do {
i = fin.read();
fout.write(i);
} while (i != -1);
代码复制文件内容但它以这个奇怪的字符结束。 我是否必须包含整个代码?
感谢。
答案 0 :(得分:13)
当没有什么可读的时候,方法fin.read()
返回-1;但你实际上是将-1写到fout
,即使它没有出现在fin
中。它显示为ÿ角色。
编写循环以避免此问题的一种方法是
while((i = fin.read()) != -1 ){
fout.write(i);
}
答案 1 :(得分:5)
因为最后fin.read()
不会读取任何内容。根据{{3}},它会返回-1
,因此fout.write(i)
会写-1
。你会做这样的事情来纠正这种行为:
do {
i = fin.read();
if (i>-1) //note the extra line
fout.write(i);
} while (i != -1);
或者将do .. while
更改为while .. do
来电。
我建议您还应该查看新的NIO
API,它会比一次传输一个字符要好得多。
File sourceFile = new File("C:/Users/NetBeansProjects/QuestionOne/input.txt");
File destFile = new File("C:/Users/NetBeansProjects/QuestionOne/output.txt");
FileChannel source = null;
FileChannel destination = null;
try {
if (!destFile.exists()) {
destFile.createNewFile();
}
source = new FileInputStream(sourceFile).getChannel();
destination = new FileOutputStream(destFile).getChannel();
destination.transferFrom(source, 0, source.size());
} catch (IOException e) {
System.err.println("Error while trying to transfer content");
//e.printStackTrace();
} finally {
try{
if (source != null)
source.close();
if (destination != null)
destination.close();
}catch(IOException e){
System.err.println("Not able to close the channels");
//e.printStackTrace();
}
}
答案 2 :(得分:5)
尝试使用Java 7中引入的新Files类
public static void copyFile( File from, File to ) throws IOException {
Files.copy( from.toPath(), to.toPath() );
}
答案 3 :(得分:1)
或者您可以在fout之前检查是否(i!= -1)
do {
i = fin.read();
if(i != -1)
fout.write(i);
} while (i != -1);