File 类 仅能获取文件的属性数据或者 是修改文件的属性数据而已,不能读取文件内容数据。
如果需要操作文件内容数据,那么我们就需要学习"IO流"技术
IO流类别:
1. 流向划分:
输入流
输出流
什么时候使用输入流什么时候使用输出流?
以当前程序作为参照物,数据流入 则使用输入流, 数据 流出则使用输出流。
2. 处理的单位:
字节流: 字节流就是用于 读取文件的字节数据的,读取到的数据不会经过任何的处理。 (这个对理解很重要)
字符流: 读取到的字节数据还会帮你转换成你看得懂的字符数据,读取的是以字符作单位 的数据。字符流 = 字节流+ 解码
输入字节流:
---------|InputStream 抽象类 输入字节流的基类。
------------| FileInputStream 读取文件数据 的输入字节流
使用FileInputStream 读取文件数据:
- 找到目标文件
- 建立数据的输入通道
- 读取文件的数据
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
public class Demo1 {
public static void main(String[] args) throws IOException {
read4();
}
//方式四:使用循环配合缓冲 数组读取
public static void read4() throws IOException{
//找到目标文件
File file = new File("F:\\a.txt");
//建立数据的通道
FileInputStream fileInputStream= new FileInputStream(file);
//读取数据
byte[] buf = new byte[1024]; //缓冲字节数组的长度一般都是1024的倍数。
int length = 0 ; //记录本次读取的自己个数。
while((length = fileInputStream.read(buf))!=-1){
System.out.print(new String(buf,0,length));
}
//关闭资源(释放资源文件)
fileInputStream.close();
}
//方式3:使用(缓冲数组)字节数组读取 , 无法完整读取一个文件的数据 12G
public static void read3() throws IOException{
//找到目标文件
File file = new File("F:\\a.txt");
//建立数据的通道
FileInputStream fileInputStream= new FileInputStream(file);
//创建一个字节数组,读取文件数据
byte[] buf = new byte[10];
int length = fileInputStream.read(buf); // read(byte[] buf) 先把读取到的数据存储到字节数组中,然后返回的是本次读取到字节数。
System.out.println("读取到的内容:"+ new String(buf,0,length));
}
//方式2: 每次读取一个字节的数据,可以读取完整文件数据。 340
public static void read2() throws IOException{
long startTime = System.currentTimeMillis();
//第一步:找到目标文件
File file = new File("F:\\美女\\1.jpg");
//第二步: 建立数据通道
FileInputStream fileInputStream = new FileInputStream(file);
//第三步:读取文件的数据
int content = 0; //用于保存读取到的数据
while((content = fileInputStream.read())!=-1){ // read() 方法如果读取了文件的末尾则返回-1表示。
System.out.print((char)content);
}
//关闭资源
fileInputStream.close();
long endTime = System.currentTimeMillis();
System.out.println("运行时间:"+ (endTime-startTime));
}
//方式一: 没法读取完整一个文件的数据
public static void read1() throws IOException{
//第一步: 找到目标文件对象
File file = new File("f:\\a.txt");
//第二步: 建立数据的输入通道
FileInputStream fileInputStream = new FileInputStream(file);
//第三步: 读取文件数据
int content = fileInputStream.read(); // 返回 的是读取的字节数据,每次只会读取一个字节。
System.out.println("读到的内容:"+ (char)content);
//第四步:关闭资源(释放资源文件)
fileInputStream.close();
}
}