Appearance
Code:hqyj/network/05/threadTCPServer.c
c
#include <arpa/inet.h>
#include <netinet/in.h>
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <strings.h>
#include <sys/socket.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>
#define ERR_MSG(msg) \
do { \
fprintf(stderr, "line:%d\n", __LINE__); \
perror(msg); \
} while (0)
#define PORT 6666
#define IP "192.168.31.128"
struct cli_msg {
int newfd;
struct sockaddr_in cin;
};
void *deal_cli_msg(void *arg) {
int newfd = (*(struct cli_msg *)arg).newfd;
struct sockaddr_in cin = (*(struct cli_msg *)arg).cin;
char buf[128] = "";
ssize_t res = 0;
while (1) {
bzero(buf, sizeof(buf));
res = recv(newfd, buf, sizeof(buf), 0);
if (res < 0) {
ERR_MSG("recv");
break;
} else if (0 == res) {
printf("[%s:%d] newfd = %d 客户端下线__%d__\n", inet_ntoa(cin.sin_addr),
ntohs(cin.sin_port), newfd, __LINE__);
break;
}
printf("[%s:%d] newfd = %d %s__%d__\n", inet_ntoa(cin.sin_addr),
ntohs(cin.sin_port), newfd, buf, __LINE__);
// 发送
strcat(buf, "*_*");
if (send(newfd, buf, sizeof(buf), 0) < 0) {
ERR_MSG("send");
break;
}
printf("发送成功\n");
}
close(newfd);
pthread_exit(NULL);
}
int main(int argc, const char *argv[]) {
// 创建流式套接字
int sfd = socket(AF_INET, SOCK_STREAM, 0);
if (sfd < 0) {
ERR_MSG("socket");
return -1;
}
// 允许端口被快速重复使用,当检测到该端口号没有被进程正常占用时候
// 允许端口快速被新的进程占用覆盖
int reuse = 1;
if (setsockopt(sfd, SOL_SOCKET, SO_REUSEADDR, &reuse, sizeof(reuse)) < 0) {
ERR_MSG("setsockopt");
return -1;
}
printf("允许端口快速重复使用\n");
// 填充服务器的地址信息结构体
// 该真实结构体根据地址族制定:AF_INET:man 7 ip
struct sockaddr_in sin;
sin.sin_family = AF_INET; // 必须填充 AF_INET
sin.sin_port = htons(PORT); // 端口号的网络字节序 1024~49151
sin.sin_addr.s_addr = inet_addr(IP); // IP, 本机IP, ifconfig
// 绑定 -----> 必须绑定
// 功能:将服务器的 IP 地址和端口绑定到服务器套接字文件中
if (bind(sfd, (struct sockaddr *)&sin, sizeof(sin)) < 0) {
ERR_MSG("bind");
return -1;
}
printf("bind success __%d__\n", __LINE__);
// 将套接字设置为被监听状态
if (listen(sfd, 128) < 0) {
ERR_MSG("listen");
return -1;
}
printf("listen success __%d__\n", __LINE__);
struct sockaddr_in cin; // 存储连接成功的客户端地址信息
socklen_t addrlen = sizeof(cin);
int newfd = -1;
pthread_t tid;
struct cli_msg info;
// 从已完成连接的队列中获取一个客户端信息,生成一个新的文件描述符
while (1) {
// 主线程只负责连接
// accept 函数阻塞之前会先预选一个没有被使用过的文件描述符作为 newfd
// 当解除阻塞的时候,如果预选的 newfd
// 没有被使用过,则直接返回预选的文件描述符 newfd 如果预选的 newfd
// 已经被使用过了,则需要重新遍历文件描述符表,拿到一个没被使用过的文件
newfd = accept(sfd, (struct sockaddr *)&cin, &addrlen);
if (newfd < 0) {
ERR_MSG("accept");
return -1;
}
printf("[%s:%d] newfd = %d 连接成功__%d__\n", inet_ntoa(cin.sin_addr),
ntohs(cin.sin_port), newfd, __LINE__);
info.newfd = newfd;
info.cin = cin;
if (pthread_create(&tid, NULL, deal_cli_msg, (void *)&info) != 0) {
fprintf(stderr, "line:%d pthread_create failed\n", __LINE__);
return -1;
}
pthread_detach(tid); // 分离线程
}
// 关闭文件描述符
close(sfd);
return 0;
}