1

以下代码使用 BufferedInputStream 从文件中读取数据并以块的形式对其进行处理。我想修改这段代码,而不是通过流来自文件的数据,我想让它来自字节数组。我已经将文件的数据读入一个字节数组,我想使用这个 while...loop 来处理数组数据,而不是使用文件流中的数据。不知道该怎么做:

FileInputStream in = new FileInputStream(inputFile);
BufferedInputStream origin = new BufferedInputStream(in, BUFFER);

int count;

while ((count = origin.read(data, 0, BUFFER)) != -1)
{
  // Do something
}
4

2 回答 2

5

您可以使用ByteArrayInputStream将现有字节数组包装成一个InputStream,以便您可以像从任何其他字节数组中读取一样InputStream

byte[] buffer = {1,2,3,4,5};
InputStream is = new ByteArrayInputStream(buffer);

byte[] chunk = new byte[2];
while(is.available() > 0) {
    int count = is.read(chunk);
    if (count == chunk.length) {
        System.out.println(Arrays.toString(chunk));
    } else {
        byte[] rest = new byte[count];
        System.arraycopy(chunk, 0, rest, 0, count);
        System.out.println(Arrays.toString(rest));
    } 
}
Output:
[1, 2]
[3, 4]
[5]
于 2013-02-07T10:17:47.657 回答
1

下面将把 FileInputStream 中的所有数据读入字节数组:

FileInputStream input = new FileInputStream (file);
ByteArrayOutputStream output = new ByteArrayOutputStream ();
byte [] buffer = new byte [65536];
int l;
while ((l = input.read (buffer)) > 0)
    output.write (buffer, 0, l);
input.close ();
output.close ();
byte [] data = output.toByteArray ();
于 2013-02-07T10:19:40.913 回答