字节流:字节流以字节为单位进行数据传输。这种流适用于处理二进制数据,例如图片、音频、视频等文件。在Java中,字节流由InputStream和OutputStream类及其子类实现。常见的字节流类包括FileInputStream、FileOutputStream、等。
字符流:字符流以字符为单位进行数据传输。这种流适用于处理文本数据,例如文本文件。字符流会将输入的字节转换为字符,并将输出的字符转换为字节。在Java中,字符流由Reader和Writer类及其子类实现。常见的字符流类包括FileReader、FileWriter、BufferedReader、BufferedWriter等。
总的来说,如果需要处理二进制数据,就应该使用字节流;如果需要处理文本数据,就应该使用字符流。根据需要选择合适的流类型可以更有效地进行数据处理。
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;public class FileCopyExample {public static void main(String[] args) {String sourceFile = "source.mp4";String destinationFile = "destination.mp4";int bufferSize = 4096; // 4KB 缓冲区大小try (FileInputStream fis = new FileInputStream(sourceFile);FileOutputStream fos = new FileOutputStream(destinationFile)) {byte[] buffer = new byte[bufferSize];int bytesRead;while ((bytesRead = fis.read(buffer)) != -1) {fos.write(buffer, 0, bytesRead);}System.out.println("File copied successfully.");} catch (IOException e) {e.printStackTrace();}}
}