//这是服务器端代码,我在连接服务器后使用onReceive
//void CMFCExampleDlg::OnReceive(int nErrorCode)
{
recv(clientsocket,"200" , 1024, 0);
m_name.SetVariable("gear","1");
}
//////客户端
//BOOL CMFCClientDlg::PreTranslateMessage(MSG* pMsg)
{
if(pMsg->lParam==VK_NUMLOCK)
send(s,"200",1024,0);
return 0;
}
答案 0 :(得分:5)
两个明显的错误:
使用recv()
:
recv(clientsocket,"200" , 1024, 0);
第二个参数填充了传入数据,因此必须是可修改的(修改字符串文字是未定义的行为)并且足够大以存储所请求的字节:
char buffer[1024] = ""; /* recv() does not null terminate. */
int bytes_read = recv(clientsocket, buffer , 1024, 0);
if (SOCKET_ERROR == bytes_read)
{
/* Failure. */
}
else
{
/* SOME bytes were read. */
}
代码位于send()
,因为没有1024
字节的数据要发送:
send(s,"200",1024,0);
这将导致未定义的行为,因为send()
将访问超出存储字符串文字"200"
的数组的边界:
int bytes_sent = send(s, "200", 3, 0);
if (3 != bytes_sent)
{
/* Failed to send all data. */
}
重要的是要记住,在套接字中写入和读取数据只是一个字节流,并且没有消息的逻辑概念:您必须通过某种应用程序定义的协议来实现它。例如:
recv()
和send()
通常用于循环,直到读取所有数据,发送所有数据或发生无法恢复的故障。