我是套接字编程的新手,并且试图了解htons()的操作。我已经在互联网上阅读了一些教程,例如thisthis。但是我不明白htons()到底能做什么。我尝试了以下代码:

#include <stdio.h>
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>

int main( int argc, char *argv[] )
{
    int sockfd, newsockfd, portno, clilen;
    char buffer[256];
    struct sockaddr_in serv_addr, cli_addr;
    int  n;

    /* First call to socket() function */
    sockfd = socket(AF_INET, SOCK_STREAM, 0);
    if (sockfd < 0)
    {
        perror("ERROR opening socket");
        exit(1);
    }
    /* Initialize socket structure */
    bzero((char *) &serv_addr, sizeof(serv_addr));
    portno = 5001;
    serv_addr.sin_family = AF_INET;
    serv_addr.sin_addr.s_addr = INADDR_ANY;
    serv_addr.sin_port = htons(portno);

    /* Now bind the host address using bind() call.*/
    if (bind(sockfd, (struct sockaddr *) &serv_addr,
                          sizeof(serv_addr)) < 0)
    {
         perror("ERROR on binding");
         exit(1);
    }

    /* Now start listening for the clients, here process will
    * go in sleep mode and will wait for the incoming connection
    */
    listen(sockfd,5);
    clilen = sizeof(cli_addr);

    /* Accept actual connection from the client */
    newsockfd = accept(sockfd, (struct sockaddr *)&cli_addr,
                                &clilen);
    if (newsockfd < 0)
    {
        perror("ERROR on accept");
        exit(1);
    }
    /* If connection is established then start communicating */
    bzero(buffer,256);
    n = read( newsockfd,buffer,255 );
    if (n < 0)
    {
        perror("ERROR reading from socket");
        exit(1);
    }
    printf("Here is the message: %s\n",buffer);

    /* Write a response to the client */
    n = write(newsockfd,"I got your message",18);
    if (n < 0)
    {
        perror("ERROR writing to socket");
        exit(1);
    }
    return 0;
}

调试时sin_port的值显示为35091,我不明白portno如何从5001变为35091。有人可以解释一下值(value)变动的原因吗?

最佳答案

它与字节在内存中的存储顺序有关。十进制数5001是十六进制的0x1389,因此涉及的字节是0x130x89。许多设备以低字节序格式存储数字,这意味着最低有效字节在前。因此,在此特定示例中,这意味着在内存中,将5001号存储为

0x89 0x13
htons()函数可确保数字以网络字节顺序存储在内存中,网络字节顺序是最高有效字节在先。因此,它将交换组成该数字的字节,以便在内存中按以下顺序存储字节:
0x13 0x89

在小字节序的计算机上,已交换字节的数字以十六进制表示的0x8913,以十进制表示形式的35091。请注意,如果您使用的是big-endian机器,则htons()函数无需进行任何交换,因为该数字已经以正确的方式存储在内存中。

所有这种交换的根本原因与所使用的网络协议(protocol)有关,网络协议(protocol)要求所传输的数据包使用网络字节顺序。

10-08 12:14