5

可能重复:
替换 Java 中文本文件的第一行
Java - 在文件中查找一行并删除

我正在尝试找到一种方法来使用 java 删除文本文件中的第一行文本。想用扫描仪来做...有没有不需要 tmp 文件的好方法?

谢谢。

4

4 回答 4

17

如果您的文件很大,您可以使用以下方法在原地执行删除,而无需使用临时文件或将所有内容加载到内存中。

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();                                                          
}         

请注意,如果您的程序在上述循环的中间终止,您可能会出现重复的行或损坏的文件。

于 2012-11-01T14:17:10.240 回答
10
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这种方式捕获和处理一些 s。此外,该if()... else()...语句在while()循环中是必要的,以保持文本文件中存在的任何换行符。

于 2012-11-01T13:48:13.853 回答
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();
于 2012-11-01T13:50:45.567 回答
0

如果文件不是太大,您可以将 is 读入一个字节数组,找到第一个换行符并将数组的其余部分从位置零开始写入文件。或者您可以使用内存映射文件来执行此操作。

于 2012-11-01T13:50:13.230 回答