1. 先分清楚是字节流还是字符流。
字节流:InputStream OutputStream
字符流:Reader Writer
字符流与字节流的区别是读取的单位长度不同,字节流读8字节,字符流读16字节,所以有中文时,就得用字符流。
2. 在字节/字符流基础上,又分为节点流和处理流
节点流:直接和数据源相连。
例如: FileInputStream FileOutputStream(字节流)
FileReader FileWriter(字符流)
处理流:顾名思义,就是处理在节点流上加了层处理,所以要有节点流才有处理流。
例如: BufferedInputStream BufferedOutputStream(字节流)
BufferedReader BufferedWriter(字符流)
3. 文件读写简单示例
import java.io.*;public classFileRead {public static void main(String[] args) throwsFileNotFoundException {
String filename= "file.txt";
String file_path= System.getProperty("user.dir")+ File.separator + "src" + File.separator +filename;
File file= newFile(file_path);if (!file.exists()){try{//创建文件
file.createNewFile();
FileWriter fll= newFileWriter(file);
BufferedWriter bf= newBufferedWriter(fll);
String a= "hellohello";
bf.write(a+"\r\n"+"niuniu");
bf.flush();
bf.close();
}catch(IOException e) {
e.printStackTrace();
}
}else{
FileInputStream in= null;/** 字节流read*/
//try {//in = new FileInputStream(file);//int b = in.read();//while (b != -1){//System.out.println((char)b);//b = in.read();//}//} catch (FileNotFoundException e) {//e.printStackTrace();//} catch (IOException e) {//e.printStackTrace();//}finally {//try {//in.close();//} catch (IOException e) {//e.printStackTrace();//}
/** 字符流read*/
try{//直接上字符流
FileReader rd = newFileReader(file);
BufferedReader br0= newBufferedReader(rd);//从字节流转为字符流
in = newFileInputStream(file);
InputStreamReader reader= newInputStreamReader(in);
BufferedReader br= newBufferedReader(reader);try{
String line;
line=br.readLine();while (line != null){
System.out.println(line);
line=br.readLine();
System.out.println(br0.readLine());
}
}catch(IOException e) {
e.printStackTrace();
}
}finally{try{
in.close();
}catch(IOException e) {
e.printStackTrace();
}
}
}
}
}
4. 随机存取
/*
* 将内容追加到文件末尾
*/
try{//打开一个随机访问文件流,按读写方式
RandomAccessFile randomFile = new RandomAccessFile(System.getProperty("user.dir") + File.separator + "file.txt", "rw");//文件长度,字节数
long fileLength =randomFile.length();//将写文件指针移到文件尾。
randomFile.seek(fileLength);//在文件末尾加上Task_ID
randomFile.writeBytes((","+Task_ID));
randomFile.close();
}catch(IOException e) {
e.printStackTrace();
}
/*
* 随机访问文件
*/
public static void readFileByRandomAccess(String fileName) {
RandomAccessFile randomFile = null;
try {
// 打开一个随机访问文件流,按只读方式
randomFile = new RandomAccessFile(fileName, "r");
// 文件长度,字节数
long fileLength = randomFile.length();
// 读文件的起始位置
int beginIndex = (fileLength > 4) ? 4 : 0;
// 将读文件的开始位置移到beginIndex位置。
randomFile.seek(beginIndex);
byte[] bytes = new byte[10];
int byteread = 0;
// 一次读10个字节,如果文件内容不足10个字节,则读剩下的字节。
while ((byteread = randomFile.read(bytes)) != -1) {
System.out.write(bytes, 0, byteread);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (randomFile != null) {
try {
randomFile.close();
} catch (IOException e1) {
}
}
}
}