linux tcpdump 120.192.28.152 C++代码
时间: 2023-10-21 17:06:43 浏览: 86
抓取120.192.28.152的TCP数据包的代码如下:
```c
#include <stdio.h>
#include <stdlib.h>
#include <pcap.h>
void packet_handler(u_char *param, const struct pcap_pkthdr *header, const u_char *pkt_data);
int main(int argc, char *argv[])
{
char errbuf[PCAP_ERRBUF_SIZE];
pcap_t *handle;
// 打开网络接口
handle = pcap_open_live("eth0", 65535, 1, 0, errbuf);
if (!handle)
{
fprintf(stderr, "Couldn't open device: %s\n", errbuf);
exit(EXIT_FAILURE);
}
// 设置过滤规则
struct bpf_program fp;
char filter_exp[] = "host 120.192.28.152 and tcp";
if (pcap_compile(handle, &fp, filter_exp, 0, 0) == -1)
{
fprintf(stderr, "Couldn't parse filter %s: %s\n", filter_exp, pcap_geterr(handle));
exit(EXIT_FAILURE);
}
if (pcap_setfilter(handle, &fp) == -1)
{
fprintf(stderr, "Couldn't install filter %s: %s\n", filter_exp, pcap_geterr(handle));
exit(EXIT_FAILURE);
}
// 开始捕获数据包
pcap_loop(handle, -1, packet_handler, NULL);
// 关闭网络接口
pcap_close(handle);
return 0;
}
void packet_handler(u_char *param, const struct pcap_pkthdr *header, const u_char *pkt_data)
{
printf("Packet captured of length %d\n", header->len);
}
```
这段代码使用libpcap库来捕获网络数据包。在main函数中,我们首先打开网络接口eth0,然后设置过滤规则,只捕获目的IP地址为120.192.28.152且协议类型为TCP的数据包。最后,我们调用pcap_loop函数开始捕获数据包,并将每个数据包传递给packet_handler函数进行处理。
在packet_handler函数中,我们只是简单地打印出捕获的数据包的长度,但实际上可以对数据包进行更复杂的处理,例如提取数据包中的字段、计算数据包的校验和等。
阅读全文