我正在尝试使用TCP将jpg文件从客户端发送到服务器。当图片到达服务器端时,我无法打开它,除了接收的图片大小高于发送的图片(发送= 880字节,接收= 894字节)。你们中的任何一个人都知道如何解决这个问题?这是我的代码:
客户代码:
static int send_server_image(SOCKET sock){
int n = 0;
int siz = 0;
FILE *picture;
char buf[50];
char *s="";
cout << "Getting image size" << endl;
picture = fopen("C:\\Users\\n.b\\Desktop\\c++\\TCP\\tcp_client_image_pp\\test.jpg", "r");
fseek(picture, 0, SEEK_END);
siz = ftell(picture);
cout << siz << endl; // Output 880
cout << "Sending picture size to the server" << endl;
sprintf(buf, "%d", siz);
if((n = send(sock, buf, sizeof(buf), 0)) < 0)
{
perror("send_size()");
exit(errno);
}
char Sbuf[siz];
cout << "Sending the picture as byte array" << endl;
fseek(picture, 0, SEEK_END);
siz = ftell(picture);
fseek(picture, 0, SEEK_SET); //Going to the beginning of the file
while(!feof(picture)){
fread(Sbuf, sizeof(char), sizeof(Sbuf), picture);
if((n = send(sock, Sbuf, sizeof(Sbuf), 0)) < 0)
{
perror("send_size()");
exit(errno);
}
memset(Sbuf, 0, sizeof(Sbuf));
}
}
服务器代码:
static int recv_client_image(SOCKET sock){
int n = 0;
cout << "Reading image size" << endl;
char buf[50];
int siz = 0;
if ((n = recv(sock, buf, sizeof(buf), 0) <0)){
perror("recv_size()");
exit(errno);
}
siz = atoi(buf);
cout << siz << endl; // 880 output
char Rbuffer[siz];
cout << "Reading image byte array" << endl;
n = 0;
if ((n = recv(sock, Rbuffer, sizeof(Rbuffer), 0)) < 0){
perror("recv_size()");
exit(errno);
}
cout << "Converting byte array to image" << endl;
FILE *image;
image = fopen("recu.jpg", "w");
fwrite(Rbuffer, sizeof(char), sizeof(Rbuffer), image);
fclose(image);
cout << "done" << endl;
}
谢谢。
答案 0 :(得分:0)
您使用的是可变长度数组,它不是标准C ++(ref)。即使它被编译器接受,您也应该避免使用sizeof
。
您在while(!feof(picture))
中遇到问题。您从文件中读取siz字节而没有任何错误并且未设置eof标志。在第二次读取时,您读取0个字节并设置标志,但也发送另一个缓冲区。
你应该写:
while(!feof(picture)){
n = fread(Sbuf, sizeof(char), siz, picture);
if (n > 0) { /* only send what has been read */
if((n = send(sock, Sbuf, siz, 0)) < 0) /* or (better?) send(sock, Sbuf, n, 0) */
{
perror("send_data()");
exit(errno);
}
}
/* memset(Sbuf, 0, sizeof(Sbuf)); useless for binary data */
}
服务器部分相同:
if ((n = recv(sock, Rbuffer, siz, 0)) < 0){
perror("recv_size()");
exit(errno);
}
cout << "Converting byte array to image" << endl;
FILE *image;
image = fopen("recu.jpg", "w");
fwrite(Rbuffer, sizeof(char), siz, image);
fclose(image);
最后一个错误的可能性,至少如果你在一个平台上,像Windows一样在文本和二进制文件之间产生差异就是你忘了以二进制模式打开文件,这可能会破坏jpg图像。因为在用于二进制文件的窗口上,字节0x10被视为新行(\n'
)并写为2字节0x0d 0x10(\r\n
)。
因此,您必须以rb
模式打开输入文件,并以wb
模式打开输出文件。
答案 1 :(得分:0)
解决了:
Serge Ballesta正确的所有纠正。但问题在于我打开文件的方式。
您需要以二进制模式 打开文件(&#34; rb&#34;用于阅读,&#34; wb&#34;用于写作),不是默认的文本模式。
客户:
picture = fopen("C:\\Users\\n.b\\Desktop\\c++\\TCP\\tcp_client_image_pp\\test.jpg", "rb");
服务器:
image = fopen("recu.jpg", "wb");
这是主要问题。谢谢。