5
#include <stdio.h>
#include <unistd.h>
#include <sys/time.h>
#include <sys/types.h>

int main ()
{
char            name[20];
fd_set          input_set;
struct timeval  timeout;
int             ready_for_reading = 0;
int             read_bytes = 0;

/* Empty the FD Set */
FD_ZERO(&input_set );
/* Listen to the input descriptor */
FD_SET(0, &input_set);

/* Waiting for some seconds */
timeout.tv_sec = 10;    // 10 seconds
timeout.tv_usec = 0;    // 0 milliseconds

/* Invitation for the user to write something */
printf("Enter Username: (in 15 seconds)\n");
printf("Time start now!!!\n");

/* Listening for input stream for any activity */
ready_for_reading = select(1, &input_set, NULL, NULL, &timeout);
/* Here, first parameter is value of the socket descriptor + 1 (STDIN descriptor is 0, so  
 * 0 +1 = 1)  
 * in the set, second is our FD set for reading,
 * third is the FD set in which any write activity needs to updated, which is not required
 * in this case. Fourth is timeout
 */

if (ready_for_reading == -1) {
    /* Some error has occured in input */
    printf("Unable to read your input\n");
    return -1;
} else {
    if (ready_for_reading) {
        read_bytes = read(0, name, 19);
        printf("Read, %d bytes from input : %s \n", read_bytes, name);
    } else {
        printf(" 10 Seconds are over - no data input \n");
    }
}

return 0;

}

同じことを行う方法ですが、1回だけではなく、「quit」文字列に遭遇した後に中断する無限ループで(たとえば)。私が試したすべての方法-失敗しました。したがって、10秒後にデータが入力されなかった場合、プログラムは「10秒が終了しました-データ入力なし」と出力し、再び待機を開始します。入力後も同じ-再び開始し、無限ループで毎回同じように動作します。
もう少し必死です、お願いします-助けてください。
ありがとう。

4

2 に答える 2

5

ここでは問題はあまりわかりません。基本的には、必要なものをすべてループに入れて実行します。これを試しましたか?

int main ()
{
   /* Declarations and stuff */
   /* ... */

   /* The loop */
   int break_condition = 0;
   while (!break_condition)
   {
       /* Selection */
       FD_ZERO(&input_set );   /* Empty the FD Set */
       FD_SET(0, &input_set);  /* Listen to the input descriptor */
       ready_for_reading = select(1, &input_set, NULL, NULL, &timeout);

       /* Selection handling */
       if (ready_for_reading)
       {
          /* Do something clever with the input */
       }
       else
       {
          /* Handle the error */
       }

       /* Test the breaking condition */
       break_condition = some_calculation();
   }
   return 0;
}

次の反復で再び応答するように、ループ内で選択をリセットし続ける必要があることに注意してください。

于 2012-05-19T14:29:10.657 に答える
0

select()関数は、タイムアウトをNULLに設定することにより、無期限にブロックするように指示できます。select(2)のマニュアルページを参照してください。

タイムアウトは、 select()が戻るまでに経過した時間の上限です。timeval構造の両方のフィールド がゼロの場合、select()はすぐに戻ります。(これはポーリングに役立ちます。) タイムアウトがNULL(タイムアウトなし)の場合、select()は無期限にブロックできます。

だからあなたが欲しいのは:

...
ready_for_reading = select(1, &input_set, NULL, NULL, NULL);
...
于 2012-05-19T14:19:18.633 に答える