Java InputStream读取文件

在java中可以使用InputStream对文件进行读取,就是字节流的输入。当读取文件内容进程序时,需要使用一个byte数组来进行存储。

1. FileInputStream通过文件byte数组暂存文件中内容,将其转换为String数据,再按照 “回车换行” 进行分割。

/**
* 读取filePath的文件,将文件中的数据按照行读取到String数组中
* @param filePath    文件的路径
* @return         文件中一行一行的数据
*/
public static String[] readToString(String filePath) {
    File file = new File(filePath);
    Long filelength = file.length(); // 获取文件长度
    byte[] filecontent = new byte[filelength.intValue()];
    try {
        FileInputStream in =new FileInputStream(file); in .read(filecontent); in .close();
    } catch(FileNotFoundException e) {
        e.printStackTrace();
    } catch(IOException e) {
        e.printStackTrace();
    }

    String[] fileContentArr = new String(filecontent).split("\r\n");

    return fileContentArr; // 返回文件内容,默认编码
}

2. 使用InputStream从文件里读取数据,在已知文件大小的情况下,建立合适的存储字节数组

public class InputStreamDemo01 {
    public static void main(String args[]) throws Exception {
        File f = new File("E:" + File.separator + "java2" + File.separator + "StreamDemo" + File.separator + "test.txt");
        InputStream in =new FileInputStream(f);
        byte b[] = new byte[(int) f.length()]; //创建合适文件大小的数组
        in .read(b); //读取文件里的内容到b[]数组
        in .close();
        System.out.println(new String(b));
    }
}

3. 使用InputStream从文件里读取数据,在不知文件大小的情况下,循环读取文件

public static void main(String args[]) throws Exception {
    File f = new File("E:" + File.separator + "java2" + File.separator + "StreamDemo" + File.separator + "test.txt");
    InputStream in =new FileInputStream(f);
    byte b[] = new byte[1024];
    int len = 0;
    int temp = 0; //全部读取的内容都使用temp接收
    while ((temp = in.read()) != -1) { //当没有读取完时,继续读取
        b[len] = (byte) temp;
        len++;
    } in .close();
    System.out.println(new String(b, 0, len));
}


版权声明:本文为JAVASCHOOL原创文章,未经本站允许不得转载。