可能重复:
Replace first line of a text file in Java
Java - Find a line in a file and remove
我试图找到一种方法来使用java删除文本文件中的第一行文本。想用扫描仪做它...有没有一个很好的方法来做到这一点而不需要tmp文件?
感谢。
答案 0 :(得分:15)
如果您的文件很大,您可以使用以下方法在不使用临时文件或将所有内容加载到内存中的情况下执行删除。
public static void removeFirstLine(String fileName) throws IOException {
RandomAccessFile raf = new RandomAccessFile(fileName, "rw");
//Initial write position
long writePosition = raf.getFilePointer();
raf.readLine();
// Shift the next lines upwards.
long readPosition = raf.getFilePointer();
byte[] buff = new byte[1024];
int n;
while (-1 != (n = raf.read(buff))) {
raf.seek(writePosition);
raf.write(buff, 0, n);
readPosition += n;
writePosition += n;
raf.seek(readPosition);
}
raf.setLength(writePosition);
raf.close();
}
请注意,如果您的程序在上述循环中间终止,则最终可能会出现重复的行或损坏的文件。
答案 1 :(得分:9)
Scanner fileScanner = new Scanner(myFile);
fileScanner.nextLine();
这将返回文件中的第一行文本并将其丢弃,因为您没有将其存储在任何地方。
要覆盖现有文件:
FileWriter fileStream = new FileWriter("my/path/for/file.txt");
BufferedWriter out = new BufferedWriter(fileStream);
while(fileScanner.hasNextLine()) {
String next = fileScanner.nextLine();
if(next.equals("\n"))
out.newLine();
else
out.write(next);
out.newLine();
}
out.close();
请注意,您必须以这种方式捕捉和处理某些IOException
。此外,if()... else()...
循环中必须使用while()
语句,以便在文本文件中保留任何换行符。
答案 2 :(得分:1)
如果没有临时文件,您必须将所有内容保存在主内存中。其余的是直截了当的:循环(忽略第一个)并将它们存储在一个集合中。然后将这些行写回磁盘:
File path = new File("/path/to/file.txt");
Scanner scanner = new Scanner(path);
ArrayList<String> coll = new ArrayList<String>();
scanner.nextLine();
while (scanner.hasNextLine()) {
String line = scanner.nextLine();
coll.add(line);
}
scanner.close();
FileWriter writer = new FileWriter(path);
for (String line : coll) {
writer.write(line);
}
writer.close();
答案 3 :(得分:0)
如果文件不是太大,你可以读入一个字节数组,找到第一个新的行符号,并将其余的数组从位置0开始写入文件。或者您可以使用内存映射文件来执行此操作。