-
网络编程第二天
今天讲的是变长结构体和封装发送接受的函数,然后就让我们做项目了。今天就开始做网络编程的小项目了,是一个聊天工具,老师帮我们把名字--LanChat都起好了,老师说他会带着我们完成的。经过这两周的学习,老师说的最多的就是套模板,好多模板甚至都不知道是怎么来的,老师的意思是只要会用就好.这周的项目加上之前的项目,这周要是完不成估计真的该去下个班级重新再来一个月了。
一、变长结构体
#define NAME_LEN 20
struct SendData
{
int len;//只能放在第一个成员位置
char recver[NAME_LEN];
char buf[1];//只能放在最后一个成员位置
};
struct SendData sd;//语义上没必要定义这样的变量
struct SendData *psd = NULL;//指向的空间只能动态分配
//发送方程序模板
//x根据实际情况计算得出
psd = (struct SendData *)malloc(x+NAME_LEN + sizeof(int));
if(NULL == psd)
{
printf("Malloc Failed\n");
.......
}
memset(psd,0,x + NAME_LEN + sizeof(int));
psd->len = x+NAME_LEN + sizeof(int);
strncpy(psd->recver,"LaoTE",NAME_LEN-1);
......//填写后续内容
write(fd,psd,psd->len);
//接收方
int len = 0;
struct StuData *psd = NULL;
read(fd,&len,sizeof(int));
psd = (struct SendData *)malloc(len);
if(NULL == psd)
{
printf("Malloc Failed\n");
......//
}
memset(psd,0,len);
psd->len = len;
read(fd,(void *)psd->recver,len - sizeof(int));
二、LanChat PDU分析:
- Client---->Server
a. 登录PDU
b. 私聊PDU
c. 群聊PDU
d. 请求用户列表PDU - Server---->Client
a. 登录回应PDU
b. 私聊回应PDU
c. 群聊回应PDU
d. 请求用户列表回应PDUstruct LanChatPDU { int len;//总字节数 int cmd;//1登录 2私聊 3群聊 4请求用户列表 //5登录回应 6私聊回应 7群聊回应 8请求用户列表的回应 int count; //cmd 1:count填0 //cmd 2:count表示聊天内容的字节数 //cmd 3:count表示聊天内容的字节数 //cmd 4:count填0 //cmd 5:count填0 //cmd 6:count填0 //cmd 7:count填0 //cmd 8:后面有count个用户名,每个用户占20个字节数 char buf[1]; //cmd 1: 20字节的用户名+20字节的密码(用户名&密码都是字符串) //cmd 2: 20字节的发送者姓名+20字节的接收者姓名+n个字节的聊天内容 //cmd 3: 20字节的发送者姓名+n个字节的聊天内容 //cmd 4: 内容为空 //cmd 5: 4个字节的整型数(为0表示成功,为其它值表示错误) //cmd 6: 4个字节的整型数(为0表示成功,为其它值表示错误) //cmd 7: 4个字节的整型数(为0表示成功,为其它值表示错误) //cmd 8: count * 用户名(每个用户名20个字节) }; /*以下函数都会在堆区分配空间,该空间不在使用请务必及时释放*/ struct LanChatPDU *CreateLoginPDU(char *name,char *password); struct LanChatPDU *CreatePrivateChatPDU(char *sender,char *recver,char *content); struct LanChatPDU *CreateGroupChatPDU(char *sender,char *content); struct LanChatPDU *CreateRequestUserListPDU(); struct LanChatPDU *CreateReuestUserListRspPDU(char *username,int count); struct LanChatPDU *CreateOtherRspPDU(int cmd,int value); int DestroyLanChatPDU(struct LanChatPDU * pstPDU); SendPDU(int fd,struct LanChatPDU *pstPDU); struct LanChatPDU * RecvPDU(int fd); int MyWrite(int fd,void *buf,int size); int MyRead(int fd,void *buf,int size);
三、封装发送和接收函数
int MyWrite(int fd,void *buf,int size)
{
char *p = buf;
int len = size;
int ret = 0;
ret = write(fd,p,len);
if(ret <= 0)
{
printf("write failed\n");
return -1;
}
while(ret > 0)
{
len = len - ret;
if(len == 0);
{
break;
}
p = p + ret;
ret = write(fd,p,len);
if(ret <= 0)
{
printf("write failed\n");
return -2;
}
}
return size - len;
}
字符串:特殊的字符数组,该字符数组的空间里必须有个元素为'\0'
字符串常量:位于数据区的只读的以'\0'结尾的名称叫"xyz"的字符数组
char *p;
char ch = 'y';p = &ch;//p为指向字符型变量的指针
char arr[2] = {'H','i'};p = arr;//p为指向一般形式字符数组的指针
char buf[] = "Hi";p = buf;//p为指向一个字符串的指针