3

我有一个客户端/服务器设置,我希望我的客户端知道服务器是否接受了连接。否则我的客户不知道它仍在等待被接受。我不能依靠进一步的通信(协议规范)来验证这一点。因此,例如,从服务器向客户端发送“Good to go”字符串不是一种选择。是否有标志或其他东西可以检查服务器是否确实在接收?一些示例代码如下:

/* Client */
...
getaddrinfo(ip, port, &hints, &servinfo);
connect(sockfd, info->ai_addr, info->ai_addrlen);

if (info == NULL) {
    printf("connection failure\n");
    exit(1);
}

inet_ntop(info->ai_family, get_in_addr((struct sockaddr *)info->ai_addr), ipstring, sizeof(ipstring));
printf("Connected to %s!\n", ipstring);
...

/* Server */
...
pause(); /* If don't accept the connection, how to make the client know? */ 
new_fd = accept(sockfd, (struct sockaddr *)&cli_addr, &addr_size);
...
4

2 回答 2

4

由于积压,服务器可以在接受呼叫之前发送 SYN-ACK。所以客户端调用connect()可以在服务器调用之前返回accept()

正如您所说:来自服务器的“Good to go”消息不是选项。怎么样:来自客户的“回声”请求。所以服务器会在接受后响应。

如果 TCP 流中的任何额外流量不是一个选项。可以使用辅助数据吗?

于 2012-05-11T11:41:58.910 回答
2

您应该检查返回值,connect()因为它将通过errno失败的原因来指示。

您的connect()电话将超时,因此connect()将返回-1errno设置为ETIMEDOUT

  int ret = connect(sockfd, info->ai_addr, info->ai_addrlen);
  if (ret == -1) {
      /* connect failed */
      switch(errno) {
      case ETIMEDOUT:
             /* your server didn't accept the connection */
      case ECONNREFUSED:
             /* your server isn't listening yet, e.g. didn't start */
      default:
             /* any other error, see man 2 connect */
      }
  }
于 2012-05-11T11:16:12.427 回答