一、File类-实例化
- File类的一个对象,代表一个文件或一个文件目录
- File类的声明在java.io下
- File类中涉及到关于文件或文件目录的创建、删除、重命名等方法,并未涉及到写入或读取文件内容的操作。如果需要读取或写入文件内容,必须使用IO流来完成。
- 后续File类的对象常会作为参数传递到流的构造器中,指明读取或写入的“终点”
File类的三种构造器:
public void test1()
{
File file=new File("hello.txt");
System.out.println(file);
File file2=new File("D:\\workspace_idea1","JavaSenior");
System.out.println(file2);
File file4=new File(file2,"hi.txt");
}
二、File类-常用方法
略~
三、IO流
输入:读取外部数据到程序(内存)中 输出:将程序(内存)数据输出到磁盘、光盘等存储设备中。
FileReader读入数据:
- read() 返回读入的一个字符,如果到达文件末尾,则返回-1
- 异常处理:为了保证流资源一定可以执行关闭操作,需要使用try-catch-finally处理
- 读入的文件一定要存在,否则报FileNotFoundException
@Test
public void testFileReader() {
FileReader fileReader= null;
try {
File file=new File("hello.txt");
fileReader = new FileReader(file);
int data;
while((data=fileReader.read())!=-1)
{
System.out.println((char)data);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if(fileReader!=null)
fileReader.close();
} catch (IOException e) {
e.printStackTrace();
}
}
关于流的“规范四步”:
- File类的实例化
- FileReader流的实例化
- 读入操作
- 资源的关闭
@Test
public void testFileReader1()
{
FileReader fr=null;
try {
File file=new File("hello.txt");
fr=new FileReader(file);
char[] cbuf=new char[5];
int len;
while((len=fr.read(cbuf))!=-1)
{
String str=new String(cbuf,0,len);
System.out.println(str);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if(fr!=null) {
try {
fr.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
|