IO流的杂项浅尝
转换流
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.InputStreamReader;
public class ISRDemo {
/*
* 字符输入流,高级流,可以将字节流转换为字符流
*/
public static void main(String[] args) throws IOException {
FileInputStream fis = new FileInputStream("word.txt");
InputStreamReader isr = new InputStreamReader(fis,"UTF-8");
int d = -1;
while ((d = isr.read())!= -1) {
char ch = (char)d;
System.out.println(ch);
}
isr.close();
}
}
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.OutputStreamWriter;
public class OSWDemo {
public static void main(String[] args) throws IOException {
FileOutputStream fos = new FileOutputStream("word.txt");
OutputStreamWriter osw =new OutputStreamWriter(fos,"UTF-8");
String str = "woaibeijingtiananmen";
osw.write(str);
osw.close();
}
}
javaIO流体体系中提供了两个转换流
- InputStreamReader--将字节输入流转换为字符输入流;
- OutputStreamWriter--将字节输出流转换为字符输出流;
RandomAccessFile
RandomAccessFile是用来访问那些保存数据记录的文件的,你就可以用seek( )方法来访问记录,并进行读写了。这些记录的大小不必相同;但是其大小和位置必须是可知的。但是该类仅限于操作文件。
RandomAccessFile不属于InputStream和OutputStream类系的。实际上,除了实现DataInput和DataOutput接口之外(DataInputStream和DataOutputStream也实现了这两个接口),它和这两个类系毫不相干,甚至不使用InputStream和OutputStream类中已经存在的任何功能;它是一个完全独立的类,所有方法(绝大多数都只属于它自己)都是从零开始写的。这可能是因为RandomAccessFile能在文件里面前后移动,所以它的行为与其它的I/O类有些根本性的不同。总而言之,它是一个直接继承Object的,独立的类。
基本上,RandomAccessFile的工作方式是,把DataInputStream和DataOutputStream结合起来,再加上它自己的一些方法,比如定位用的getFilePointer( ),在文件里移动用的seek( ),以及判断文件大小的length( )、skipBytes()跳过多少字节数。此外,它的构造函数还要一个表示以只读方式("r"),还是以读写方式("rw")打开文件的参数 (和C的fopen( )一模一样)。它不支持只写文件。
只有RandomAccessFile才有seek搜寻方法,而这个方法也只适用于文件。BufferedInputStream有一个mark( )方法,你可以用它来设定标记(把结果保存在一个内部变量里),然后再调用reset( )返回这个位置,但是它的功能太弱了,而且也不怎么实用。
import java.io.IOException;
import java.io.RandomAccessFile;
public class RAFDemo1 {
public static void main(String[] args) throws IOException {
RandomAccessFile raf = new RandomAccessFile("word.txt", "rw");//读和写
String str = "3333333";
byte[] datas = str.getBytes("UTF-8");
raf.write(datas);
System.out.println("写操作完成");
raf.close();
}
}
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.RandomAccessFile;
public class RAFDemo2 {
public static void main(String[] args) throws IOException {
/*
* 读取文件内容,将其内容在控制台输出
*/
RandomAccessFile raf = new RandomAccessFile("word.txt", "r");
byte[] datas = new byte[1024];
int len = raf.read(datas);
String str = new String(datas, 0, len);
System.out.println("内容是:"+str);
raf.close();
}
}