我有一个看似简单的任务,即打印有关通过特定以太网接口的帧的基本信息。我有一个定义为
的套接字if ((sd = socket(PF_PACKET, SOCK_RAW, htons(ETH_P_ALL))) == -1) return __LINE__;
strcpy(ifr.ifr_name, argv[1]);
if (ioctl(sd, SIOCGIFFLAGS, &ifr) == -1) return __LINE__;
ifr.ifr_flags |= IFF_PROMISC;
if (ioctl(sd, SIOCSIFFLAGS, &ifr) == -1) return __LINE__;
if (ioctl(sd, SIOCGIFINDEX, &ifr) == -1) return __LINE__;
我循环输入
while (active) {
FD_SET(sd, &fds);
FD_SET(STDIN_FILENO, &fds);
if ((rv = select(sd + 1, &fds, NULL, NULL, &tv)) < 0)
active = 0;
if (FD_ISSET(sd, &fds)) input(sd, buf);
这是我遇到问题的地方。我使用struct
struct ethheader {
unsigned char dsta[6];
unsigned char srca[6];
uint16_t type;
};
输出
等信息void input(int sd, char *buf) {
int i;
char *p = buf;
struct ethheader *eth = (struct ethheader*)buf;
int len = read(sd, buf, BUF_SIZ);
if (len < sizeof(struct ethheader)) {
printf("smaller than an ethernet frame\n");
return;
} else {
char dst[18];
char src[18];
for (i = 0; i < 6; i++) {
sprintf(dst + i * 3, "%02x:", eth->dsta[i]);
sprintf(src + i * 3, "%02x:", eth->srca[i]);
}
dst[17] = '\0';
src[17] = '\0';
printf("dst: %s src: %s ", dst, src);
switch (eth->type) {
case 0x0800:
printf("IPv4\n");
break;
case 0x0842:
printf("ARP\n");
break;
case 0x86DD:
printf("IPv6\n");
break;
default:
printf("unknown\n");
break;
}
}
}
我收到的输出表明我正在正确打印MAC地址,我没有正确检测协议。我很确定这个bug可以处理左值字节大小或字节顺序。或两者。在这一点上,我觉得有必要在这里问我如何更好地定义我的struct
值,以及为什么我的协议switch
被破坏了?
好的,在阅读了一些评论后,我能够正确读取以太网类型:
struct ethheader {
unsigned char dsta[6];
unsigned char srca[6];
unsigned char type[2];
};
int type = (eth->type[0] << 8) + eth->type[1];
我的第二个问题仍然存在:如何更好地定义具有更多便携式类型的这些struct
;或者我对unsigned char
很好吗?
答案 0 :(得分:3)
如果你加<net/ethernet.h>
,那么你将struct ether_header
:
struct ether_header
{
u_int8_t ether_dhost[ETH_ALEN]; /* destination eth addr */
u_int8_t ether_shost[ETH_ALEN]; /* source ether addr */
u_int16_t ether_type; /* packet type ID field */
} __attribute__ ((__packed__));
您可能想要使用的库函数如下:
#include <netinet/ether.h>
char *ether_ntoa(const struct ether_addr *addr);
您是否考虑过使用libpcap?它确实使这些事情变得简单。
(比如让一个tachikoma为你做的工作:)