Java io 输入输出流(十)

来源:互联网 发布:ep精灵成套报价软件 编辑:程序博客网 时间:2024/04/28 10:56

十、添加内容到文件尾

    向文件尾追加内容有多种方法,下面介绍两种常用的方法。具体如下:
    1
、通过RandomAccessFile以读写的方式打开文件输出流,使用它的seek方法可以将读写指针移到文件尾,再使用它的write方法将数据写道读写指针后面,完成文件追加。
    2
、通过FileWriter打开文件输出流,构造FileWriter时指定写入模式,是一个布尔值,为true时表示写入的内容添加到已有文件内容的后面,为false时重新写文件,以前的数据被清空,默认为false
   
实例演示

 

package book.io;

import java.io.FileWriter;
import java.io.IOException;
import java.io.RandomAccessFile;

/** *//**
 * 
将内容追加到文件的尾部
 * 
@author joe
 *
 */


public class AppendToFile ...{
    
/** *//**
     * A
方法追加文件。使用RandomAccessFile
     * 
@param fileName    文件名
     * 
@param content    追加的内容
     */

    
public static void appendMethodA(String fileName, String content) ...{
        
try ...{
            
//按读写方式打开一个随机访问文件流
            RandomAccessFile randomFile = new RandomAccessFile(fileName, "rw");
            
long fileLength = randomFile.length();    //文件长度,字节数
            //
将写文件指针移到文件尾
            randomFile.seek(fileLength);
            randomFile.writeBytes(content);
            randomFile.close();
        } 
catch (IOException e) ...{
            e.printStackTrace();
        }
    }
    
    
/** *//**
     * B
方法追加文件。使用FileWriter
     * 
@param fileName    文件名
     * 
@param content    追加的内容
     */

    
public static void appendMethodB(String fileName, String content) ...{
        
try ...{
            
//打开一个写文件器,构造函数的第二个参数true表示以追加的形式写文件
            FileWriter writer = new FileWriter(fileName, true);
            writer.write(content);
            writer.close();
        } 
catch (IOException e) ...{
            e.printStackTrace();
        }
    }
    
    
public static void main(String[] args) ...{
        String fileName = "d:/work/temp/newTemp.txt";
        String content = "new append!";
        
//按方法A追加文件内容
        AppendToFile.appendMethodA(fileName, content);
        AppendToFile.appendMethodA(fileName, "append end.  ");
        ReadFromFile.readFileByLines(fileName);    
//显示文件内容
        //
按方法B追加文件内容
        AppendToFile.appendMethodB(fileName, content);
        AppendToFile.appendMethodB(fileName, "append end.  ");
        ReadFromFile.readFileByLines(fileName);    
//显示文件内容
        
    }

}

输出结果:
以行为单位读取文件内容,一次读取一整行:
line:1:
文件内容:
line:2: 1,The First line;
line:3: 2,The second line.new append!append end.
以行为单位读取文件内容,一次读取一整行:
line:1:
文件内容:
line:2: 1,The First line;
line:3: 2,The second line.new append!append end.
line:4: new append!append end.