IO的基本简单操作

2018-07-31  本文已影响0人  进阶的小豆子

流式输入/输出原理:就是进行读写数据的操作,由管道相连,一端连着程序,一端连着数据源。

(一)Java流类的类结构图

IO.png

(二)Java的IO分类(并未完全列出)

IO类.png

(三)文件操作

File类可以表示文件和目录的信息,但是不能表示文件里面的具体内容。
File类中最常用的方法有:
创建一个新文件:public boolean createNewFile() throws IOException
删除文件:public boolean delete()
判断文件目录是否存在: public boolean exists()
创建文件夹:public boolean mkdir()
判断是否是根目录:public boolean isDirectory()
举例子:递归地输出一个目录下所有文件:

import java.io.File;

public class RecursiveListAllFiles {
public static void listAllFiles(File dir)
{
    if (dir == null || !dir.exists()) {
        return;
    }
    if (dir.isFile()) {
        System.out.println(dir.getName());
        return;
    }
    for (File file : dir.listFiles()) {
        listAllFiles(file);
    }
}
public static void main(String[] args) {
    File file = new File("D:\\java");
    RecursiveListAllFiles.listAllFiles(file);
}
}

(四)字节文件处理复制

字节流:最原始的字节流是010101...这种二进制的形式,8位,可以处理所有数据类型的数据,在java中以Stream结尾;
public class CopyFileByInputStream {

public static void main(String[] args) throws IOException {
    //1 源文件
    File src = new File("E:\\人类活动识别新方法.pdf");
    //2目标文件
    File target = new File("E:\\新方法.pdf");
    //3 缓存
    byte[] b = new byte[1024];
    //4相对缓存来说是输入流
    FileInputStream in = new FileInputStream(src);
    //5 相对缓存来说是输出流
    FileOutputStream out = new FileOutputStream(target);
    //6每次的输入的长度
    int len;
    //如果长度大于0
    while((len = in.read(b))> 0) {
        out.write(b, 0, len);
    }
    in.close();
    out.close();
}

}

(五)读取字符文件和写入字符文件

字符流:一个字符一个字符地读写,2个字节,16位,用来处理文本数据,在java中以Reader和Writer结尾;

import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
//读取字符文件
public class FileReaderTest
{

public static void main(String[] args) throws IOException
{
     try {
        BufferedReader bf = new BufferedReader(new FileReader("D:\\Test.txt"));
        String str;
        while((str=bf.readLine()) != null) {
            System.out.println(str);
        }
        bf.close();
    } catch (FileNotFoundException e) {
        e.printStackTrace();
    }
}

}

//写入字符文件
public class FileWriterTest
{
public static void main(String[] args)
{
   try {
        BufferedWriter out = new BufferedWriter(new FileWriter("D:\\Test.txt"));
        for (int i = 0; i < 1000; i++) {
            out.write("aString" + i);
            out.newLine();
            out.flush();
        }
        out.close();
    } catch (IOException e) {
    }
}
}
上一篇下一篇

猜你喜欢

热点阅读