字符的读取流(FileReader)和输出流(FileWriter)

字符的读取流(FileReader)和输出流(FileWriter)

读取字符流(FileReader)

方法
read() 返回读取的字符 编码 可以转成char
没有字符可以读取了返回-1
使用read的重载 里面填充char数组 注意这里要读取多少转换多少
建议char数组的长度为1024或者1024的倍数 或者512
但凡读取完我们一定要关闭流

传入值的方式

传入文件对象
File file = new File("1.txt");        
FileReader reader = new FileReader(file);
传入文件路径
FileReader reader = new FileReader(path);

输出

填充char数组的原理,数组长度为5。
根据如图的顺序传入值,假如传入到3时没值传入后面的数值是上一次传入的值。
file

字符数组输出
String string = new String();
char[] ch = new char[10];
int data=0;
try{
    while((data=reader.read(ch)) != -1){
        //创建一个新的匿名String对象并传入string
        string += new String(ch,0,data);
    }
    reader.close();
}catch(IOException e){
    e.printStackTrace();
}
单字符输出
        int date = 0;
        //read方法每次读取一个  当读取完毕的时候返回-1
        //read方法返回的是字符的编码  就是一个数字
        try {
            while ((date= reader.read())!=-1) {
                System.out.println((char)date);
            }
            //读取完之后我要关闭
            reader.close();
        } catch (IOException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }            String string = new String();
            char[] ch = new char[10];
            int data=0;
            try{
                while((data=reader.read(ch)) != -1){
                    //创建一个新的匿名String对象并传入string
                    string += new String(ch,0,data);
                }
                reader.close();
            }catch(IOException e){
                e.printStackTrace();
            }
代码
//创建文件操作对象
File file = new File("1.txt");
//创建流
FileReader reader =null;
try {
    reader = new FileReader(file);
} catch (FileNotFoundException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}
//读取 
int date ;
try {
    while((date = reader.read())!=-1) {             
        System.out.println((char)date);             
    }

} catch (IOException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}finally {
    if (reader!=null) {
        try {
            reader.close();
        } catch (IOException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
    }
}

字符输出流(FileWriter)

程序的内存向持久化(保存文件)输出
在写入文件的时候 文件不存在会自动创建的
文件在写入的时候 默认是覆盖原文件
如果不想覆盖 而是想添加 那就在构造器后面加一个参数true

//创建文件对象
File file = new File("2.txt");//相对于当前项目路径

//创建流
FileWriter writer =null;
try {
    writer =new FileWriter(file,true);
} catch (IOException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}

//写入
String string = "我是斩杀大师大师大师看机会的卡仕达";
//toCharArray() 将字符串转成字符数组
try {
    writer.write(string.toCharArray());
} catch (IOException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}finally {
    if (writer!=null) {
        try {
            writer.close();
        } catch (IOException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
    }
}