首先,我对以太网和数据链路层的主题相当陌生,我正在尝试编写一个允许发送和接收以太网帧的 C 程序。
我试图让我的程序将以太网帧发送给自己,因此程序将具有相同的源和目标 MAC 地址。
我正在使用的程序是来自http://hacked10bits.blogspot.com/2011/12/sending-raw-ethernet-frames-in-6-easy.html的代码的修改版本
我一直在使用 recvfrom() 函数时遇到问题,它似乎只是阻塞并且程序没有终止。从代码中,我尝试发送以太网帧并让 recvfrom() 函数能够检索帧并将其存储在缓冲区中。但是因为 recvfrom() 函数只是阻塞,在我看来 sendto() 函数无法成功发送帧。
有什么想法可以解决这个问题吗?
这是我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/socket.h> /* Must precede if*.h */
#include <linux/if.h>
#include <linux/if_ether.h>
#include <linux/if_packet.h>
#include <sys/ioctl.h>
union ethframe
{
struct
{
struct ethhdr header;
unsigned char data[ETH_DATA_LEN];
} field;
unsigned char buffer[ETH_FRAME_LEN];
};
int main(int argc, char **argv) {
char *iface = "eth0";
unsigned char dest[ETH_ALEN]
= { 0x00, 0x12, 0x34, 0x56, 0x78, 0x90 };
unsigned short proto = 0x1234;
unsigned char *data = "hello world";
unsigned short data_len = strlen(data);
int s;
if ((s = socket(AF_PACKET, SOCK_RAW, htons(proto))) < 0) {
printf("Error: could not open socket\n");
return -1;
}
struct ifreq buffer;
int ifindex;
memset(&buffer, 0x00, sizeof(buffer));
strncpy(buffer.ifr_name, iface, IFNAMSIZ);
if (ioctl(s, SIOCGIFINDEX, &buffer) < 0) {
printf("Error: could not get interface index\n");
close(s);
return -1;
}
ifindex = buffer.ifr_ifindex;
unsigned char source[ETH_ALEN];
if (ioctl(s, SIOCGIFHWADDR, &buffer) < 0) {
printf("Error: could not get interface address\n");
close(s);
return -1;
}
memcpy((void*)source, (void*)(buffer.ifr_hwaddr.sa_data),
ETH_ALEN);
//edited part... here we have it so that the destination mac address is
//the same as the source mac address
memcpy((void*)dest, (void*)(buffer.ifr_hwaddr.sa_data),
ETH_ALEN);
//probe source mac address
int k;
for(k = 0; k !=ETH_ALEN; k++)
{
printf("%x\n",source[k]);
printf("%x\n",dest[k]);
}
union ethframe frame;
memcpy(frame.field.header.h_dest, dest, ETH_ALEN);
memcpy(frame.field.header.h_source, source, ETH_ALEN);
frame.field.header.h_proto = htons(proto);
memcpy(frame.field.data, data, data_len);
unsigned int frame_len = data_len + ETH_HLEN;
struct sockaddr_ll saddrll;
memset((void*)&saddrll, 0, sizeof(saddrll));
saddrll.sll_family = PF_PACKET;
saddrll.sll_ifindex = ifindex;
saddrll.sll_halen = ETH_ALEN;
memcpy((void*)(saddrll.sll_addr), (void*)dest, ETH_ALEN);
if (sendto(s, frame.buffer, frame_len, 0,
(struct sockaddr*)&saddrll, sizeof(saddrll)) > 0)
printf("Frame successfully sent!\n");
else
printf("Error, could not send\n");
struct sockaddr_ll saddrll_receive;
memset((void*)&saddrll_receive, 0, sizeof(saddrll_receive));
socklen_t sll_len = (socklen_t)sizeof(saddrll_receive);
int recv_result;
char buffer_receive[ETH_FRAME_LEN];
recv_result = recvfrom(s, buffer_receive, ETH_FRAME_LEN, 0,
(struct sockaddr*)&saddrll_receive, &sll_len);
close(s);
return 0;
}
这当然是在 Linux 机器上。