用C写一个UDP组播程序
时间: 2023-05-14 22:07:22 浏览: 110
可以使用C语言的socket库来编写UDP组播程序。以下是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <arpa/inet.h>
#define GROUP "239.0.0.1" // 组播地址
#define PORT 8888 // 组播端口号
int main() {
int sockfd;
struct sockaddr_in addr;
char buf[1024];
// 创建UDP套接字
sockfd = socket(AF_INET, SOCK_DGRAM, 0);
if (sockfd < 0) {
perror("socket");
exit(1);
}
// 设置组播地址和端口号
memset(&addr, 0, sizeof(addr));
addr.sin_family = AF_INET;
addr.sin_addr.s_addr = inet_addr(GROUP);
addr.sin_port = htons(PORT);
// 加入组播组
struct ip_mreq mreq;
mreq.imr_multiaddr.s_addr = inet_addr(GROUP);
mreq.imr_interface.s_addr = htonl(INADDR_ANY);
if (setsockopt(sockfd, IPPROTO_IP, IP_ADD_MEMBERSHIP, &mreq, sizeof(mreq)) < 0) {
perror("setsockopt");
exit(1);
}
// 接收组播消息
while (1) {
memset(buf, 0, sizeof(buf));
if (recvfrom(sockfd, buf, sizeof(buf), 0, NULL, NULL) < 0) {
perror("recvfrom");
exit(1);
}
printf("Received: %s\n", buf);
}
return 0;
}
```
这个程序可以接收来自组播地址为239.0.0.1,端口号为8888的组播消息。你可以使用sendto函数来发送组播消息。
阅读全文