socket编程 —— 非阻塞socket

来源:互联网 发布:淘宝店铺怎么升级旺铺 编辑:程序博客网 时间:2024/05/12 13:05

 在上一篇文章 《socket编程——一个简单的例子》http://blog.csdn.net/wind19/archive/2011/01/21/6156339.aspx 中写了一个简单的tcp socket通信程序,可以进行数据的交互,但有一个问题是这个程序是阻塞的,任何socket函数都要等返回后才能进行下一步动作,如果recv一直没有数据,那么就一直不会返回,整个进程就阻塞在那。所以我们要进行改造一下,让程序不再阻塞在那,而是在有数据到来的时候读一下数据,有数据要写的时候发送一下数据。

 

    设置阻塞模式的函数一般由两个fcntl 和 ioctl

 

先放源程序,服务器端还是阻塞的,客服端改成非阻塞的,只是作为一个例子

[cpp] view plaincopy
  1. /*server.c*/  
  2. #include <stdio.h>  
  3. #include <string.h>  
  4. #include <sys/socket.h>  
  5. #include <netinet/in.h>  
  6. #include <stdlib.h>  
  7. #include <syslog.h>  
  8. #include <errno.h>  
  9. #define MAX_LISTEN_NUM 5  
  10. #define SEND_BUF_SIZE 100  
  11. #define RECV_BUF_SIZE 100  
  12. #define LISTEN_PORT 1010  
  13. int main()  
  14. {  
  15.   int listen_sock = 0;  
  16.   int app_sock = 0;  
  17.   struct sockaddr_in hostaddr;  
  18.   struct sockaddr_in clientaddr;  
  19.   int socklen = sizeof(clientaddr);  
  20.   char sendbuf[SEND_BUF_SIZE] = {0};  
  21.   char recvbuf[RECV_BUF_SIZE] = {0};  
  22.   int sendlen = 0;  
  23.   int recvlen = 0;  
  24.   int retlen = 0;  
  25.   int leftlen = 0;  
  26.   char *ptr = NULL;  
  27.   int flags = 1;  
  28.   int flaglen = sizeof(flags);  
  29.   memset((void *)&hostaddr, 0, sizeof(hostaddr));  
  30.   memset((void *)&clientaddr, 0, sizeof(clientaddr));  
  31.   hostaddr.sin_family = AF_INET;  
  32.   hostaddr.sin_port = htons(LISTEN_PORT);  
  33.   hostaddr.sin_addr.s_addr = htonl(INADDR_ANY);  
  34.   listen_sock = socket(AF_INET, SOCK_STREAM, 0);  
  35.   if(listen_sock < 0)  
  36.   {  
  37.       syslog(LOG_ERR, "%s:%d, create socket failed", __FILE__, __LINE__);  
  38.       exit(1);  
  39.   }  
  40.   if(setsockopt(listen_sock, SOL_SOCKET, SO_REUSEADDR, &flags, flaglen) < 0)  
  41.   {  
  42.       syslog(LOG_ERR, "%s:%d, create socket failed", __FILE__, __LINE__);  
  43.       exit(1);  
  44.   }  
  45.   if(bind(listen_sock, (struct sockaddr *)&hostaddr, sizeof(hostaddr)) < 0)  
  46.   {  
  47.       syslog(LOG_ERR, "%s:%d, bind socket failed", __FILE__, __LINE__);  
  48.       exit(1);  
  49.   }  
  50.   if(listen(listen_sock, MAX_LISTEN_NUM) < 0)  
  51.   {  
  52.       syslog(LOG_ERR, "%s:%d, listen failed", __FILE__, __LINE__);  
  53.       exit(1);  
  54.   }  
  55.   while(1)  
  56.   {  
  57.       app_sock = accept(listen_sock, (struct sockaddr *)&clientaddr, &socklen);  
  58.       if(app_sock < 0)  
  59.      {  
  60.         syslog(LOG_ERR, "%s:%d, accept failed", __FILE__, __LINE__);  
  61.         exit(1);  
  62.      }  
  63.      sprintf(sendbuf, "welcome %s:%d here!/n", inet_ntoa(clientaddr.sin_addr.s_addr), clientaddr.sin_port);  
  64.      //send data  
  65.      sendlen = strlen(sendbuf) +1;  
  66.      retlen = 0;  
  67.      leftlen = sendlen;  
  68.      ptr = sendbuf;  
  69.      //while(leftlen)  
  70.      {  
  71.          syslog(LOG_ERR, "%s:%d, before send", __FILE__, __LINE__);  
  72.          retlen = send(app_sock, ptr, sendlen, 0);  
  73.       if(retlen < 0)  
  74.       {  
  75.           if(errno == EINTR)  
  76.             retlen = 0;  
  77.         else  
  78.             exit(1);  
  79.       }  
  80.       leftlen -= retlen;  
  81.       ptr += retlen;  
  82.       syslog(LOG_ERR, "%s:%d, after send, retlen = %d", __FILE__, __LINE__, retlen);  
  83.      }  
  84.      //receive data  
  85.      recvlen = 0;  
  86.      retlen = 0;  
  87.      ptr = recvbuf;  
  88.      leftlen = RECV_BUF_SIZE -1;  
  89.      //do  
  90.      {  
  91.          retlen = recv(app_sock, ptr, leftlen, 0) ;  
  92.       if(retlen < 0)  
  93.       {  
  94.           if(errno == EINTR)  
  95.             retlen = 0;  
  96.         else  
  97.             exit(1);  
  98.       }  
  99.       recvlen += retlen;  
  100.       leftlen -= retlen;  
  101.       ptr += retlen;  
  102.      }  
  103.      //while(recvlen && leftlen);  
  104.      printf("receive data is : %s", recvbuf);  
  105.     close(app_sock);  
  106.   }  
  107.   close(listen_sock);  
  108.     
  109.   return 0;  
  110.     
  111.     
  112. }  

 

