1. windows平台上无论利用socket()函数还是WSASocket()函数创建的socket都是阻塞模式的:
SOCKET WSAAPI socket( _In_ int af, _In_ int type, _In_ int protocol ); SOCKET WSASocket( _In_ int af, _In_ int type, _In_ int protocol, _In_ LPWSAPROTOCOL_INFO lpProtocolInfo, _In_ GROUP g, _In_ DWORD dwFlags );
linux平台上可以在利用socket()函数创建socket时指定创建的socket是异步的:
int socket(int domain, int type, int protocol);
在type的参数中设置SOCK_NONBLOCK标志即可,例如:
int s = socket(AF_INET, SOCK_STREAM | SOCK_NONBLOCK, IPPROTO_TCP);
int accept(int sockfd, struct sockaddr *addr, socklen_t *addrlen); int accept4(int sockfd, struct sockaddr *addr, socklen_t *addrlen, int flags);
只要将accept4()最后一个参数flags设置成SOCK_NONBLOCK即可。
3. 除了创建socket时,将socket设置成非阻塞模式,还可以通过以下API函数来设置:
linux平台上可以调用fcntl()或者ioctl()函数,实例如下:
fcntl(sockfd, F_SETFL, fcntl(sockfd, F_GETFL, 0) | O_NONBLOCK); ioctl(sockfd, FIONBIO, 1); //1:非阻塞 0:阻塞
参考: http://blog.sina.com.cn/s/blog_9373fc760101i72a.html
但是网上也有文章说(文章链接:http://blog.csdn.net/haoyu_linux/article/details/44306993),linux下如果调用fcntl()设置socket为非阻塞模式,不仅要设置O_NONBLOCK模式,还需要在接收和发送数据时,需要使用MSG_DONTWAIT标志,即在recv,recvfrom和send,sendto数据时,将flag设置为MSG_DONTWAIT。是否有要进行这种双重设定的必要,笔者觉得没有这个必要。因为linux man手册上recv()函数的说明中关于MSG_DONTWAIT说明如下:
Enables nonblocking operation; if the operation would block, the call fails with the error EAGAIN or EWOULDBLOCK (this can also be enabled using the O_NONBLOCK flag with the F_SETFL fcntl(2)).
通过这段话我觉得要么通过设置recv()函数的flags标识位为MSG_DONTWAIT,要么通过fcntl()函数设置O_NONBLOCK标识,而不是要同时设定。
int ioctlsocket( _In_ SOCKET s, _In_ long cmd, _Inout_ u_long *argp );
The WSAAsyncSelect and WSAEventSelect functions automatically set a socket to nonblocking mode. If WSAAsyncSelect or WSAEventSelect has been issued on a socket, then any attempt to use ioctlsocket to set the socket back to blocking mode will fail with WSAEINVAL.
To set the socket back to blocking mode, an application must first disable WSAAsyncSelect by calling WSAAsyncSelect with the lEvent parameter equal to zero, or disable WSAEventSelect by calling WSAEventSelect with the lNetworkEvents parameter equal to zero.
网址:https://msdn.microsoft.com/en-us/library/windows/desktop/ms738573(v=vs.85).aspx
4. 在看实际项目中以前一些前辈留下来的代码中,通过在一个循环里面调用fcntl()或者ioctlsocket()函数来socket的非阻塞模式的,代码如下:
for (;;) { #ifdef UNIX on=1; if (ioctlsocket(id, FIONBIO, (char *)&on) < 0) #endif #ifdef WIN32 unsigned long on_windows=1; if (ioctlsocket(id, FIONBIO, &on_windows) < 0) #endif #ifdef VOS int off=0; if (ioctlsocket(id, FIONBIO, (char *)&off) <0) #endif { if (GET_LAST_SOCK_ERROR() == EINTR) continue; RAISE_RUNTIME_ERROR("Can not set FIONBIO for socket"); closesocket(id); return NULL; } break; }