• inet_ntop4源代码实现


    原理

    inet_ntop4实现的功能,就是将网络字节序地址转化成 ip地址字符串
    网络字节序地址:就是一个char[4] 类型,将ip地址的4个元素依次存放在数组
    ip地址字符串: “127.0.0.1”

    代码实现

    #include
    #include
    #include
    extern const char *inet_ntop4 (const void *__restrict __cp,
    			      char *__restrict __buf, socklen_t __len)
    {
        __uint8_t tempCp[4];
        memcpy(&tempCp, __cp, 4);
        char tempStr[16];
        sprintf(tempStr, "%u.%u.%u.%u", tempCp[0], tempCp[1], tempCp[2], tempCp[3]);
        memcpy(__buf, tempStr, __len);
        return (__buf);
    }
    
    int main()
    {
        char ip[] = {127,0,0,1};
        char buff[30];
        inet_ntop4(ip, buff, 30);
        printf("%s\n", buff);
        return 0;
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23

    挖掘:

    我们一般都是将 ip地址字符串 转成 网络字节序地址
    比如我们写基础socket代码时:

    #include 
    #include 
    #include 
    #include 
    #include 
    #include 
    #include 
    
    int main()
    {
        int fd = socket(AF_INET, SOCK_STREAM, 0);
        struct sockaddr_in addr;
        addr.sin_family = AF_INET;
        addr.sin_port = htons(8001);
        inet_pton(AF_INET, "127.0.0.1", &addr.sin_addr);  // 这里就是将ip字符串转化成 网络字节序地址
        return 0;
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17

    当我们查看 sin_addr,它的结构是:

    typedef uint32_t in_addr_t;
    struct in_addr
      {
        in_addr_t s_addr;
      };
    
    • 1
    • 2
    • 3
    • 4
    • 5

    这里用了一个 32位的int来存储 char[4] ,不得不说设计的很巧妙。
    我需用用到ip地址时,用 memcpy 把__uint32_t的变量写到指定的类型变量就可以使用。

    总结:

    多思考,多实践,多看源码才能找出答案。有时候网络上的答案未必靠谱。

  • 相关阅读:
    设备接入服务组件->微服务and容器化改造说明文档
    [python]用flask框架搭建微信公众号的后台
    Ceres 曲线拟合
    HarmonyOS CPU与I/O密集型任务开发指导
    「SpringBoot」07 指标监控
    ESP32 下蓝牙播放音乐
    线性回归详解
    量化交易全流程(七)
    [机缘参悟-53]:《素书》-2-俊、豪、杰[正道章第二]
    PerfView专题 (第一篇):如何寻找 C# 热点函数
  • 原文地址:https://blog.csdn.net/h799710/article/details/127559853