強制類型轉換中的精度丟失

  最近在寫unix網絡程序的時候,須要完成一個很簡單的程序,將輸入的十六進制數轉成字符串形式的IP地址,代碼以下: 網絡

 1 /*************************************************************************
 2 > File Name: hex2add.c
 3 > Author: cat
 4 > Mail: luojinfu1988@163.com
 5 
 6 ************************************************************************/
 7 
 8 #include<stdio.h>
 9 #include<stdlib.h>
10 #include <sys/socket.h>
11 #include <netinet/in.h>
12 #include <arpa/inet.h>
13 
14 int main(int argc, char **argv)
15 {
16   if (argc != 2) {
17     printf("usage: %s <addr>\n", argv[0]);    
18     exit(-1);
19   }
20 
21   unsigned int temp = (unsigned int) strtol(argv[1], NULL, 16); 22 
23   struct in_addr addr;
24   addr.s_addr = htonl(temp);
25   printf("the ip address is %s\n", inet_ntoa(addr));
26 
27   return 0;
28 }

  可是輸出的結果卻不正確,0xffffffff 應該轉化成 255.255.255.255 纔對,爲何結果會轉化錯呢?socket

  使用gdb調試的時候發現,strtol 函數轉換出問題了,strtol函數的返回值是int類型,可以表達的值達不到0xffffffff做爲無符號數的值。函數

  好比,char 的取值範圍是 -128 ~ 127, unsigned char 的取值範圍是 0 ~ 255。 因此 有可能會出錯。spa

  strtol 函數的行爲有點怪,將接受到的字符串*nptr 按照無符號轉換,經過前置的+ 和 - 來決定正負,而不是最高位。當轉換結果相對應 int類型溢出時,就會被截斷。unix

 1 /*************************************************************************
 2 > File Name: hex2add.c
 3 > Author: cat
 4 > Mail: luojinfu1988@163.com 
 5 
 6 ************************************************************************/
 7 
 8 #include<stdio.h>
 9 #include<stdlib.h>
10 #include <sys/socket.h>
11 #include <netinet/in.h>
12 #include <arpa/inet.h>
13 
14 int main(int argc, char **argv)
15 {
16   if (argc != 2) {
17     printf("usage: %s <addr>\n", argv[0]);    
18     exit(-1);
19   }
20 
21   unsigned int temp = (unsigned int) strtoll(argv[1], NULL, 16); //此處咱們也能夠選擇sscanf 函數來替換,效果更好。
22 
23   struct in_addr addr;
24   addr.s_addr = htonl(temp);
25   printf("the ip address is %s\n", inet_ntoa(addr));
26 
27   return 0;
28 }

 

 

相關文章
相關標籤/搜索