根据connect(2)手册页
If the socket sockfd is of type SOCK_DGRAM then serv_addr is the address to which datagrams are sent by default,and the only address from which datagrams are received. If the socket is of type SOCK_STREAM or SOCK_SEQPACKET,this call attempts to make a connection to the socket that is bound to the address specified by serv_addr.
我正在尝试过滤来自同一端口上广播的两个不同多播组的数据包,我认为connect()已经完成了这项工作,但我无法使其工作.事实上,当我将它添加到我的程序时,我没有收到任何数据包.更多信息在这个thread.
这是我设置连接参数的方式:
memset(&mc_addr,sizeof(mc_addr));
mc_addr.sin_family = AF_INET;
mc_addr.sin_addr.s_addr = inet_addr(multicast_addr);
mc_addr.sin_port = htons(multicast_port);
printf("Connecting...\n");
if( connect(sd,(struct sockaddr*)&mc_addr,sizeof(mc_addr)) < 0 ) {
perror("connect");
return -1;
}
printf("Receiving...\n");
while( (len = recv(sd,msg_buf,sizeof(msg_buf),0)) > 0 )
printf("Received %d bytes\n",len);
>你应该使用bind()而不是connect(),和
>你缺少setsockopt(…,IP_ADD_MEMBERSHIP,…).
这是一个接收多播的示例程序.它使用recvfrom(),而不是recv(),但它是相同的,除了你还得到每个接收数据包的源地址.
要从多个多播组接收,您有三个选项.
第一个选项:为每个多播组使用单独的套接字,并将每个套接字bind()绑定到多播地址.这是最简单的选择.
第二个选项:为每个多播组使用单独的套接字,bind()每个套接字INADDR_ANY,并使用套接字过滤器过滤掉除一个多播组之外的所有组播组.
因为您已绑定到INADDR_ANY,您可能仍会获得其他多播组的数据包.可以使用内核的套接字过滤器过滤掉它们:
#include
第三种选择:使用单个套接字接收所有多播组的多播.
在这种情况下,您应该为每个组执行IP_ADD_MEMBERSHIP.这样您就可以在单个套接字上获取所有数据包.
但是,您需要额外的代码来确定接收到的数据包发往哪个组播组.要做到这一点,你必须:
>使用recvmsg()接收数据包并读取IP_PKTINFO或等效的辅助数据消息.但是,为了让recvmsg()给你这个消息,你首先必须这样做
>使用setsockopt()启用IP_PKTINFO辅助数据消息的接收.
您需要做的确切事情取决于IP协议版本和操作系统.这是我如何做到的(未经测试的IPv6代码):enabling PKTINFO和reading the option.
这是一个接收多播的简单程序,它演示了第一个选项(绑定到多播地址).
#include dio.h>
#include Failed!");
return 1;
}
// join group
imreq.imr_multiaddr.s_addr = inet_addr(argv[1]);
imreq.imr_interface.s_addr = inet_addr(argv[3]);
status = setsockopt(sock,IPPROTO_IP,(const void *)&imreq,sizeof(struct ip_mreq));
saddr.sin_family = PF_INET;
saddr.sin_port = htons(atoi(argv[2]));
saddr.sin_addr.s_addr = inet_addr(argv[1]);
status = bind(sock,(struct sockaddr *)&saddr,sizeof(struct sockaddr_in));
if (status < 0) {
perror("bind Failed!");
return 1;
}
// receive packets from socket
while (1) {
socklen = sizeof(saddr);
status = recvfrom(sock,buffer,MAXBUFSIZE,&socklen);
if (status < 0) {
printf("recvfrom Failed!\n");
return 1;
}
buffer[status] = '\0';
printf("Received: '%s'\n",buffer);
}
}