我创建了一个UDP客户端/服务器通信,以便测试发送wav文件,客户端每次向服务器发送2048个文件样本的缓冲区。问题是,对于每个缓冲区,只有缓冲区的前半部分(1024个样本)被正确发送,我无法弄清楚这个错误背后的原因。
以下是客户端代码:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <arpa/inet.h>
#include <sys/socket.h>
#define SERVER "127.0.0.1"
#define BUFLEN1 512
#define BUFLEN2 2048
#define PORT 8888
void die(char *s)
{
perror(s);
exit(1);
}
int main(void)
{
struct sockaddr_in si_other;
int s, i, slen=sizeof(si_other);
char fileaddress[BUFLEN1];
short buf[BUFLEN2];
FILE *file;
int k;
if ( (s=socket(AF_INET, SOCK_DGRAM, IPPROTO_UDP)) == -1)
{
die("socket");
}
memset((char *) &si_other, 0, sizeof(si_other));
si_other.sin_family = AF_INET;
si_other.sin_port = htons(PORT);
if (inet_aton(SERVER , &si_other.sin_addr) == 0)
{
fprintf(stderr, "inet_aton() failed\n");
exit(1);
}
printf("Enter file address: ");
gets(fileaddress);
file=fopen(fileaddress,"rb");
while ((k = fread(buf, sizeof(short), BUFLEN2, file)) > 0) {
if (sendto(s, buf, BUFLEN2 , 0 , (struct sockaddr *) &si_other, slen)==-1)
{
die("sendto()");
}
}
close(s);
return 0;
}
服务器代码:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <arpa/inet.h>
#include <sys/socket.h>
#define SERVER "127.0.0.1"
#define BUFLEN2 2048
#define PORT 8888
void die(char *s)
{
perror(s);
exit(1);
}
int main(void)
{
struct sockaddr_in si_me, si_other;
int s, i, slen = sizeof(si_other) , recv_len;
short buf[BUFLEN2];
//create a UDP socket
if ((s=socket(AF_INET, SOCK_DGRAM, IPPROTO_UDP)) == -1)
{
die("socket");
}
// zero out the structure
memset((char *) &si_me, 0, sizeof(si_me));
si_me.sin_family = AF_INET;
si_me.sin_port = htons(PORT);
si_me.sin_addr.s_addr = htonl(INADDR_ANY);
//bind socket to port
if( bind(s , (struct sockaddr*)&si_me, sizeof(si_me) ) == -1)
{
die("bind");
}
printf("Waiting for data...\n");
fflush(stdout);
while(1)
{
recv_len = recvfrom(s, buf, BUFLEN2, 0, (struct sockaddr *) &si_other, &slen);
if (recv_len == -1)
{
die("recvfrom()");
}
}
close(s);
return 0;
}
答案 0 :(得分:0)
最有可能是因为窗口大小(可以在数据包中发送的数据量)或轻量级IP堆栈大小(我相信这更有可能),这与总的最大字节数有关你可以通过一个函数调用发送。
如果问题是窗口大小,您可以分割数据并在客户端到达时重新组装。 如果是堆栈大小,您只需查找它的定义位置并进行更改
我看到你的库不包含lwip,但无论你使用它,它必须具有概念上相似的东西。
希望它有所帮助。
答案 1 :(得分:0)
在这里,您正在读取(可能多达)(BUFLEN2*sizeof(short))
个字节到缓冲区中:
while ((k = fread(buf, sizeof(short), BUFLEN2, file)) > 0) {
...在这里,您将BUFLEN2
个字节发送到UDP套接字:
if (sendto(s, buf, BUFLEN2, 0 , (struct sockaddr *) &si_other, slen)==-1)
...在这里,您从UDP套接字接收(可能多达)BUFLEN2
个字节:
recv_len = recvfrom(s, buf, BUFLEN2, 0, (struct sockaddr *) &si_other, &slen);
我认为您需要做的是在BUFLEN2
来电中将k*sizeof(short)
替换为sendto()
,并将BUFLEN2
替换为您{{1}中的sizeof(buf)
调用,这样你就可以发送和接收所有数据,而不仅仅是它的前半部分。