[cpp] view plaincopy
  1. /*clent.c*/  
  2. #include <stdio.h>  
  3. #include <string.h>  
  4. #include <sys/socket.h>  
  5. #include <netinet/in.h>  
  6. #include <syslog.h>  
  7. #include <errno.h>  
  8. #include <stdlib.h>  
  9. #include <fcntl.h>  
  10. #include <stdbool.h>  
  11. #include <sys/select.h>   
  12. #include <sys/times.h>   
  13. #define MAX_LISTEN_NUM 5  
  14. #define SEND_BUF_SIZE 100  
  15. #define RECV_BUF_SIZE 100  
  16. #define SERVER_PORT 1010  
  17. #define MAX_CONNECT_TIMES 5  
  18. bool Connect(int sock_fd, struct sockaddr* pser_addr, int* paddrlen)  
  19. {  
  20.     if(connect(sock_fd, pser_addr, *paddrlen) < 0)  
  21.     {  
  22.         if(errno == EISCONN)  
  23.         {  
  24.             syslog(LOG_ERR, "%s:%d, connect socket completed", __FILE__, __LINE__);  
  25.          return true;  
  26.         }  
  27.         if(errno != EINPROGRESS && errno != EALREADY && errno != EWOULDBLOCK)  
  28.         {  
  29.             syslog(LOG_ERR, "%s:%d, connect socket failed", __FILE__, __LINE__);  
  30.             return false;  
  31.         }  
  32.     else  
  33.         {  
  34.             syslog(LOG_ERR, "%s:%d, connect socket does not completed", __FILE__, __LINE__);  
  35.         }  
  36.     }  
  37.     else  
  38.     {  
  39.         syslog(LOG_ERR, "%s:%d, connect socket completed", __FILE__, __LINE__);  
  40.     return true;  
  41.     }  
  42.     fd_set fds_red, fds_write;  
  43.     struct timeval tval;  
  44.     int selret = 0;  
  45.     tval.tv_sec = 3;  
  46.     tval.tv_usec = 0;  
  47.     int ntrytimes = 0;  
  48.       
  49.     while(1 && ntrytimes < MAX_CONNECT_TIMES)  
  50.     {  
  51.         FD_ZERO(&fds_red);  
  52.         FD_SET(sock_fd, &fds_red);  
  53.           
  54.         FD_ZERO(&fds_write);  
  55.         FD_SET(sock_fd, &fds_write);  
  56.         syslog(LOG_ERR, "%s:%d, before select", __FILE__, __LINE__);  
  57.           
  58.         selret = select(sock_fd + 1, &fds_red, &fds_write, NULL, &tval);  
  59.           
  60.         syslog(LOG_ERR, "%s:%d, after select", __FILE__, __LINE__);  
  61.         if(selret < 0)  
  62.         {  
  63.           if(errno == EINTR)  
  64.           {  
  65.                ntrytimes++;  
  66.             continue;  
  67.           }  
  68.           else  
  69.           {  
  70.                  syslog(LOG_ERR, "%s:%d, select failed", __FILE__, __LINE__);  
  71.                  return false;  
  72.           }  
  73.         }  
  74.         else if(selret == 0)  
  75.            {  
  76.               syslog(LOG_ERR, "%s:%d, connect socket timeout", __FILE__, __LINE__);  
  77.               ntrytimes++;  
  78.            continue;  
  79.         }  
  80.         else  
  81.         {  
  82.              syslog(LOG_ERR, "%s:%d, select default", __FILE__, __LINE__);  
  83.                
  84.             if(FD_ISSET(sock_fd, &fds_red) || FD_ISSET(sock_fd, &fds_write))  
  85.             {  
  86.                 int error = 0;  
  87.                 int len = sizeof(error);  
  88.                 int rc = getsockopt(sock_fd, SOL_SOCKET, SO_ERROR, (void *) &error, &len);  
  89.                 if(rc == -1)  
  90.                 {  
  91.                     syslog(LOG_ERR, "%s:%d, connection is closed", __FILE__, __LINE__);  
  92.                     return false;  
  93.                 }  
  94.                 else if(error)  
  95.                 {  
  96.                     syslog(LOG_ERR, "%s:%d, connection is closed", __FILE__, __LINE__);  
  97.                     return false;  
  98.                 }  
  99.                 else  
  100.                 {  
  101.                     syslog(LOG_ERR, "%s:%d, connection is ok", __FILE__, __LINE__);  
  102.               return true;  
  103.                 }  
  104.                   
  105.             }  
  106.             else  
  107.             {  
  108.                 syslog(LOG_ERR, "%s:%d, no descriptor is ready", __FILE__, __LINE__);  
  109.              continue;  
  110.             }  
  111.         }  
  112.     }  
  113.       
  114.     return false;  
  115.       
  116. }  
  117. //return value, -1 means Recv happs error; 0 means timeout or be interupted; > 0 means ok  
  118. int Recv(int sock_fd, char * recvbuf, int recvbuflen)  
  119. {  
  120.     fd_set fds_red;  
  121.     struct timeval tval;  
  122.     int selret = 0;  
  123.     tval.tv_sec = 3;  
  124.     tval.tv_usec = 0;  
  125.    //while(1)  
  126.    {  
  127.        //we must clear fds for every loop, otherwise can not check the change of descriptor  
  128.        FD_ZERO(&fds_red);  
  129.     FD_SET(sock_fd, &fds_red);  
  130.     syslog(LOG_ERR, "%s:%d, before select", __FILE__, __LINE__);  
  131.       
  132.        selret = select(sock_fd + 1, &fds_red, NULL, NULL, &tval);  
  133.          
  134.     syslog(LOG_ERR, "%s:%d, after select", __FILE__, __LINE__);  
  135.     if(selret < 0)  
  136.        {  
  137.             if(errno == EINTR)  
  138.          {  
  139.                 return 0;  
  140.          }  
  141.          else  
  142.          {  
  143.              syslog(LOG_ERR, "%s:%d, select failed", __FILE__, __LINE__);  
  144.                 return -1;  
  145.          }  
  146.        }  
  147.     else if(selret == 0)  
  148.     {  
  149.              syslog(LOG_ERR, "%s:%d, select timeout, no descriptors can be read or written", __FILE__, __LINE__);  
  150.           return 0;  
  151.     }  
  152.     else  
  153.        {  
  154.             syslog(LOG_ERR, "%s:%d, select default", __FILE__, __LINE__);  
  155.            
  156.              if(FD_ISSET(sock_fd, &fds_red))  
  157.              {  
  158.                    syslog(LOG_ERR, "%s:%d, receive data", __FILE__, __LINE__);  
  159.                 bool brecvres = true;  
  160.                     //receive data  
  161.              int recvlen = 0;  
  162.              int retlen = 0;  
  163.              char *ptr = recvbuf;  
  164.              int leftlen = recvbuflen -1;  
  165.              do  
  166.              {  
  167.                  syslog(LOG_ERR, "%s:%d, before  recv", __FILE__, __LINE__);  
  168.                  retlen = recv(sock_fd, ptr, leftlen, 0) ;  
  169.               syslog(LOG_ERR, "%s:%d, after recv, and retlen is %d, errno is %d", __FILE__, __LINE__, retlen, errno);  
  170.               if(retlen < 0)  
  171.               {  
  172.                   if(errno == EAGAIN || errno == EWOULDBLOCK)  
  173.                     {  
  174.                     break;  
  175.                     }  
  176.                   else if(errno == EINTR )  
  177.                   {  
  178.                     retlen = 0;  
  179.                   }  
  180.                   else  
  181.                   {  
  182.                       syslog(LOG_ERR, "%s:%d, recv data error is %d", __FILE__, __LINE__, errno);  
  183.                       return -1;  
  184.                   }  
  185.               }  
  186.               else if(retlen == 0)  
  187.               {  
  188.                   syslog(LOG_ERR, "%s:%d, socket is closed", __FILE__, __LINE__);  
  189.                   return -1;  
  190.               }  
  191.               recvlen += retlen;  
  192.               leftlen -= retlen;  
  193.               ptr += retlen;  
  194.              }  
  195.              while(leftlen);  
  196.                
  197.              syslog(LOG_ERR, "%s:%d, reveive data is %s", __FILE__, __LINE__, recvbuf);  
  198.              printf("receive data is : %s", recvbuf);  
  199.              return recvlen;  
  200.      
  201.              }  
  202.           else  
  203.           {  
  204.               return -1;  
  205.           }  
  206.        }  
  207.     }  
  208. }  
  209.   
  210. int Send(int sock_fd, char * sendbuf, int snebuflen)  
  211. {  
  212.      sprintf(sendbuf, "hello server/n");  
  213.      //send data  
  214.      int sendlen = strlen(sendbuf) +1;  
  215.      int retlen = 0;  
  216.      int leftlen = sendlen;  
  217.      char *ptr = sendbuf;  
  218.      fd_set fds_write;  
  219.     struct timeval tval;  
  220.     int selret = 0;  
  221.     tval.tv_sec = 3;  
  222.     tval.tv_usec = 0;  
  223.     FD_ZERO(&fds_write);  
  224.     FD_SET(sock_fd, &fds_write);  
  225.        retlen = send(sock_fd, ptr, sendlen, 0);  
  226.     if(retlen < sendlen)  
  227.     {  
  228.         if(retlen < 0)  
  229.         {  
  230.             if(errno != EWOULDBLOCK && errno != ENOBUFS && errno != EAGAIN && errno != EINTR)  
  231.             return -1;  
  232.         else  
  233.             retlen = 0;  
  234.         }  
  235.         while(1)  
  236.         {  
  237.             FD_ZERO(&fds_write);  
  238.             FD_SET(sock_fd, &fds_write);  
  239.               
  240.         selret = select(sock_fd + 1, NULL, &fds_write, NULL, &tval);  
  241.         if(selret < 0)  
  242.            {  
  243.                 if(errno == EINTR)  
  244.              {  
  245.                     continue;  
  246.              }  
  247.              else  
  248.              {  
  249.                  syslog(LOG_ERR, "%s:%d, select failed", __FILE__, __LINE__);  
  250.                     return -1;  
  251.              }  
  252.            }  
  253.         else if(selret == 0)  
  254.         {  
  255.                  syslog(LOG_ERR, "%s:%d, select timeout, no descriptors can be read or written", __FILE__, __LINE__);  
  256.               continue;  
  257.         }  
  258.         else  
  259.         {  
  260.             if(FD_ISSET(sock_fd, &fds_write) )  
  261.             {  
  262.                    leftlen -= retlen;  
  263.                 sendlen = leftlen;  
  264.                 ptr += retlen;  
  265.                       
  266.                 syslog(LOG_ERR, "%s:%d, send data", __FILE__, __LINE__);  
  267.                 do  
  268.                 {  
  269.                      retlen = send(sock_fd, ptr, sendlen, 0);  
  270.                     if(retlen < 0)  
  271.                     {  
  272.                         if(errno == EAGAIN || errno == EWOULDBLOCK)  
  273.                         break;  
  274.                         else  if(errno == EINTR)  
  275.                         retlen = 0;  
  276.                     else  
  277.                         syslog(LOG_ERR, "%s:%d, recv data error is %d", __FILE__, __LINE__, errno);  
  278.                     }  
  279.                     leftlen -= retlen;  
  280.                     sendlen = leftlen;  
  281.                     ptr += retlen;  
  282.                 }while(leftlen);  
  283.             }  
  284.             else  
  285.             {  
  286.                 return -1;  
  287.             }  
  288.         }  
  289.         }  
  290.     }  
  291.     return sendlen;  
  292. }  
  293. int main()  
  294. {  
  295.     int sock_fd = 0;  
  296.     char recvbuf[RECV_BUF_SIZE] = {0};  
  297.     char sendbuf[SEND_BUF_SIZE] = {0};  
  298.     int recvlen = 0;  
  299.     int retlen = 0;  
  300.     int sendlen = 0;  
  301.     int leftlen = 0;  
  302.     char *ptr = NULL;  
  303.     struct sockaddr_in ser_addr;  
  304.     int fdflags = 0;  
  305.     bool bIsconnected = false;  
  306.     int addrlen = sizeof(ser_addr);  
  307.       
  308.     memset(&ser_addr, 0, sizeof(ser_addr));  
  309.     ser_addr.sin_family = AF_INET;  
  310.     inet_aton("127.0.0.1", (struct in_addr *)&ser_addr.sin_addr);  
  311.     ser_addr.sin_port = htons(SERVER_PORT);  
  312.     sock_fd = socket(AF_INET, SOCK_STREAM, 0);  
  313.     if(sock_fd < 0)  
  314.     {  
  315.         syslog(LOG_ERR, "%s:%d, create socket failed", __FILE__, __LINE__);  
  316.      close(sock_fd);  
  317.         exit(1);  
  318.     }  
  319.     fdflags = fcntl(sock_fd, F_GETFL, 0);  
  320.     if(fcntl(sock_fd, F_SETFL, fdflags | O_NONBLOCK) < 0)  
  321.     {  
  322.         syslog(LOG_ERR, "%s:%d, fcntl set nonblock failed", __FILE__, __LINE__);  
  323.      close(sock_fd);  
  324.         exit(1);  
  325.     }  
  326.     if(Connect(sock_fd, (struct sockaddr *)&ser_addr, &addrlen) == false)  
  327.     {  
  328.      syslog(LOG_ERR, "%s:%d, fcntl set nonblock failed", __FILE__, __LINE__);  
  329.         close(sock_fd);  
  330.      exit(1);  
  331.     }  
  332.    while(1)  
  333.    {  
  334.        int recvlen = Recv(sock_fd, recvbuf, RECV_BUF_SIZE) ;  
  335.        if(recvlen < 0)  
  336.         break;  
  337.     else if( recvlen > 0)  
  338.     {  
  339.         int senlen = Send(sock_fd, sendbuf, RECV_BUF_SIZE);  
  340.         if(sendlen < 0)  
  341.         break;  
  342.     }  
  343.    }  
  344.      close(sock_fd);  
  345.       
  346. }   

 

