您的当前位置:首页正文

Java文件输入输出流

2024-11-11 来源:个人技术集锦


1. 文件输入流

文件输入流用于从文件中读取数据。Java提供了多个文件输入流类,其中常用的是FileInputStream类。以下是使用文件输入流的基本步骤:

1.找源头:创建FileInputStream对象,并指定要读取的文件路径。

2.打开流:打开文件输入流。

3.操作流:读取数据,处理读取到的数据。

4.关闭流:关闭文件输入流。

try {
    FileInputStream fis = new FileInputStream("input.txt");
    int data;
    while ((data = fis.read()) != -1) {
    }
    fis.close();
} catch (IOException e) {
    e.printStackTrace();
}

2. 文件输出流

文件输出流用于将数据写入到文件中。Java提供了多个文件输出流类,常用的是FileOutputStream类。以下是使用文件输出流的基本步骤:

1.找源头:创建FileOutputStream对象,并指定要写入的文件路径。

2.打开流:打开文件输出流。

3.操作流:写入数据,可以使用write()方法写入一个字节或者使用write(byte[])方法写入多个字节。

4.关闭流:关闭文件输出流。

try {
    FileOutputStream fos = new FileOutputStream("output.txt");
    String data = "Hello, World!";
    fos.write(data.getBytes());
    fos.close();
} catch (IOException e) {
    e.printStackTrace();
}

3. 文件复制

文件复制是文件处理中常见的操作之一。通过文件输入输出流,我们可以实现文件的复制。以下是文件复制的基本步骤:

1.找源头:创建FileInputStream对象和FileOutputStream对象,并分别指定源文件和目标文件路径。

2.打开流:打开文件输入流和文件输出流。

3.操作流:读取源文件的数据,并将数据写入到目标文件中。

4.关闭流:关闭文件输入流和文件输出流。

try {
    FileInputStream fis = new FileInputStream("source.txt");
    FileOutputStream fos = new FileOutputStream("target.txt");
    int data;
    while ((data = fis.read()) != -1) {
        fos.write(data);
    }
    fis.close();
    fos.close();
} catch (IOException e) {
    e.printStackTrace();
}

4.常见文件操作

  4.1 使用缓冲区

在文件输入输出操作中,使用缓冲区可以显著提高读写的效率。可以用BufferedInputStream和BufferedOutputStream类,它们是文件输入输出流的包装类,可以对文件流进行缓冲操作。

try {
    FileInputStream fis = new FileInputStream("input.txt");
    BufferedInputStream bis = new BufferedInputStream(fis);
    bis.close();
} catch (IOException e) {
    e.printStackTrace();
}

  4.2 使用字符流

如果需要读写文本文件,使用字符流可以更方便地处理字符数据。可以用FileReader和FileWriter类来实现字符流的读写操作。

try {
    FileReader reader = new FileReader("input.txt");
    FileWriter writer = new FileWriter("output.txt");
    reader.close();
    writer.close();
} catch (IOException e) {
    e.printStackTrace();
}

  4.3 处理大文件

对于大文件的处理,可以使用RandomAccessFile类来实现随机访问文件的功能。通过设置文件指针的位置,可以实现对文件的部分读取和写入操作。

try {
    RandomAccessFile file = new RandomAccessFile("largefile.txt", "r");
    file.seek(1024); 
    byte[] buffer = new byte[1024];
    int bytesRead = file.read(buffer); 
    file.close();
} catch (IOException e) {
    e.printStackTrace();
}

  4.4 异常处理和资源释放

在进行文件输入输出操作时,务必进行异常处理和资源释放,以确保程序的稳定性和资源的正确释放。可以使用try-catch-finally块来捕获异常并在finally块中关闭文件流。

FileInputStream fis = null;
try {
    fis = new FileInputStream("input.txt");
} catch (IOException e) {
    e.printStackTrace();
} finally {
    if (fis != null) {
        try {
            fis.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}
显示全文