5

我想逐个读取文件。该文件被分成几部分,存储在不同类型的媒体上。我目前所做的是调用文件的每个单独部分,然后将其合并回原始文件。

问题是我需要等到所有块都到达之后才能播放/打开文件。是否可以在块到达时读取它们,而不是等待它们全部到达。

我正在处理媒体文件(电影文件)。

4

3 回答 3

13

请参阅InputStram.read(byte[])一次读取字节。

示例代码:

try {
    File file = new File("myFile");
    FileInputStream is = new FileInputStream(file);
    byte[] chunk = new byte[1024];
    int chunkLen = 0;
    while ((chunkLen = is.read(chunk)) != -1) {
        // your code..
    }
} catch (FileNotFoundException fnfE) {
    // file not found, handle case
} catch (IOException ioE) {
    // problem reading, handle case
}
于 2012-06-19T22:05:05.097 回答
2

你想要的是源数据线。当您的数据太大而无法一次将其保存在内存中时,这非常适合,因此您可以在收到整个文件之前开始播放它。或者如果文件永远不会结束。

在此处查看源数据行的教程

http://docs.oracle.com/javase/6/docs/api/java/io/FileInputStream.html#read

我会使用这个 FileInputSteam

于 2012-06-19T22:10:42.353 回答
1

您可以尝试使用 nio 在内存中逐块读取文件而不是完整文件,而不是较旧的 io。您可以使用 Channel 从多个来源获取数据

RandomAccessFile aFile = new RandomAccessFile(
                        "test.txt","r");
        FileChannel inChannel = aFile.getChannel();
        long fileSize = inChannel.size();
        ByteBuffer buffer = ByteBuffer.allocate((int) fileSize);
        inChannel.read(buffer);
        //buffer.rewind();
        buffer.flip();
        for (int i = 0; i < fileSize; i++)
        {
            System.out.print((char) buffer.get());
        }
        inChannel.close();
        aFile.close();
于 2018-12-20T11:13:32.633 回答