在服务器端,要关注的一个东西是O_REUSEADDR,在程序里调用了(setsockopt(listen_sock, SOL_SOCKET, SO_REUSEADDR, &flags, flaglen)对socket进行设置。

1.   可以对一个端口进行多次绑定,一般这个是不支持使用的;  
2.   对于监听套接字,比较特殊。如果你定义了SO_REUSEADDR,并且让两个套接字在同一个端口上进行接听,那么对于由谁来ACCEPT,就会出现歧义。如果你定义个SO_REUSEADDR,只定义一个套接字在一个端口上进行监听,如果服务器出现意外而导致没有将这个端口释放,那么服务器重新启动后,你还可以用这个端口,因为你已经规定可以重用了,如果你没定义的话,你就会得到提示,ADDR已在使用中。 

  在多播的时候,也经常使用SO_REUSEADDR,也是为了防止机器出现意外,导致端口没有释放,而使重启后的绑定失败~。一般是用来防止服务器在发生意外时,端口未被释放~可以重新使用~

 

关于errno值的定义在errno.h中

 

[cpp] view plaincopy
  1. #ifndef _I386_ERRNO_H  
  2. #define _I386_ERRNO_H  
  3. #define EPERM           1 /* Operation not permitted */  
  4. #define ENOENT          2 /* No such file or directory */  
  5. #define ESRCH           3 /* No such process */  
  6. #define EINTR           4 /* Interrupted system call */  
  7. #define EIO             5 /* I/O error */  
  8. #define ENXIO           6 /* No such device or address */  
  9. #define E2BIG           7 /* Arg list too long */  
  10. #define ENOEXEC         8 /* Exec format error */  
  11. #define EBADF           9 /* Bad file number */  
  12. #define ECHILD          10 /* No child processes */  
  13. #define EAGAIN          11 /* Try again */  
  14. #define ENOMEM          12 /* Out of memory */  
  15. #define EACCES          13 /* Permission denied */  
  16. #define EFAULT          14 /* Bad address */  
  17. #define ENOTBLK         15 /* Block device required */  
  18. #define EBUSY           16 /* Device or resource busy */  
  19. #define EEXIST          17 /* File exists */  
  20. #define EXDEV           18 /* Cross-device link */  
  21. #define ENODEV          19 /* No such device */  
  22. #define ENOTDIR         20 /* Not a directory */  
  23. #define EISDIR          21 /* Is a directory */  
  24. #define EINVAL          22 /* Invalid argument */  
  25. #define ENFILE          23 /* File table overflow */  
  26. #define EMFILE          24 /* Too many open files */  
  27. #define ENOTTY          25 /* Not a typewriter */  
  28. #define ETXTBSY         26 /* Text file busy */  
  29. #define EFBIG           27 /* File too large */  
  30. #define ENOSPC          28 /* No space left on device */  
  31. #define ESPIPE          29 /* Illegal seek */  
  32. #define EROFS           30 /* Read-only file system */  
  33. #define EMLINK          31 /* Too many links */  
  34. #define EPIPE           32 /* Broken pipe */  
  35. #define EDOM            33 /* Math argument out of domain of func */  
  36. #define ERANGE          34 /* Math result not representable */  
  37. #define EDEADLK         35      /* Resource deadlock would occur */  
  38. #define ENAMETOOLONG    36      /* File name too long */  
  39. #define ENOLCK          37      /* No record locks available */  
  40. #define ENOSYS          38      /* Function not implemented */  
  41. #define ENOTEMPTY       39      /* Directory not empty */  
  42. #define ELOOP           40      /* Too many symbolic links encountered */  
  43. #define EWOULDBLOCK     EAGAIN  /* Operation would block */  
  44. #define ENOMSG          42      /* No message of desired type */  
  45. #define EIDRM           43      /* Identifier removed */  
  46. #define ECHRNG          44      /* Channel number out of range */  
  47. #define EL2NSYNC        45      /* Level 2 not synchronized */  
  48. #define EL3HLT          46      /* Level 3 halted */  
  49. #define EL3RST          47      /* Level 3 reset */  
  50. #define ELNRNG          48      /* Link number out of range */  
  51. #define EUNATCH         49      /* Protocol driver not attached */  
  52. #define ENOCSI          50      /* No CSI structure available */  
  53. #define EL2HLT          51      /* Level 2 halted */  
  54. #define EBADE           52      /* Invalid exchange */  
  55. #define EBADR           53      /* Invalid request descriptor */  
  56. #define EXFULL          54      /* Exchange full */  
  57. #define ENOANO          55      /* No anode */  
  58. #define EBADRQC         56      /* Invalid request code */  
  59. #define EBADSLT         57      /* Invalid slot */  
  60. #define EDEADLOCK       EDEADLK  
  61. #define EBFONT          59      /* Bad font file format */  
  62. #define ENOSTR          60      /* Device not a stream */  
  63. #define ENODATA         61      /* No data available */  
  64. #define ETIME           62      /* Timer expired */  
  65. #define ENOSR           63      /* Out of streams resources */  
  66. #define ENONET          64      /* Machine is not on the network */  
  67. #define ENOPKG          65      /* Package not installed */  
  68. #define EREMOTE         66      /* Object is remote */  
  69. #define ENOLINK         67      /* Link has been severed */  
  70. #define EADV            68      /* Advertise error */  
  71. #define ESRMNT          69      /* Srmount error */  
  72. #define ECOMM           70      /* Communication error on send */  
  73. #define EPROTO          71      /* Protocol error */  
  74. #define EMULTIHOP       72      /* Multihop attempted */  
  75. #define EDOTDOT         73      /* RFS specific error */  
  76. #define EBADMSG         74      /* Not a data message */  
  77. #define EOVERFLOW       75      /* Value too large for defined data type */  
  78. #define ENOTUNIQ        76      /* Name not unique on network */  
  79. #define EBADFD          77      /* File descriptor in bad state */  
  80. #define EREMCHG         78      /* Remote address changed */  
  81. #define ELIBACC         79      /* Can not access a needed shared library */  
  82. #define ELIBBAD         80      /* Accessing a corrupted shared library */  
  83. #define ELIBSCN         81      /* .lib section in a.out corrupted */  
  84. #define ELIBMAX         82      /* Attempting to link in too many shared libraries */  
  85. #define ELIBEXEC        83      /* Cannot exec a shared library directly */  
  86. #define EILSEQ          84      /* Illegal byte sequence */  
  87. #define ERESTART        85      /* Interrupted system call should be restarted */  
  88. #define ESTRPIPE        86      /* Streams pipe error */  
  89. #define EUSERS          87      /* Too many users */  
  90. #define ENOTSOCK        88      /* Socket operation on non-socket */  
  91. #define EDESTADDRREQ    89      /* Destination address required */  
  92. #define EMSGSIZE        90      /* Message too long */  
  93. #define EPROTOTYPE      91      /* Protocol wrong type for socket */  
  94. #define ENOPROTOOPT     92      /* Protocol not available */  
  95. #define EPROTONOSUPPORT 93      /* Protocol not supported */  
  96. #define ESOCKTNOSUPPORT 94      /* Socket type not supported */  
  97. #define EOPNOTSUPP      95      /* Operation not supported on transport endpoint */  
  98. #define EPFNOSUPPORT    96      /* Protocol family not supported */  
  99. #define EAFNOSUPPORT    97      /* Address family not supported by protocol */  
  100. #define EADDRINUSE      98      /* Address already in use */  
  101. #define EADDRNOTAVAIL   99      /* Cannot assign requested address */  
  102. #define ENETDOWN        100     /* Network is down */  
  103. #define ENETUNREACH     101     /* Network is unreachable */  
  104. #define ENETRESET       102     /* Network dropped connection because of reset */  
  105. #define ECONNABORTED    103     /* Software caused connection abort */  
  106. #define ECONNRESET      104     /* Connection reset by peer */  
  107. #define ENOBUFS         105     /* No buffer space available */  
  108. #define EISCONN         106     /* Transport endpoint is already connected */  
  109. #define ENOTCONN        107     /* Transport endpoint is not connected */  
  110. #define ESHUTDOWN       108     /* Cannot send after transport endpoint shutdown */  
  111. #define ETOOMANYREFS    109     /* Too many references: cannot splice */  
  112. #define ETIMEDOUT       110     /* Connection timed out */  
  113. #define ECONNREFUSED    111     /* Connection refused */  
  114. #define EHOSTDOWN       112     /* Host is down */  
  115. #define EHOSTUNREACH    113     /* No route to host */  
  116. #define EALREADY        114     /* Operation already in progress */  
  117. #define EINPROGRESS     115     /* Operation now in progress */  
  118. #define ESTALE          116     /* Stale NFS file handle */  
  119. #define EUCLEAN         117     /* Structure needs cleaning */  
  120. #define ENOTNAM         118     /* Not a XENIX named type file */  
  121. #define ENAVAIL         119     /* No XENIX semaphores available */  
  122. #define EISNAM          120     /* Is a named type file */  
  123. #define EREMOTEIO       121     /* Remote I/O error */  
  124. #define EDQUOT          122     /* Quota exceeded */  
  125. #define ENOMEDIUM       123     /* No medium found */  
  126. #define EMEDIUMTYPE     124     /* Wrong medium type */  
  127. #define ECANCELED       125     /* Operation Canceled */  
  128. #define ENOKEY          126     /* Required key not available */  
  129. #define EKEYEXPIRED     127     /* Key has expired */  
  130. #define EKEYREVOKED     128     /* Key has been revoked */  
  131. #define EKEYREJECTED    129     /* Key was rejected by service */  
  132. /* for robust mutexes */  
  133. #define EOWNERDEAD      130     /* Owner died */  
  134. #define ENOTRECOVERABLE 131     /* State not recoverable */  
  135. #endif  

 

接下来我们关注client.c

1. 把socket设置为非阻塞模式

    fdflags = fcntl(sock_fd, F_GETFL, 0);
    if(fcntl(sock_fd, F_SETFL, fdflags | O_NONBLOCK) < 0)
    {
        syslog(LOG_ERR, "%s:%d, fcntl set nonblock failed", __FILE__, __LINE__);
        close(sock_fd);
        exit(1);
    }

当然ioctl也可以,这个函数更为强大,这里不做详细说明。

 

2. 对于connect的处理

首先我们看一下非阻塞模式的I/O模型

对于一个系统调用来说,如果不能马上完成会返回-1(一般都是-1,具体的函数可以看详细说明),并设置errno,不同的系统会不一样,一般是EWOULDBLOCK, EAGAIN等。如果系统调用被中断,则返回EINTR错误。

 

那么对于connect来说,如果是返回值 <0,那么就需要对errno进行判断和处理,这里有几种情况

1)errno == EISCONN,说明这个socket已经连接上了

 

