基于Raw Socket的Sniffer实现C++
时间: 2024-06-11 14:10:11 浏览: 244
sniffer/C++
Raw Socket是一种底层的网络通信方式,它可以直接访问网络层和传输层的协议,因此可以用来实现网络嗅探器(Sniffer)。在Linux系统中,可以使用C语言编写Raw Socket程序,以下是一个基于Raw Socket的简单Sniffer实现:
```
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <arpa/inet.h>
#include <net/ethernet.h>
#include <netinet/ip.h>
#define BUFFER_SIZE 65536
void sniffer(char *interface) {
int sock_raw;
struct sockaddr_in saddr;
unsigned char *buffer = (unsigned char*)malloc(BUFFER_SIZE);
sock_raw = socket(AF_INET , SOCK_RAW , IPPROTO_TCP);
if (sock_raw < 0) {
printf("Socket Error\n");
return;
}
memset(&saddr, 0, sizeof(saddr));
saddr.sin_family = AF_INET;
saddr.sin_port = htons(0);
saddr.sin_addr.s_addr = inet_addr(interface);
if (bind(sock_raw, (struct sockaddr *)&saddr, sizeof(saddr)) < 0) {
printf("Bind Error\n");
return;
}
while(1) {
int data_size = recvfrom(sock_raw, buffer, BUFFER_SIZE, 0, NULL, NULL);
if (data_size < 0) {
printf("Recvfrom Error\n");
return;
}
struct ethhdr *eth = (struct ethhdr *)buffer;
if (ntohs(eth->h_proto) != ETH_P_IP) {
continue;
}
struct iphdr *ip = (struct iphdr *)(buffer + sizeof(struct ethhdr));
printf("Source IP: %s\n", inet_ntoa(*(struct in_addr *)&ip->saddr));
printf("Dest IP: %s\n", inet_ntoa(*(struct in_addr *)&ip->daddr));
printf("\n");
}
close(sock_raw);
free(buffer);
}
int main(int argc, char *argv[]) {
if (argc != 2) {
printf("Usage: %s interface\n", argv[0]);
return 0;
}
sniffer(argv[1]);
return 0;
}
```
在上面的代码中,我们使用了socket()函数创建了一个原始套接字(AF_INET、SOCK_RAW、IPPROTO_TCP),并使用bind()函数将其绑定到指定的网络接口上。在循环中,我们使用recvfrom()函数接收数据包,并对其进行解析,只输出IP协议的包。注意,为了方便输出,我们使用了inet_ntoa()函数将IP地址转换为字符串格式。
要运行这个程序,需要使用root权限,并指定一个网络接口作为参数,例如:
```
sudo ./sniffer eth0
```
其中,eth0是你要监听的网络接口。运行后,程序将会输出所有经过该接口的IP协议数据包的源IP地址和目的IP地址。
阅读全文