欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Java字符输入(FileWriter)输出(FIleReader)流

程序员文章站 2024-03-18 18:20:16
...

官方API:

https://docs.oracle.com/javase/8/docs/api/java/io/FileReader.html
https://docs.oracle.com/javase/8/docs/api/java/io/FileWriter.html

	public static void main(String[] args) throws IOException {
		writerText();
		//readText();
	}
	/**
	 * 读取文本信息继承
	 * 
	 */
	private static void readText() throws IOException {
		//单字节读取
		/*
		FileReader fr = new FileReader("D:\\a.txt");
		int len = 0;
		while((len = fr.read()) != -1){
			System.out.print((char)len);//可以解码ASCLL码表来查看
		}
		fr.close();
		*/
		//使用数组缓冲区可以提高读取速度
		FileReader fr1 = new FileReader("D:\\a.txt");
		char[] c = new char[1024];
		int len1 = 0;
		while((len1 = fr1.read(c)) != -1){
			System.out.print(new String( c, 0, len1));
		}
		fr1.close();
	}
	/**
	 * 专门写文本信息,如果写入文本的文件不存在则构造器会创建一个进行操作
	 * 	类继承关系:
	 * 	Writer -- abstract
	 *     |- OutputStreamWriter -- class
	 *  			|- FileWriter -- class 没有单独方法都继承自父类,但是构造方法使用方便,是父类的扩展
	 */
	private static void writerText() throws IOException {
		FileWriter fw = new FileWriter("D:\\a.txt");//参数也可以使用File,参数(String,boolean),(File,boolean)是否追加写入文本信息,默认false
		fw.write("你好");//写入字符串
		fw.flush(); //写入后就刷新,再关闭流之前先刷新,否则会导致资源浪费
		fw.write("我好大家好", 0, 2);//写入的字符串,起始位置,写入长度
		fw.flush();
		char[] c = {'a','b','c','d','e','f'};
		fw.write(c); //写入char数组
		fw.flush();
		fw.write(100); //写入整数'd'
		fw.flush();
		char[] ch = {'好','汉','绕','命'};
		fw.write( ch, 0, 2); //数组,起始位置,长度
		fw.flush();
		fw.close();
		System.out.println("写入完成");
	}