有没有办法用单个循环和IPv6套接字处理getaddrinfo()输出?

时间:2011-03-20 17:38:24

标签: c linux networking posix

我希望能够遍历一个列表,该列表是getaddrinfo()函数的结果,并使用该列表的每个元素调用connect(),直到connect()成功。不幸的是,即使我指定AI_ALL | AI_V4MAPPED标志和AF_INET6系列,结果也是混合的。列表的第一部分包含sockaddr_in6结构,第二部分包含sockaddr_in结构,因此我不能将它们与AF_INET6套接字一起使用。

我知道我可以创建两个套接字。我想知道是否可以仅使用AF_INET6套接字来执行此操作。

这是操作系统:

> uname -a
> Linux debian 2.6.32-5-amd64 #1 SMP Wed Jan 12 03:40:32 UTC 2011 x86_64 GNU/Linux

1 个答案:

答案 0 :(得分:1)

如果您正在创建AF_INET或AF_INET6套接字,则无需担心。 只需将getaddrinfo()调用中的数据传递给socket()调用即可。

e.g。

/* returns -1 on error, or a connected socket descriptor*/
int opensock(const char *hostname, const char *service)
{
    struct addrinfo hint, *host, *res = NULL;
    int tcp_sd = -1, error;

    memset(&hint, '\0', sizeof(hint));
    hint.ai_socktype = SOCK_STREAM;
    hint.ai_family = PF_UNSPEC;
    error = getaddrinfo(hostname, service, &hint, &res);
    if(error){
        syslog(LOG_DEBUG,"getaddrinfo failed. Cant find host %s: %m",hostname);
        return tcp_sd;
    }
    for (host = res; host; host = host->ai_next) {
        tcp_sd = socket(host->ai_family, host->ai_socktype, host->ai_protocol);
        if (tcp_sd < 0) {
            continue;
        }

        if (connect(tcp_sd, host->ai_addr, host->ai_addrlen) < 0) {
            close(tcp_sd);
            tcp_sd = -1;
            continue;
        }

        break;      /* okay we got one */
    }

    freeaddrinfo(res);

    return tcp_sd;
}