我使用gethostbyname()来获取设备IP。在iOS5中,它工作得很好。但在iOS6中,gethostbyname()返回的主机值为空。下面是我用来获取设备当前本地IP的代码。
// retun the host name
- (NSString *)hostname
{
char baseHostName[256];
int success = gethostname(baseHostName, 255);
if (success != 0) return nil;
baseHostName[255] = '\0';
#if !TARGET_IPHONE_SIMULATOR
return [NSString stringWithFormat:@"%s.local", baseHostName];
#else
return [NSString stringWithFormat:@"%s", baseHostName];
#endif
}
// return IP Address
- (NSString *)localIPAddress
{
struct hostent *host = gethostbyname([[self hostname] UTF8String]);
if (!host) {
herror("resolv");
return nil;
}
struct in_addr **list = (struct in_addr **)host->h_addr_list;
return [NSString stringWithCString:inet_ntoa(*list[0]) encoding:NSUTF8StringEncoding];
}请注意,模拟器同时适用于iOS5和iOS6。只有iOS6设备出现故障。gethostbyname()有什么区别?或者您有其他方案可以在iOS6中获取本端ip吗?
发布于 2012-12-30 01:13:38
有几个可能的问题:
gethostbyname()仅适用于IPv4)、下面的代码以字符串数组的形式返回所有本地地址。它不依赖于名称解析,同时适用于IPv4和IPv6地址。
#include <sys/types.h>
#include <sys/socket.h>
#include <ifaddrs.h>
#include <net/if.h>
#include <netdb.h>
// return all local IP addresses
- (NSArray *)localIPAddresses
{
NSMutableArray *ipAddresses = [NSMutableArray array] ;
struct ifaddrs *allInterfaces;
// Get list of all interfaces on the local machine:
if (getifaddrs(&allInterfaces) == 0) {
struct ifaddrs *interface;
// For each interface ...
for (interface = allInterfaces; interface != NULL; interface = interface->ifa_next) {
unsigned int flags = interface->ifa_flags;
struct sockaddr *addr = interface->ifa_addr;
// Check for running IPv4, IPv6 interfaces. Skip the loopback interface.
if ((flags & (IFF_UP|IFF_RUNNING|IFF_LOOPBACK)) == (IFF_UP|IFF_RUNNING)) {
if (addr->sa_family == AF_INET || addr->sa_family == AF_INET6) {
// Convert interface address to a human readable string:
char host[NI_MAXHOST];
getnameinfo(addr, addr->sa_len, host, sizeof(host), NULL, 0, NI_NUMERICHOST);
[ipAddresses addObject:[[NSString alloc] initWithUTF8String:host]];
}
}
}
freeifaddrs(allInterfaces);
}
return ipAddresses;
}https://stackoverflow.com/questions/14082992
复制相似问题