select()的机制中提供一fd_set的数据结构,实际上是一long类型的数组,每一个数组元素都能与一打开的

文件句柄(不管是Socket句柄,还是其他 文件或命名管道或设备句柄)建立联系,建立联系的工作由程序员

完成,当调用select()时,由内核根据IO状态修改fd_set的内容,由此来通知执行了select()的进程哪一

Socket
或文件可读,下面具体解释:

int select(nfds, readfds, writefds, exceptfds, timeout)

int nfds;

fd_set *readfds, *writefds, *exceptfds;

struct timeval *timeout;

ndfs
select监视的文件句柄数,视进程中打开的文件数而定,一般设为你要监视各文件中的最大文件号

加一。

readfds
select监视的可读文件句柄集合。
 
writefds: select
监视的可写文件句柄集合。
 
exceptfds
select监视的异常文件句柄集合

timeout
:本次select()的超时结束时间。(见/usr/include/sys/select.h 可精确至百万分之一

秒!)

readfdswritefds中映象的文件可读或可写或超时,本次select() 就结束返回。程序员利用一组系

统提供的宏在select()结束时便可判 断哪一文件可读或可写。对Socket编程特别有用的就是readfds

相关的宏解释如下:

FD_ZERO(fd_set *fdset)
:清空fdset与所有文件句柄的联系。
 
FD_SET(int fd, fd_set *fdset)
:建立文件句柄fdfdset的联系。
 
FD_CLR(int fd, fd_set *fdset)
:清除文件句柄fdfdset的联系。
 
FD_ISSET(int fd, fdset *fdset)
:检查fdset联系的文件句柄fd是否可读写,>0表示可读写。
(关于fd_set及相关宏的定义见/usr/include/sys/types.h

这样,你的socket只需在有东东读的时候才读入,大致如下:
...
int sockfd;
fd_set fdR;
struct timeval timeout = ..;
...
for(;;) {
    FD_ZERO(&fdR);
    FD_SET(sockfd, &fdR);
    switch (select(sockfd + 1, &fdR, NULL, &timeout)) {
        case -1:
            error handled by u;
        case 0:
            timeout hanled by u;
        default:
            if (FD_ISSET(sockfd)) {
            now u read or recv something;
            /* if sockfd is father and server socket, u can now accept() */
            }
    }
}

所以一个FD_ISSET(sockfd)就相当通知了sockfd可读。
 
至于struct timeval在此的功能,请man select。不同的timeval设置 使使select()表现出超时结束、

无超时阻塞和轮询三种特性。由于timeval可精确至百万分之一秒,所以WindowsSetTimer()根本不算什么。你可以用select()做一个超级时钟。

Logo

更多推荐