一位朋友使用following snippet of code检索其局域网中主机的本地IP地址。
int buffersize = 512;
char name[buffersize];
if(gethostname(name, buffersize) == -1){
Exception excep("Failed to retrieve the name of the computer");
excep.raise();
}
struct hostent *hp = gethostbyname(name);
if(hp == NULL){
Exception excep("Failed to retrieve the IP address of the local host");
excep.raise();
}
struct in_addr **addr_list = (struct in_addr **)hp->h_addr_list;
for(int i = 0; addr_list[i] != NULL; i++) {
qDebug() << QString(inet_ntoa(*addr_list[i]));
}
它在Mac上运行正常。他说该阵列中的最后一个IP地址是他需要知道的。但是,我在Linux笔记本电脑上得到了这些值......
127.0.0.2
192.168.5.1
1.2.3.0
这些看起来类似于我的适配器使用的值,但不一样。这是一些ifconfig
数据:
eth0 Link encap:Ethernet HWaddr 1C:C1:DE:91:54:1A
UP BROADCAST MULTICAST MTU:1500 Metric:1
lo Link encap:Local Loopback
inet addr:127.0.0.1 Mask:255.0.0.0
wlan0 Link encap:Ethernet HWaddr [bleep]
inet addr:192.168.1.6 Bcast:192.168.1.255 Mask:255.255.255.0
似乎有些位被扰乱了。我们在这里错过了重要的转换吗?
答案 0 :(得分:0)
如果您真的使用Qt,则可以使用此代码
foreach (const QHostAddress& address, QNetworkInterface::allAddresses() ) {
qDebug() << address.toString();
}
如果你没有使用Qt,你可以学习如何在那里学习。
答案 1 :(得分:0)
您建议的方法依赖于“正确”的本地主机名和“正确”配置的DNS系统。我在引号中加上“正确”,因为除了您的程序之外,拥有未在DNS注册的本地主机名完全有效。
如果您有连接套接字(或可以生成连接套接字),建议您使用getsockname()
查找 本地IP地址。 (注意:不是 本地IP地址 - 你可以有几个。)
这是一个示例程序。显然,大多数是连接到google.com
并打印结果。只有拨打getsockname()
的电话与您的问题密切相关。
#include <sys/types.h>
#include <sys/socket.h>
#include <netdb.h>
#include <stdio.h>
#include <errno.h>
#include <unistd.h>
int main(int ac, char **av) {
addrinfo *res;
if(getaddrinfo("google.com", "80", 0, &res)) {
fprintf(stderr, "Can't lookup google.com\n");
return 1;
}
bool connected = false;
for(; res; res=res->ai_next) {
int fd = socket(res->ai_family, res->ai_socktype, res->ai_protocol);
if(fd < 0) {
perror("socket");
continue;
}
if( connect(fd, res->ai_addr, res->ai_addrlen) ) {
perror("connect");
close(fd);
continue;
}
sockaddr_in me;
socklen_t socklen = sizeof(me);
if( getsockname(fd, (sockaddr*)&me, &socklen) ) {
perror("getsockname");
close(fd);
continue;
}
if(socklen > sizeof(me)) {
close(fd);
continue;
}
char name[64];
if(getnameinfo((sockaddr*)&me, socklen, name, sizeof name, 0, 0, NI_NUMERICHOST)) {
fprintf(stderr, "getnameinfo failed\n");
close(fd);
continue;
}
printf("%s ->", name);
if(getnameinfo(res->ai_addr, res->ai_addrlen, name, sizeof name, 0, 0, NI_NUMERICHOST)) {
fprintf(stderr, "getnameinfo failed\n");
close(fd);
continue;
}
printf("%s\n", name);
close(fd);
}
}