所以我想在Linux内核2.6.x下用socket连接几个客户端到服务器。 当客户端连接时,服务器将以标准输出或任何东西上显示的方式向客户端发送欢迎消息。因此,当连接打开时,一个线程被赋予一个可以向该客户端发送欢迎消息的函数。非常客户端。当我使用另一个处理器来完成这项工作时,它很好。但是,当我切换到pthread方式时,客户端无法从服务器获取任何东西。此时,我检查了netstat,连接仍然是on.so我的代码:
client.c
// to make long story short,
// i'll just omit most of declarations and stuff that is irrelavent to the problem
#define PORT 12345
#define IP_ADDR "127.0.0.1"
void *process_to_server(int socket);
int main(){
// i'll skip building socket for your convinence
process_to_server(socket_server);
}
void *process_to_server(int socket){
ssize_t size=0;
char buffer[1024];
size=read(socket,buffer,1024);
write(1,buffer,size+1);// output the welcome message to the client's standard output
}
server.c
#define PORT 12345
void *process_to_client(int socket);
int main(){
// same spirit as above
while(1){
int addrlen=sizeof(struct sockaddr);
socket_client = accept(socket_server,(struct sockaddr*)&client_addr,&addrlen);
if(socket_client<0) continue;
pthread_t pth;
close(socket_server);
pthread_create(&pth,NULL,(void*)&process_to_client,&socket_client);
}
}
void *process_to_client(int socket){
char buffer[1024];
sprintf(buffer,"Hello There\n");
write(socket,buffer,1024);
}
答案 0 :(得分:1)
您正在将&socket_client
转移到工作线程,但是使用线程函数参数就好像它是socket_client
你可以这样做:
int main() {
/*...*/
pthread_create(&pth,NULL,(void*)&process_to_client,(void*)socket_client);
/*...*/
}
void *process_to_client(void* pvsocket) {
int socket = (int) pvsocket;
/* same as before */
}
同时关闭侦听套接字将使接受的连接保持打开状态。您将能够继续与已连接的客户端进行通信,但不会接受进一步的传入连接。通信完成后,工作线程应关闭socket_client
。
答案 1 :(得分:1)
您的线程函数的参数是一个指针,但您可以直接将其用作整数。像这样改变你的线程函数:
void *process_to_client(void *socket_pointer){
int socket = *(int *) socket_pointer;
char buffer[1024];
sprintf(buffer,"Hello There\n");
write(socket,buffer,1024);
}