2)(errno == EINPROGRESS || errno == EALREADY || errno == EWOULDBLOCK), 表明connect正在进行但没有完成,因为connect需要花费一点时间,而socket又被设置成了非阻塞,所以这些错误时正常的。但如果不是这些错误(errno != EINPROGRESS && errno != EALREADY && errno != EWOULDBLOCK),那么connect就出错了。

 

3)接下来就是用select对connect进行等待

对于conncet来说,如果是阻塞的,那么它会一直等到连接成功或失败,这个时间一般是75秒到几分钟之间,这个时间对于我们的程序来说太长了,所以我们用selcet。

int select(int maxfdp1 , fd_set * readset , fd_set * writeset , fd_set * exceptset , const struct timeval *timeout ) ;

函数返回值Returns: positive count of ready descriptors, 0 on timeout, –1 on error。其中的参数

maxfdp1表示我们关注的所有套接字的最大值+1, 如果这个值是5,那么select只关注0~4的描述符,这样可以减少范围提高效率。

readset, writeset 和 exceptset是selcet关注的可读,可写和异常错误的描述符集合

timeout是超时时间,如果设为NULL则永远不超时,直到有感兴趣的描述符在I/O上准备好;如果设为0则马上返回;如果是其他值,则如果在这个时间段里还没有 感兴趣的描述符在I/O上准备好则返回,且返回值为0

