我有一个客户端服务器连接,客户端正在将数据发送到服务器。
while (1) {
bzero(buffer, 256);
sleep(1);
n = read(sock, buffer);
if(n < 0) error("ERROR reading from socket");
c = message[0];
//do something
}//close while loop
问题我只想等待读取只发生几秒钟 - 在我的代码中,如果客户端没有发送任何东西,它就会卡在等待服务器读取的东西。
我怎么能等待读取只发生几秒钟?
答案 0 :(得分:1)
您可以使用select()api来实现此目的。在这个api中你可以用秒和微秒来提及select api中的时间。
答案 1 :(得分:1)
基本上read
来电尝试阅读,所以如果您不想在其上堆叠,您必须将sock
变量声明为非阻塞或使用select
函数有超时(man select
)。在第一种情况下,您不能等待几秒钟,但您可以尝试阅读k
次,然后再进行操作。以下是非阻塞套接字的示例:
/*
* Non-blocking socket solution
* just put the read in a for-loop
* if you want to read k times
*/
#include <errno.h>
#include <fcntl.h>
#include <unistd.h>
int r1;
/*Setting the socket as non-blocking*/
int flags = fcntl(sock, F_GETFL, 0);
fcntl(sock, F_SETFL, flags | O_NONBLOCK);
errno = 0; /*If the read fails it sets errno*/
if((r1=read(sock,buf_in,N))== -1) { /*If the read returns an error*/
if(errno != EAGAIN && errno != EWOULDBLOCK){ /*If the error is not caused by the non-blocking socket*/
perror("Error in read\n");
exit(EXIT_FAILURE);
}
}
这是选择解决方案:
/*
* Select solution.
* This is not a complete solution but
* it's almost everything you've to do
*/
#include <errno.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/select.h>
#define SVC(r,c,e) \
errno = 0; \
if((r=c)==-1) { perror(e);exit(errno); }
int r = 0;
int fd_skt;
fd_set rdset;
fd_set set;
struct timeval tv; /*Timer structure*/
int fd_num_max = 0; /*Maximum opened file descriptor*/
if(fd_skt > fd_num_max) fd_num_max = fd_skt;
FD_ZERO(set);
FD_SET(fd_skt,set); /*fd_skt is where you're waiting for new connection request*/
/*Setting the timer*/
tv.tv_sec = 0;
tv.tv_usec = 200*1000;
rdset = set;
SVC(r,select((fd_num_max+1),(&rdset),NULL,NULL,&tv),"Unable to select\n");
答案 2 :(得分:0)
如果您的套接字是非阻塞的,您可以使用select功能。 如果您的套接字阻塞,您可以使用setsockopt函数设置读取超时。有关更多详细信息,请参阅此stackoverflow问题。 Linux: is there a read or recv from socket with timeout?