我正在尝试将文本文件从Java服务器发送到C客户端。运行我的代码后,文本文件成功收到但是当我打开它时,我发现文本文件中插入了一些随机数据。
这是发送文件的服务器代码。
public void sendFile(Socket socket, String file) throws IOException
{
DataOutputStream dos = new DataOutputStream(socket.getOutputStream());
FileInputStream fis = new FileInputStream(file);
byte[] buffer = new byte[256];
while (fis.read(buffer) > 0) {
dos.write(buffer);
}
fis.close();
dos.close();
}
这是用于接收文件的客户端代码。
int recv_file(int sock, char* file_name)
{
char send_str [MAX_SEND_BUF];
int fp;
int sent_bytes, rcvd_bytes, rcvd_file_size;
int recv_count;
unsigned int recv_str[MAX_RECV_BUF];
size_t send_strlen;
send_strlen = strlen(send_str);
if ( (fp = open(file_name, O_WRONLY|O_CREAT, 0644)) < 0 )
{
perror("error creating file");
return -1;
}
recv_count = 0;
rcvd_file_size = 0;
while ( (rcvd_bytes = recv(sock, recv_str, MAX_RECV_BUF/*256*/, 0)) > 0 )
{
recv_count++;
rcvd_file_size += rcvd_bytes;
if (write(fp, recv_str, rcvd_bytes) < 0 )
{
perror("error writing to file");
return -1;
}
printf("%dThe data received is %u\n", ++count, recv_str);
}
close(fp);
printf("Client Received: %d bytes in %d recv(s)\n", rcvd_file_size, recv_count);
return rcvd_file_size;
}
这是客户端收到的文本文件。 Received text file
这个乱码被添加到文本文件中,我该如何解决这个问题?
答案 0 :(得分:2)
while (fis.read(buffer) > 0) {
dos.write(buffer);
}
您的复制循环不正确。如果不是之前,你正在文件的末尾写垃圾。它应该是:
int count;
while ((count = fis.read(buffer)) > 0) {
dos.write(buffer, 0, count);
}
答案 1 :(得分:1)
你不应该使用DataOutputStream
因为它在这里没有任何好处。只需使用套接字中的普通OutputStream
。
然后,您必须确保只写入文件中的数据。
所以而不是
while (fis.read(buffer) > 0) {
dos.write(buffer);
}
使用
OutputStream os = socket.getOutputStream();
int len;
while ( (len = fis.read(buffer)) > 0) {
os.write(buffer,0,len);
}
确保只写入文件中的字节数。