这里还要说明的一点是每次select之后,都会把readset, writeset 和 exceptset除了准备好I/O的描述符清掉,所以如果循环select的话每次都要重新设置描述符集合。

 

对于select如果返回值<0,并且errno == EINTR,说明系统调用被中断;返回值 ==0,说明超时,这两种情况都继续select。如果返回值 >0,说明有描述符的I/O准备好了,进行处理,在这里我们要看sock_fd是否可读或可写。connect连接成功则可写,如果在select之前连接成功并收到数据则又可读。但是connect异常也会出现可读(socket 对应的连接读关闭(也就是说对该socket 不能再读了。比如,该socket 收到 FIN ))或可写(socket 对应的连接写关闭(也就是说对该socket不能再写。比如,该socket 收到 RST))的情况。我们可以通过

getsockopt来区分正常情况和异常情况。

[cpp] view plaincopy
  1. int error = 0;  
  2. int len = sizeof(error);  
  3. int rc = getsockopt(sock_fd, SOL_SOCKET, SO_ERROR, (void *) &error, &len);  
  4. if(rc == -1)  
  5. {  
  6.     syslog(LOG_ERR, "%s:%d, connection is closed", __FILE__, __LINE__);  
  7.     return false;  
  8. }  
  9. else if(error)  
  10. {  
  11.     syslog(LOG_ERR, "%s:%d, connection is closed", __FILE__, __LINE__);  
  12.     return false;  
  13. }  

