获取本地主机名和IP地址的C ++ Windows函数调用

时间:2010-05-29 04:16:59

标签: c++ winapi ip-address hostname

是否有可以获取主机名和IP地址的内置Windows C ++函数调用?感谢。

2 个答案:

答案 0 :(得分:12)

要获取您可以使用的主机名:gethostname或异步方法WSAAsyncGetHostByName

要获取地址信息,您可以使用:getaddrinfo或unicode版本GetAddrInfoW

您可以使用Win32 API获取有关计算机名称(如域名)的更多信息:GetComputerNameEx

答案 1 :(得分:4)

这是一个多平台解决方案...... Windows,Linux和MacOSX。 您可以获取IP地址,端口,sockaddr_in,端口。

BOOL GetMyHostName(LPSTR pszBuffer, UINT nLen)
{
    BOOL ret;

    ret = FALSE;

    if (pszBuffer && nLen)
    {
        if ( gethostname(pszBuffer, nLen) == 0 )
            ret = TRUE;
        else
            *pszBuffer = '\0';
    }

    return ret;
}


ULONG GetPeerName(SOCKET _clientSock, LPSTR _pIPStr, UINT _IPMaxLen, int *_pport)
{
    struct sockaddr_in sin;
    unsigned long ipaddr;


    ipaddr = INADDR_NONE;

    if (_pIPStr && _IPMaxLen)
        *_pIPStr = '\0';

    if (_clientSock!=INVALID_SOCKET)
    {
        #if defined(_WIN32)
        int  locallen;
        #else
        UINT locallen;
        #endif

        locallen = sizeof(struct sockaddr_in);

        memset(&sin, '\0', locallen);

        if (getpeername(_clientSock, (struct sockaddr *) &sin, &locallen) == 0)
        {
            ipaddr = GetSinIP(&sin, _pIPStr, _IPMaxLen);

            if (_pport)
                *_pport = GetSinPort(&sin);
        }
    }

    return ipaddr;
}


ULONG GetSinIP(struct sockaddr_in *_psin, LPSTR pIPStr, UINT IPMaxLen)
{
    unsigned long ipaddr;

    ipaddr = INADDR_NONE;

    if (pIPStr && IPMaxLen)
        *pIPStr = '\0';

    if ( _psin )
    {
        #if defined(_WIN32)
        ipaddr = _psin->sin_addr.S_un.S_addr;
        #else
        ipaddr = _psin->sin_addr.s_addr;
        #endif

        if (pIPStr && IPMaxLen)
        {
            char  *pIP;
            struct in_addr in;

            #if defined(_WIN32)
            in.S_un.S_addr = ipaddr;
            #else
            in.s_addr = ipaddr;
            #endif

            pIP = inet_ntoa(in);

            if (pIP && strlen(pIP) < IPMaxLen)
                strcpy(pIPStr, pIP);
        }
    }

    return ipaddr;
}


int GetSinPort(struct sockaddr_in *_psin)
{
    int port;

    port = 0;

    if ( _psin )
        port = _Xntohs(_psin->sin_port);

    return port;
}
相关问题