6

我使用 python 编写了一个服务器程序。

我试图得到一个字符串,但我只有一个字符!我怎样才能收到一个字符串?

def handleclient(connection):                                           
    while True:                             
        rec = connection.recv(200)
        if rec == "help": #when I put help in the client program, rec = 'h' and not to "help"
            connection.send("Help Menu!")


    connection.send(rec)
    connection.close()

def main():
   while True:
        connection, addr = sckobj.accept()   
        connection.send("Hello\n\r")
        connection.send("Message: ")   
        IpClient = addr[0]
        print 'Server was connected by :',IpClient


        thread.start_new(handleclient, (connection,))   
4

2 回答 2

6

使用 TCP/IP 连接,您的消息可能会被分段。它可能一次发送一封信,也可能一次发送整封信——你永远无法确定。

您的程序需要能够处理这种碎片。要么使用固定长度的数据包(因此您总是读取 X 字节),要么在每个数据包的开头发送数据的长度。如果您只发送 ASCII 字母,您还可以使用特定字符(例如\n)来标记传输结束。在这种情况下,您将一直阅读,直到消息包含\n.

recv(200)不保证接收 200 个字节 - 200 只是最大值。

这是您的服务器外观的示例:

rec = ""
while True:
    rec += connection.recv(1024)
    rec_end = rec.find('\n')
    if rec_end != -1:
        data = rec[:rec_end]

        # Do whatever you want with data here

        rec = rec[rec_end+1:]
于 2012-11-05T10:23:01.170 回答
0

我解决愚蠢的 embarcadero C++ Builder

char RecvBuffer[4096];
boolean first_init_flag = true;
while(true)
{
    int bytesReceived;

    while(true)
    {
        ZeroMemory(RecvBuffer, 4096);
        bytesReceived = recv(clientSocket,(char*) &RecvBuffer, sizeof(RecvBuffer), 0);
        std::cout << "RecvBuffer: " << RecvBuffer << std::endl;
        std::cout << "bytesReceived: " << bytesReceived <<std ::endl;

        if (!std::strcmp(RecvBuffer, "\r\n"))
        {
            if (first_init_flag) {
                first_init_flag = !first_init_flag;
            }
            else
            {
                break;
            }
        }
    }


    if (bytesReceived == SOCKET_ERROR)
    {
        std::cout << "Client disconnected" << std::endl;
        break;
    }
    send(clientSocket, RecvBuffer, bytesReceived + 1, 0);
}

首先,您发送 \r\n 或 ENTER 以进行转义连接握手和第一次数据发送

于 2021-01-25T15:43:47.507 回答