除了getsockopt,也可以用一下方法区分异常和正常情况,但不同的系统不一样,一般unix上是可以的,但linux是否可以没有尝试过。

  (1).调用getpeername获取对端的socket地址.如果getpeername返回ENOTCONN,表示连接建立失败,然后用SO_ERROR调用getsockopt得到套接口描述符上的待处理错误;
  (2).调用read,读取长度为0字节的数据.如果read调用失败,则表示连接建立失败,而且read返回的errno指明了连接失败的原因.如果连接建立成功,read应该返回0;
  (3).再调用一次connect.它应该失败,如果错误errno是EISCONN,就表示套接口已经建立,而且第一次连接是成功的;否则,连接就是失败的;

 

有的时候connect会马上成功,特别是当服务器和客户端都在同一台机器上的话,那么这种情况也是需要处理的,就不需要select了,在我们的代码里面是直接return了。

 

connect总结:

TCP socket 被设为非阻塞后调用 connect ,connect 函数如果没有马上成功,会立即返回 EINPROCESS(如果被中断返回EINTR) ,但 TCP 的 3 次握手继续进行。之后可以用 select 检查连接是否建立成功(但不能再次调用connect,这样会返回错误EADDRINUSE)。非阻塞 connect 有3 种用途:
(1). 在3 次握手的同时做一些其他的处理。
(2). 可以同时建立多个连接。
(3). 在利用 select 等待的时候,可以给 select 设定一个时间,从而可以缩短 connect 的超时时间。

