我正在尝试在客户端 - 服务器应用程序中使用java套接字编写两个发送和接收文件的方法,我有些疑惑:
我使用FileInputStream
和FileOutputStream
。 BufferedInputStream
和BufferedOutputStream
会更好吗?
static protected long send_file(File file, DataOutputStream output) throws IOException, FileNotFoundException, SecurityException
{
byte[] buffer = new byte[1024];
long count = 0;
int nread = 0;
FileInputStream file_input = new FileInputStream(file);
output.writeLong(file.length());
while((nread = file_input.read(buffer)) != -1)
{
output.writeInt(nread);
output.write(buffer, 0, nread);
count += nread;
}
output.flush();
file_input.close();
return count;
}
static protected long receive_file(File file, DataInputStream input) throws IOException, FileNotFoundException, SecurityException, EOFException
{
byte[] buffer = new byte[1024];
long dim_file = 0;
long count = 0;
int nbyte = 0;
int nread = 0;
int n = 0;
FileOutputStream file_output = new FileOutputStream(file);
dim_file = input.readLong();
while(count < dim_file)
{
nbyte = input.readInt();
nread = input.read(buffer, 0, nbyte);
if(nread == -1)
{
file_output.close();
throw new EOFException();
}
while(nread < nbyte)
{
n = input.read(buffer, nread, nbyte-nread);
if(n == -1)
{
file_output.close();
throw new EOFException();
}
nread += n;
}
file_output.write(buffer, 0, nread);
count += nread;
}
file_output.flush();
file_output.close();
return count;
}
我不明白BufferedInputStream
和BufferedOutputStream
的必要性:
在第一种方法中,我使用1024字节的缓冲区,首先用FileInputStream.read(byte[] b)
填充它,然后将其发送到DataOutputStream.write(byte[] b, int off, int len)
的套接字。
在第二种方法中:首先用DataInputStream.read(byte[] b)
填充缓冲区,然后用FileOutputStream.write(byte[] b, int off, int len)
写入文件。
那么为什么要使用BufferedInputStream
和BufferedOutputStream
?
这样,如果我理解它们是如何工作的,我首先在缓冲区中写入字节,然后在缓冲区中复制BufferedInputStream
和BufferedOutputStream
个字节。
答案 0 :(得分:2)
不是更好。他们提供不同的东西。当fileoutputstream写入文件时,BuffereOutputStreams写入缓冲区(因此名称:))。 你应该将它们结合起来,以获得最佳性能。 e.g。
BufferedOutputStream bo = new BufferedOutputStream(new FileOutputStream("output.txt"))
然后,您的程序将首先将所有内容写入缓冲区,并在刷新缓冲区时将其转储到文件中
答案 1 :(得分:0)
如果不使用缓冲流,每次写入/读取一个字节时,Java IO都会进行操作系统调用,无论是写入/读取文件还是读取,这是非常低效的。