//ifconf通常是用來儲存所有介面資訊的
//if.h
struct ifconf
{
int ifc_len; /* size of buffer */
union
{
char *ifcu_buf; /* input from user->kernel*/
struct ifreq *ifcu_req; /* return from kernel->user*/
} ifc_ifcu;
};
#define ifc_buf ifc_ifcu.ifcu_buf /* buffer address */
#define ifc_req ifc_ifcu.ifcu_req /* array of structures */
//ifreq用來儲存某個介面的資訊
//if.h
struct ifreq {
char ifr_name[IFNAMSIZ];
union {
struct sockaddr ifru_addr;
struct sockaddr ifru_dstaddr;
struct sockaddr ifru_broadaddr;
short ifru_flags;
int ifru_metric;
caddr_t ifru_data;
} ifr_ifru;
};
#define ifr_addr ifr_ifru.ifru_addr
#define ifr_dstaddr ifr_ifru.ifru_dstaddr
#define ifr_broadaddr ifr_ifru.ifru_broadaddr
上邊這兩個結構看起來比較複雜,我們現在把它們簡單化一些:
比如說現在我們向實現獲得本地IP的功能。
我們的做法是:
1. 先通過ioctl獲得本地所有介面的資訊,並儲存在ifconf中
2. 再從ifconf中取出每一個ifreq中表示ip地址的資訊
具體使用時我們可以認為ifconf就有兩個成員:
ifc_len 和 ifc_buf,一所示:
ifc_len:表示用來存放所有介面資訊的緩衝區長度
ifc_buf:表示存放介面資訊的緩衝區
所以我們需要在程式開始時對ifconf的ifc_led和ifc_buf進行初始化
接下來使用ioctl擷取所有介面資訊,完成後ifc_len記憶體放實際獲得的借口資訊總長度
並且資訊被存放在ifc_buf中。
如示:(假設讀到兩個介面資訊)
接下來我們只需要從一個一個的介面資訊擷取ip地址資訊即可。
下面有一個簡單的參考:
#include
#include
#include
#include
#include in.h>
#include <string.h>
#include if.h>
#include
int main()
{
int i=0;
int sockfd;
struct ifconf ifconf;
unsigned char buf[512];
struct ifreq *ifreq;
//初始化ifconf
ifconf.ifc_len = 512;
ifconf.ifc_buf = buf;
if((sockfd = socket(AF_INET, SOCK_DGRAM, 0))<0)
{
perror("socket");
exit(1);
}
ioctl(sockfd, SIOCGIFCONF, &ifconf); //擷取所有介面資訊
//接下來一個一個的擷取IP地址
ifreq = (struct ifreq*)buf;
for(i=(ifconf.ifc_len/sizeof(struct ifreq)); i>0; i--)
{
// if(ifreq->ifr_flags == AF_INET){ //for ipv4
printf("name = [%s]\n", ifreq->ifr_name);
printf("local addr = [%s]\n",
inet_ntoa(((struct sockaddr_in*)&(ifreq->ifr_addr))->sin_addr));
ifreq++;
// }
}
return 0;
}