使用非阻塞 connect 需要注意的问题是:
(1). 很可能 调用 connect 时会立即建立连接(比如,客户端和服务端在同一台机子上),必须处理这种情况。
(2). Posix 定义了两条与 select 和 非阻塞 connect 相关的规定:
     连接成功建立时,socket 描述字变为可写。(连接建立时,写缓冲区空闲,所以可写)
     连接建立失败时,socket 描述字既可读又可写。 (由于有未决的错误,从而可读又可写)


 另外对于无连接的socket类型(SOCK_DGRAM),客户端也可以调用connect进行连接,此连接实际上并不建立类似SOCK_STREAM的连接,而仅仅是在本地保存了对端的地址,这样后续的读写操作可以默认以连接的对端为操作对象。

 

3. recv 和 send数据

这里的处理方式也是用select,并对其中的一些错误进行处理,和connect大同小异,不做详细的说明。这里有一个问题是,既然用了select,只有在有数据可读的时候才会调用recv,那么函数也就不会阻塞在那里,还有必要把它设置为非阻塞吗。这个问题我也没有想明白,有人这么解释:select 只能说明 socket 可读或者可写,不能说明能读入或者能写出多少数据。比如,socket 的写缓冲区有 10 个字节的空闲空间,这时监视的 select 返回,然后在该 socket 上进行写操作。但是如果要写入 100 字节,如果 socket 没有设置非阻塞,调用 write 就会阻塞在那里。

 

 

4. accept

我们虽然没有把服务器的socket设置为非阻塞模式,但我们可以说一下非阻塞的accept。

 

在select模式下,listening socket设置为非阻塞的原因是什么??

当用 select 监视 listening socket 时, 如果有新连接到来,select 返回, 该 listening socket 变为可读。然后我们 accept 接收该连接。


首先说明一下 已完成3次握手的连接在 accept 之前 被 异常终止(Aborted )时发生的情况,如下图:



一个连接被异常终止时执行的动作取决于实现:
(1). 基于 Berkeley 的实现完全由内核处理该异常终止的连接, 应用进程看不到。
(2). 基于 SVR4 的实现,在连接异常终止后调用 accept 时,通常会给应用进程返回 EPROTO 错误。但是 Posix 指出应该返回 ECONNABORTED 。Posix 认为当发生致命的协议相关的错误时,返回 EPROTO 错误。而 异常终止一个连接并非致命错误,从而返回 ECONNABORTED ,与 EPROTO 区分开来,这样随后可以继续调用 accept 。

 

