“已连接” UDP套接字,双向通信?

时间:2018-12-23 06:32:39

标签: c sockets networking network-programming udp

如何在已连接的UDP套接字上实现双向通信?

我可以从客户端向服务器发送消息,但是无法从服务器获取消息。这是我的代码。我认为该问题必须在服务器端,但是我不知道如何解决该问题。我特意删除了错误检查,仅在SO上发布并保持简短。我在任何方面都没有收到任何错误。

我可以使用未连接 UDP套接字运行该程序,但是不能使用已连接套接字运行该程序。

Server.c

#include <arpa/inet.h>
#include <netinet/in.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/socket.h>
#include <sys/types.h>
#include <errno.h>

int main()
{
  int sockfd;
  struct sockaddr_in me;
  char buffer[1024];

  sockfd = socket(AF_INET, SOCK_DGRAM, 0);

  memset(&me, '\0', sizeof(me));
  me.sin_family = AF_INET;
  me.sin_port = htons(8080);
  me.sin_addr.s_addr = inet_addr("127.0.0.1");

  bind(sockfd, (struct sockaddr *)&me, sizeof(me));

  recv(sockfd, buffer, 1024, 0);
  printf("[+]Data Received: %s\n", buffer);

  strcpy(buffer, "Hello Client\n");
  send(sockfd, buffer, 1024, 0);
  printf("[+]Data Send: %s\n", buffer);

  return 0;
}

Client.c

#include <arpa/inet.h>
#include <netinet/in.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/socket.h>
#include <sys/types.h>
#include <errno.h>

int main()
{
  int sockfd;
  struct sockaddr_in other;
  char buffer[1024];

  sockfd = socket(AF_INET, SOCK_DGRAM, 0);

  memset(&other, '\0', sizeof(other));
  other.sin_family = AF_INET;
  other.sin_port = htons(8080);
  other.sin_addr.s_addr = inet_addr("127.0.0.1");

  connect(sockfd, (struct sockaddr *)&other, sizeof(other));

  strcpy(buffer, "Hello Server\n");
  send(sockfd, buffer, 1024, 0);
  printf("[+]Data Send: %s\n", buffer);

  recv(sockfd, buffer, 1024, 0);
  printf("[+]Data Received: %s\n", buffer);

  return 0;
}

服务器的输出

[+]Data Received: Hello Server
[+]Data Send: Hello Client

客户输出

[+]Data Send: Hello Server
// Here it does not receive the message sent by server.

1 个答案:

答案 0 :(得分:1)

在Linux上,strace可执行文件,服务器send会这样说:

sendto(3, "Hello Client\n\0\0\0\310$\220\4J\177\0\0\0\0\0\0\0\0\0\0"...,
       1024, 0, NULL, 0) = -1 EDESTADDRREQ (Destination address required)

即服务器套接字确实不知道它需要发送到的地址。 任何 UDP套接字必须通过connect ing,sendto中提供目标套接字地址来使套接字的另一端知道。 UDP套接字上的connect意味着仅为send设置默认地址。


要与未知方连接“服务器”端的套接字,应使用recvfrom来查找发送方的套接字地址-然后您可以connect使用该地址或继续使用sendto。使用sendto,同一套接字可以同时与许多不同的方进行通信。


TCP服务器/客户端套接字是另一种情况,因为服务器端的 listen / accept 返回与原始服务器套接字不同的 new 连接套接字。