Welcome 微信登录
编程资源 图片资源库 蚂蚁家优选 PDF转换器

首页 / 操作系统 / Linux / 跨Linux和Windows的C编程杂记

搞了几个跨Linux与Windows的项目,碰到很多问题,记下来,以供查考。另外,因为水平的原因,肯定错误在所难免,请读者一定指正。 如无其它说明,本文所指Linux均表示2.6内核Linux,GCC编译器,Windows均表示Windows XP系统,Visual Studio 2005 sp1编译环境。 下面大概分几个方面进行罗列:

socket

Linux要包含[cpp]
  1. #include <sys/socket.h>   
  2. #include <netinet/in.h>   
  3. #include <netdb.h>   
  4. #include <arpa/inet.h>  
等头文件,而windows下则是包含 [cpp]
  1. #include <winsock.h>  
。 Linux中socket为整形,Windows中为一个SOCKET。 Linux中关闭socket为close,Windows中为closesocket。 Linux中有变量socklen_t,Windows中直接为int。 因为linux中的socket与普通的fd一样,所以可以在TCP的socket中,发送与接收数据时,直接使用read和write。而windows只能使用recv和send。 设置socet选项,比如设置socket为非阻塞的。Linux下为[cpp]
  1. flag = fcntl (fd, F_GETFL);  
  2. fcntl (fd, F_SETFL, flag | O_NONBLOCK);  
,Windows下为 [cpp]
  1. flag = 1;  
  2. ioctlsocket (fd, FIONBIO, (unsigned long *) &flag);  
。 当非阻塞socket的TCP连接正在进行时,Linux的错误号为EINPROGRESS,Windows的错误号为WSAEWOULDBLOCK。

file

Linux下面,文件换行是" ",而windows下面是" "。 Linux下面,目录分隔符是"/",而windows下面是""。 Linux与Windows下面,均可以使用stat调用来查询文件信息。但是,Linux只支持2G大小,而Windows只支持4G大小。为了支持更大的文件查询,可以在Linux环境下加_FILE_OFFSET_BITS=64定义,在Windows下面使用_stat64调用,入参为struct __stat64。 Linux中可根据stat的st_mode判断文件类型,有S_ISREG、S_ISDIR等宏。Windows中没有,需要自己定义相应的宏,如[cpp]
  1. #define S_ISREG(m) (((m) & 0170000) == (0100000))   
  2. #define S_ISDIR(m) (((m) & 0170000) == (0040000))  
Linux中删除文件是unlink,Windows中为DeleteFile。

time

Linux中,time_t结构是长整形。而windows中,time_t结构是64位的整形。如果要在windows始time_t为32位无符号整形,可以加宏定义,_USE_32BIT_TIME_T。 Linux中,sleep的单位为秒。Windows中,Sleep的单位为毫秒。即,Linux下sleep (1),在Windows环境下则需要Sleep (1000)。 Windows中的timecmp宏,不支持大于等于或者小于等于。 Windows中没有struct timeval结构的加减宏可以使用,需要手动定义:[cpp]
  1. #define MICROSECONDS (1000 * 1000)   
  2.   
  3. #define timeradd(t1, t2, t3) do {                                                             
  4.   (t3)->tv_sec = (t1)->tv_sec + (t2)->tv_sec;                                                
  5.   (t3)->tv_usec = (t1)->tv_usec + (t2)->tv_usec % MICROSECONDS;                              
  6.   if ((t1)->tv_usec + (t2)->tv_usec > MICROSECONDS) (t3)->tv_sec ++;                         
  7. while (0)  
  8.   
  9. #define timersub(t1, t2, t3) do {                                                             
  10.   (t3)->tv_sec = (t1)->tv_sec - (t2)->tv_sec;                                                
  11.   (t3)->tv_usec = (t1)->tv_usec - (t2)->tv_usec;                                             
  12.   if ((t1)->tv_usec - (t2)->tv_usec < 0) (t3)->tv_usec --, (t3)->tv_usec += MICROSECONDS;    
  13. while (0)