现在假设是基于 Berkeley 的实现,在 select 返回后,accept 调用之前,如果连接被异常终止,这时 accept 调用可能会由于没有已完成的连接而阻塞,直到有新连接建立。对于服务进程而言,在被 accept 阻塞的这一段时间内,将不能处理其他已就绪的 socket 。

解决上面这个问题有两种方法:
(1). 在用 select 监视 listening socket 时,总是将 listening socket 设为非阻塞模式。
(2). 忽略 accept 返回的以下错误:
    EWOULDBLOCK(基于 berkeley 实现,当客户端异常终止连接时)、ECONNABORTED(基于 posix 实现,当客户端异常终止连接时)、EPROTO(基于 SVR4 实现,当客户端异常终止连接时)以及 EINTR 。

 

5. 异常情况处理

  当对端机器crash或者网络连接被断开(比如路由器不工作,网线断开等),此时发送数据给对端然后读取本端socket会返回ETIMEDOUT或者EHOSTUNREACH 或者ENETUNREACH(后两个是中间路由器判断服务器主机不可达的情况)。

  当对端机器crash之后又重新启动,然后客户端再向原来的连接发送数据,因为服务器端已经没有原来的连接信息,此时服务器端回送RST给客户端,此时客户端读本地端口返回ECONNRESET错误。

  当服务器所在的进程正常或者异常关闭时,会对所有打开的文件描述符进行close,因此对于连接的socket描述符则会向对端发送FIN分节进行正常关闭流程。对端在收到FIN之后端口变得可读,此时读取端口会返回0表示到了文件结尾(对端不会再发送数据)。 

  当一端收到RST导致读取socket返回ECONNRESET,此时如果再次调用write发送数据给对端则触发SIGPIPE信号,信号默认终止进程,如果忽略此信号或者从SIGPIPE的信号处理程序返回则write出错返回EPIPE。

  可以看出只有当本地端口主动发送消息给对端才能检测出连接异常中断的情况,搭配select进行多路分离的时候,socket收到RST或者FIN时候,select返回可读(心跳消息就是用于检测连接的状态)。也可以使用socket的KEEPLIVE选项,依赖socket本身侦测socket连接异常中断的情况。

 

6. 描述符的I/O什么时候准备好

这个问题在unix network programing中有详细说明

We have been talking about waiting for a descriptor to become ready for I/O (reading or writing) or to have an exception condition pending on it (out-of-band data). While readability and writability are obvious for descriptors such as regular files, we must be more specific about the conditions that cause select to return "ready" for sockets (Figure 16.52 of TCPv2).

   1. A socket is ready for reading if any of the following four conditions is true:
         a. The number of bytes of data in the socket receive buffer is greater than or equal to the current size of the low-water mark for the socket receive buffer. A read operation on the socket will not block and will return a value greater than 0 (i.e., the data that is ready to be read). We can set this low-water mark using the SO_RCVLOWAT socket option. It defaults to 1 for TCP and UDP sockets.(也就是说如果读缓冲区有大于等于设定的最低刻度线时可读,一般最低刻度线是1,也就是说只要有数据就可读,我们也可以通过设置改变这个值)
         b. The read half of the connection is closed (i.e., a TCP connection that has received a FIN). A read operation on the socket will not block and will return 0 (i.e., EOF).
         c. The socket is a listening socket and the number of completed connections is nonzero. An accept on the listening socket will normally not block, although we will describe a timing condition in Section 16.6 under which the accept can block.
         d. A socket error is pending. A read operation on the socket will not block and will return an error (–1) with errno set to the specific error condition. These pending errors can also be fetched and cleared by calling getsockopt and specifying the SO_ERROR socket option.


   2. A socket is ready for writing if any of the following four conditions is true:
         a. The number of bytes of available space in the socket send buffer is greater than or equal to the current size of the low-water mark for the socket send buffer and either: (i) the socket is connected, or (ii) the socket does not require a connection (e.g., UDP). This means that if we set the socket to nonblocking (Chapter 16), a write operation will not block and will return a positive value (e.g., the number of bytes accepted by the transport layer). We can set this low-water mark using the SO_SNDLOWAT socket option. This low-water mark normally defaults to 2048 for TCP and UDP sockets.
         b. The write half of the connection is closed. A write operation on the socket will generate SIGPIPE (Section 5.12).
         c. A socket using a non-blocking connect has completed the connection, or the connect has failed.
         d. A socket error is pending. A write operation on the socket will not block and will return an error (–1) with errno set to the specific error condition. These pending errors can also be fetched and cleared by calling getsockopt with the SO_ERROR socket option.


   3. A socket has an exception condition pending if there is out-of-band data for the socket or the socket is still at the out-of-band mark. (We will describe out-of-band data in Chapter 24.)

          Our definitions of "readable" and "writable" are taken directly from the kernel's soreadable and sowriteable macros on pp. 530–531 of TCPv2. Similarly, our definition of the "exception condition" for a socket is from the soo_select function on these same pages.

Notice that when an error occurs on a socket, it is marked as both readable and writable by select.

 

用更形象的图表来表示为

 

 

 

 

 

参考

http://hi.baidu.com/motadou/blog/item/02d506ef941421232df534fc.html

http://www.cnitblog.com/zouzheng/archive/2010/11/25/71711.html

《unix network programing volume 1》



FROM: http://blog.csdn.net/wind19/article/details/6157122

0 0
原创粉丝点击