3

我正在制作一个连接到桌面应用程序的 Win RT 应用程序,它们开始以 UDP 和 TCP 进行通信。

我已经成功实现了 TCP 通信,因为我可以从 Win RT 发送到桌面,也可以从桌面发送到 Win RT。在 Win RT 上使用 StreamSocket,在桌面上使用 TcpListener。

我还成功地将 Udp 数据从 Win RT 发送到桌面,没有任何问题。但我无法接收从桌面发送到 Win RT 的数据。我使用下面的代码,我看不出有什么问题,但肯定有什么问题。

    var g = new DatagramSocket();
    g.MessageReceived += g_MessageReceived;
    g.BindEndpointAsync(new HostName("127.0.0.1"), "6700");
    .
    .
    .
    void g_MessageReceived(DatagramSocket sender, DatagramSocketMessageReceivedEventArgs args)
    { // <- break point here.

    }

该断点永远不会停止代码,这意味着它永远不会收到消息。我只能想到 IBuffer,因为在我的 StreamSocket 上,我应该通过 reader.GetBuffers() 而不是 reader.GetBytes() 获取字节。然而,这是我需要在 Win RT 而不是桌面上考虑的事情。因为在 Tcp 上,我只发送字节,然后在 Win RT 中获得缓冲区,所以 DatagramSocket 也应该如此。

  • 阅读器 = 数据阅读器

感谢你们。

4

1 回答 1

5

我对新的 DatagramSocket 类不熟悉,但通常绑定到 127.0.0.1 意味着您只会收到发送到环回适配器的消息。由于您的数据包来自另一台主机,因此它们应该在 NIC 上接收,而不是在环回适配器上。

编辑:通过查看您正在使用的 DatagramSocket API 的文档,您可以只使用该BindServiceNameAsync()方法而不是BindEndpointAsync()为了绑定到所有适配器上的指定端口,这与我的 System.Net.Sockets API 的行为相同下面的例子。因此,在您的示例中,您将拥有:

g.BindServiceNameAsync("6700");

当然,您还需要确保桌面主机上的防火墙设置允许它侦听指定端口上的传入 UDP 数据包。

试试下面的代码:

    using System.Net;
    using System.Net.Sockets;

    public class UdpState
    {
        public UdpClient client;
        public IPEndPoint ep;
    }

    ...

    private void btnStartListener_Click(object sender, EventArgs e)
    {
        UdpState state = new UdpState();
        //This specifies that the UdpClient should listen on EVERY adapter
        //on the specified port, not just on one adapter.
        state.ep = new IPEndPoint(IPAddress.Any, 31337);
        //This will call bind() using the above IP endpoint information. 
        state.client = new UdpClient(state.ep);
        //This starts waiting for an incoming datagram and returns immediately.
        state.client.BeginReceive(new AsyncCallback(bytesReceived), state);
    }

    private void bytesReceived(IAsyncResult async)
    {
        UdpState state = async.AsyncState as UdpState;
        if (state != null)
        {
            IPEndPoint ep = state.ep;
            string msg = ASCIIEncoding.ASCII.GetString(state.client.EndReceive(async, ref ep));
            //either close the client or call BeginReceive to wait for next datagram here.
        }
    }

请注意,在上面的代码中,您显然应该使用发送字符串时使用的任何编码。当我编写那个测试应用程序时,我以 ASCII 格式发送了字符串。如果您以 Unicode 格式发送,只需使用UnicodeEncoding.Unicode而不是ASCIIEncoding.ASCII.

如果这些都不起作用,您可能需要中断像 Wireshark 这样的数据包捕获实用程序,以确保来自 RT 主机的 UDP 数据包实际上是到达桌面主机。

于 2012-12-11T05:53:08.963 回答