我正在尝试使用 ICMP 协议,并为 linux 创建了一个内核模块,用于分析 ICMP 数据包(仅当 ICMP 代码字段为幻数时才处理数据包)。现在要测试这个模块,我必须创建一个 ICMP 数据包并将其发送到运行此分析模块的主机。事实上,如果我能在内核本身(作为一个模块)实现它会很好。我正在寻找内核中的 packetcrafter 之类的东西,我在 google 上搜索了很多解释数据包生命周期的文章,而不是创建它的教程。用户空间packetcrafters 将是我最后的手段,那些高度灵活的工具也是如此,比如我可以设置ICMP 代码等。而且我并不担心内核恐慌:-) !!!!!! 欢迎任何包制作想法。
3 回答
Linux 内核包含一个数据包生成器工具pktgen,用于使用预配置的数据包测试网络。该模块的源代码位于 net/core/pktgen.c
先生,我强烈建议您不要使用内核模块来构建 ICMP 数据包。
您可以使用用户空间原始套接字来制作 ICMP 数据包,甚至可以逐字节构建 IP 标头本身。因此,您可以尽可能灵活地使用它。
请看看这个
ip = (struct iphdr*) packet;
icmp = (struct icmphdr*) (packet + sizeof(struct iphdr));
/*
* here the ip packet is set up except checksum
*/
ip->ihl = 5;
ip->version = 4;
ip->tos = 0;
ip->tot_len = sizeof(struct iphdr) + sizeof(struct icmphdr);
ip->id = htons(random());
ip->ttl = 255;
ip->protocol = IPPROTO_ICMP;
ip->saddr = inet_addr(src_addr);
ip->daddr = inet_addr(dst_addr);
if ((sockfd = socket(AF_INET, SOCK_RAW, IPPROTO_ICMP)) == -1)
{
perror("socket");
exit(EXIT_FAILURE);
}
/*
* IP_HDRINCL must be set on the socket so that
* the kernel does not attempt to automatically add
* a default ip header to the packet
*/
setsockopt(sockfd, IPPROTO_IP, IP_HDRINCL, &optval, sizeof(int));
/*
* here the icmp packet is created
* also the ip checksum is generated
*/
icmp->type = ICMP_ECHO;
icmp->code = 0;
icmp->un.echo.id = 0;
icmp->un.echo.sequence = 0;
icmp->checksum = 0;
icmp-> checksum = in_cksum((unsigned short *)icmp, sizeof(struct icmphdr));
ip->check = in_cksum((unsigned short *)ip, sizeof(struct iphdr));
如果这部分代码看起来足够灵活,那么请阅读原始套接字:D 也许它们是满足您需求的最简单和最安全的答案。
请查看以下链接以获取更多信息
http://courses.cs.vt.edu/~cs4254/fall04/slides/raw_6.pdf
http://www.cs.binghamton.edu/~steflik/cs455/rawip.txt
http://cboard.cprogramming.com/networking-device-communication/107801-linux-raw-socket-programming.html 一个非常好的话题,非常有用的imo
您可以尝试使用 libcrafter在用户空间进行数据包制作。非常好用!该库能够制作或解码大多数常见网络协议的数据包,通过网络发送它们,捕获它们并匹配请求和回复。
例如,下面的代码制作并发送一个 ICMP 数据包:
string MyIP = GetMyIP("eth0");
/* Create an IP header */
IP ip_header;
/* Set the Source and Destination IP address */
ip_header.SetSourceIP(MyIP);
ip_header.SetDestinationIP("1.2.3.4");
/* Create an ICMP header */
ICMP icmp_header;
icmp_header.SetType(ICMP::EchoRequest);
icmp_header.SetIdentifier(RNG16());
/* Create a packet... */
Packet packet = ip_header / icmp_header;
packet.Send();
为什么要在内核空间制作 ICMP 数据包?纯娱乐?:-p