1

select() の実験中に奇妙な結果が得られました。

fd_set tempset,set; //set of descriptors

FD_ZERO(&set); //initialize descriptor set to NULL

FD_SET(serversock,&set); //add server's socket to descriptor set 'set'

timeout.tv_sec=2;
timeout.tv_usec=0;

while(1){

tempset=set;
timeout.tv_sec=2;
timeout.tv_usec=0;

printf("%s","Waiting on select\n");

int ret=select(FD_SETSIZE,&tempset,NULL,NULL,&timeout);

if(ret==0) printf("timeout ");

else if(ret==-1){
    printf("Error occured\n");
    exit(0);
}

else if(ret>0){ //socket ready for reading

    for(i=0;i<FD_SETSIZE;i++){

    if(FD_ISSET(i,&tempset)){ //check if it's serversock

        if(i==serversock){
              //accept connection and read/write
              printf("Client connected\n");

    }//i==serversock close

    }
}//for ends 
}

行を削除すると printf("%s","Waiting on select\n"); select は無期限に待機し続けます。ただし、行を再挿入すると、すべてが期待どおりに機能します (クライアント接続でテストされています)。

何か不足していますか?

前もって感謝します!

4

1 に答える 1

3

を誤用FD_SETSIZEしています。直接使用してはいけません。にソケットを 1 つだけ挿入しているfd_setので、ループする必要はまったくありません (ただし、必要な場合は、fd_set.fd_count代わりにメンバーを使用してください)。

これを試して:

fd_set set;
timeval timeout;

while(1){ 
    FD_ZERO(&set);
    FD_SET(serversock, &set);

    timeout.tv_sec = 2; 
    timeout.tv_usec = 0; 

    printf("%s","Waiting on select\n"); 

    int ret = select(serversock+1, &set, NULL, NULL, &timeout); 

    if (ret==0){
        printf("timeout "); 
    }

    else if (ret==-1){ 
        printf("Error occured\n"); 
        exit(0); 
    } 

    else if (ret>0){ //socket ready for reading 
        ... = accept(serversock, ...);
        printf("Client connected\n"); 
    }
}

または:

fd_set set;
timeval timeout;
int max_fd = 0;

while(1){ 
    FD_ZERO(&set);

    FD_SET(serversock, &set);
    max_fd = serversock;

    // FD_SET() other sockets and updating max_fd as needed...

    timeout.tv_sec = 2; 
    timeout.tv_usec = 0; 

    printf("%s","Waiting on select\n"); 

    int ret = select(max_fd+1, &set, NULL, NULL, &timeout); 

    if (ret==0){
        printf("timeout "); 
    }

    else if (ret==-1){ 
        printf("Error occured\n"); 
        exit(0); 
    } 

    else if (ret>0){ //socket(s) ready for reading 
        for (u_int i = 0; i < set.fd_count; ++i){
            ... = accept(set.fd_array[i], ...);
            printf("Client connected\n"); 
        }
    }
} 
于 2012-05-02T21:47:38.803 に答える