server
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <strings.h>
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include <arpa/inet.h>
#include <unistd.h>
#include <errno.h>
#define SERV_PORT 8899
#define SERV_IP_ADDR "0.0.0.0"
#define QUIT_STR "quit"
int main()
{
int fd; // 监听套接字的文件描述符
struct sockaddr_in sin, cin; // 服务器套接字地址结构
// 创建套接字
if ((fd = socket(AF_INET, SOCK_STREAM, 0)) < 0)
{
perror("socket");
exit(1);
}
// 清空套接字地址结构,并设置相关参数
memset(&sin, 0, sizeof(sin));
sin.sin_family = AF_INET;
sin.sin_port = htons(SERV_PORT); // 网络字节序的端口号
// 将字符串形式的IP地址转换为二进制形式,并存储到套接字地址结构中
if ((inet_pton(AF_INET, SERV_IP_ADDR, (void *)&sin.sin_addr.s_addr)) != 1)
{
perror("inet_pton");
exit(1);
}
// 绑定套接字到指定的IP地址和端口号
if (bind(fd, (struct sockaddr *)&sin, sizeof(sin)) < 0)
{
perror("bind");
exit(1);
}
// 开始监听连接请求
if (listen(fd, 5) < 0) // 参数5表示连接请求队列的最大长度
{
perror("listen");
exit(1);
}
printf("Server listening on %s:%d\n", SERV_IP_ADDR, SERV_PORT);
socklen_t client_len = sizeof(cin);
int newfd = -1;
// 接受客户端连接请求
if ((newfd = accept(fd, (struct sockaddr *)&cin, &client_len)) < 0)
{
perror("accept");
exit(1);
}
printf("Connection accepted from %s:%d\n", inet_ntoa(cin.sin_addr), ntohs(cin.sin_port));
while (1)
{
int ret = -1;
char buf[BUFSIZ];
memset(buf, 0, BUFSIZ); // 清空接收缓冲区
do
{
ret = read(newfd, buf, BUFSIZ - 1); // 从客户端读取数据
printf("ret = %d\n", ret);
} while (ret < 0 && EINTR == errno);
if (ret < 0)
{
perror("read");
exit(0);
}
printf("Received data: %s\n", buf);
if (!ret)
{
break; // 客户端关闭连接
}
if(!strncasecmp(buf,QUIT_STR,strlen(QUIT_STR))) {
printf("Client is exiting!\n");
break;
}
}
close(newfd);
close(fd);
return 0;
}
client
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <strings.h>
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include <arpa/inet.h>
#include <unistd.h>
#include <errno.h>
#define SERV_PORT 8899
#define SERV_IP_ADDR "127.0.0.1"
int main(void)
{
int fd = -1;
struct sockaddr_in sin;
if ((fd = socket(AF_INET, SOCK_STREAM, 0)) < 0)
{
perror("socket");
exit(1);
}
/*
* 连接服务器
*/
/**
* 填充sockaddr_in结构体变量
*/
memset(&sin, 0, sizeof(sin));
sin.sin_family = AF_INET;
sin.sin_port = htons(SERV_PORT);
sin.sin_addr.s_addr = inet_addr(SERV_IP_ADDR);
int res = -1;
if ((res = connect(fd, (struct sockaddr *)&sin, sizeof(sin))) < 0)
{
perror("connect");
exit(1);
}
/**
* 读取和写入数据
*
*/
char buf[BUFSIZ];
while(1) {
memset(buf,0,BUFSIZ);
if(fgets(buf,BUFSIZ-1,stdin) == NULL){
perror("fgets");
continue;
}
write(fd,buf,strlen(buf));
}
/**
* 关闭描述符
*/
close(fd);
return 0;
}