在 C 语言中使用 getaddrinfo 函数
本文将演示有关如何在 C 语言中使用 getaddrinfo
函数的多种方法。
在 C 语言中使用 getaddrinfo
函数将主机名转换为 IP 地址
getaddrinfo
是 UNIX 网络编程工具的一部分,它可以将网络主机信息转换为 IP 地址,反之亦然。getaddrinfo
也是 POSIX 兼容的函数调用,无论底层协议如何,它都可以进行转换。
getaddrinfo
接受四个参数,
- 第一个可以是指向主机名或 IPv4/IPv6 格式的地址字符串的指针。
- 第二个参数可以是服务名称或用十进制整数表示的端口号。
- 接下来的两个参数是指向
addrinfo
结构的指针。第一个是hints
,它指定过滤检索到的套接字结构的要求,而第二个是指针,该函数将动态分配addrinfo
结构的链表。
注意,hints
结构体应设置为零,然后为其分配成员。ai_family
成员将地址族(例如 IPv4 或 IPv6)分别表示为 AF_INET 和 AF_INET6。在这种情况下,我们对服务名转换不感兴趣,并指定 NULL
作为该函数的第二个参数。最后,我们调用 getnameinfo
将给定的 sockaddr
结构转换为可打印形式。
#include <stdio.h>
#include <stdlib.h>
#include <sys/socket.h>
#include <netdb.h>
#include <string.h>
int main(int argc, char const *argv[]) {
struct addrinfo hints;
struct addrinfo *res, *tmp;
char host[256];
memset(&hints, 0, sizeof(struct addrinfo));
hints.ai_family = AF_INET;
if (argc != 2) {
fprintf(stderr, "%s string\n", argv[0]);
exit(EXIT_FAILURE);
}
int ret = getaddrinfo(argv[1], NULL, &hints, &res);
if (ret != 0) {
fprintf(stderr, "getaddrinfo: %s\n", gai_strerror(ret));
exit(EXIT_FAILURE);
}
for (tmp = res; tmp != NULL; tmp = tmp->ai_next) {
getnameinfo(tmp->ai_addr, tmp->ai_addrlen, host, sizeof(host), NULL, 0, NI_NUMERICHOST);
puts(host);
}
freeaddrinfo(res);
exit(EXIT_SUCCESS);
}
示例命令:
./program localhost
输出:
127.0.0.1
127.0.0.1
127.0.0.1
使用 getnameinfo
函数将 IP 地址转换为 C 语言中的主机名
在这种情况下,getnameinfo
函数与 getaddrinfo
一起使用,它检索对应 IP 地址的主机名。注意,我们处理了第一个命令行参数的用户输入,并将其作为 getaddrinfo
参数传递,以检索 socketaddr
结构。最后,每个结构都可以转换为主机名字符串。由于 getaddrinfo
分配动态内存以将链接列表存储在第四个参数中,因此用户应通过 freeaddrinfo
函数调用来释放此指针。
#include <stdio.h>
#include <stdlib.h>
#include <sys/socket.h>
#include <netdb.h>
#include <string.h>
int main(int argc, char const *argv[]) {
struct addrinfo hints;
struct addrinfo *res, *tmp;
char host[256];
memset(&hints, 0, sizeof(struct addrinfo));
hints.ai_family = AF_INET;
if (argc != 2) {
fprintf(stderr, "%s string\n", argv[0]);
exit(EXIT_FAILURE);
}
int ret = getaddrinfo(argv[1], NULL, &hints, &res);
if (ret != 0) {
fprintf(stderr, "getaddrinfo: %s\n", gai_strerror(ret));
exit(EXIT_FAILURE);
}
for (tmp = res; tmp != NULL; tmp = tmp->ai_next) {
getnameinfo(tmp->ai_addr, tmp->ai_addrlen, host, sizeof(host), NULL, 0, 0);
}
freeaddrinfo(res);
exit(EXIT_SUCCESS);
}
示例命令:
./program 127.0.0.1
输出:
localhost
localhost
localhost
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn