以下是两段代码:
FileInputStream is = new FileInputStream(tmp);
byte[] buf = new byte[1024];
while (is.read(buf) > -1) {
}
和
BufferedInputStream is = new BufferedInputStream(new FileInputStream(tmp),1024);
while (is.read() > -1) {
}
从BufferedInputStream
源代码来看,它们将花费相同的时间,但实际上第一种方式运行得更快(在200M文件上为166ms vs 5159ms)。为什么呢?
答案 0 :(得分:0)
FileInputStream#read(byte b[])
会在每次调用时将多个字节读入b
。在这种情况下1024
BufferedInputStream#read()
每次调用都会读取一个字节。内部BufferedInputStream
将使用大小为1024
的缓冲区来复制它所包含的流中的数据,但是,您仍然执行的操作远远超过您所需的操作。
尝试使用BufferedInputStream#read(byte b[])
方法,您会发现速度与FileInputStream
的速度相当。
同样如OldCurmudgeon所述,BufferedInputStream#read
方法已同步:
public synchronized int read() throws IOException {
if (pos >= count) {
fill();
if (pos >= count)
return -1;
}
return getBufIfOpen()[pos++] & 0xff;
}
为了向您展示这可能带来多少开销的示例,我做了一个小型演示:
public class Main {
static final double TEST_SIZE = 100000000.0;
static final double BILLION = 1000000000.0;
public static void main(String[] args) {
testStandard();
testSync();
}
static void testStandard() {
long startTime = System.nanoTime();
for (int i =0; i < TEST_SIZE; i++) {
}
long endTime = System.nanoTime();
System.out.println((endTime - startTime)/ BILLION + " seconds");
}
static void testSync() {
long startTime = System.nanoTime();
for (int i =0; i < TEST_SIZE; i++) {
synchronized (Main.class) {}
}
long endTime = System.nanoTime();
System.out.println((endTime - startTime)/ BILLION + " seconds");
}
}
在我的计算机上,同步调用的执行时间大约长达40倍:
0.13086644 seconds
4.90248797 seconds