websocket成功握手,但未正确发送接收消息(C#服务器)

本文关键字:消息 服务器 成功 websocket | 更新日期: 2023-09-27 18:21:59

经过一上午的战斗,我终于可以握手了,但现在我在收发消息时遇到了麻烦。我一直在寻找答案,但没有结果,所以我想我终于可以走到这里问:/

到目前为止,我的客户很简单:

function testWebSocket() {
    if (!window.WebSocket) {
        alert('WebSockets are NOT supported by your browser.');
        return;
    }
    try {
        var ws = new WebSocket('ws://localhost:8181/websession');
        ws.onopen = function () {
            alert('Handshake successfully established. Ready for data...');
        };
        ws.onmessage = function (e) {
            alert('Got WebSockets message: ' + e.data);
        }
        ws.onclose = function () {
            alert('Connection closed.');
        };
    }
    catch (e) {
        alert(e);
    }
}

是的,我为此借用了很多代码。。。我只是想用一个简单的"聊天应用程序"来验证概念

我的服务器主要由两个类组成,SocketServer.cs和SocketClient.cs

它们遵循:

SocketServer.cs

using System;
using System.Collections.Generic;
using System.Text;
using System.Net.Sockets;
using System.Net;
using System.IO;
namespace WebSocketServer.Entities
{
    class SocketServer
    {
        public static Form1 parentForm;
        TcpListener socketServer;
        public static List<SocketClient> ClientList = new List<SocketClient>();

        public SocketServer(Form1 pForm)
        {
            parentForm = pForm;
            parentForm.ApplyText("Socket Class Initiated'r'n");
            socketServer = new TcpListener(IPAddress.Any, 8181);
            // tell the console that it's started
            parentForm.ApplyText("Socket Server Started'r'n");
            // create continuous loops to listen for new connections
            // start the listener
            socketServer.Start();
            while (true)
            {
                // check for any incoming pending connections
                // create new socket client for new connection
                TcpClient socketConnection = socketServer.AcceptTcpClient();
                DateTime now = DateTime.Now;
                //write message to console to indicate new connection
                parentForm.ApplyText("New Client Connected - " + now.ToString("MM/dd/yyyy h:mm:ss tt") + "'r'n");
                // create new client object for this connection
                SocketClient socketClient = new SocketClient(socketConnection, parentForm);
            }
        }
        public static void CloseClient(SocketClient whichClient)
        {
            ClientList.Remove(whichClient);
            whichClient.Client.Close();
            // dispose of the client object
            whichClient.Dispose();
            whichClient = null;
            parentForm.ApplyText("Client Disconnected'r'n");
        }

        public static void SendTextToClient(SocketClient sc, string text)
        {
            StreamWriter writer = new StreamWriter(sc.Client.GetStream());
            // check if client is still connected, then send the text string
            try
            {
                if (sc.Client.Connected)
                {
                    writer.WriteLine(text);
                    writer.Flush();
                    writer = null;
                }
            }
            catch
            {
                CloseClient(sc);
            }
        }

        public static void SendBroadcast(string text)
        {
            StreamWriter writer;
            // loop through the array and send text to all clients
            foreach (SocketClient client in ClientList)
            {
                if (client.Client.Connected)
                {
                    try
                    {
                        writer = new StreamWriter(client.Client.GetStream());
                        writer.WriteLine(text);
                        writer.Flush();
                        writer = null;
                    }
                    catch
                    {
                        CloseClient(client);
                    }
                }
            }
        }
    }
}

SocketClient.cs

using System;
using System.Collections.Generic;
using System.Text;
using System.Net.Sockets;
using System.IO;
using System.Threading;
using System.Security.Cryptography;
namespace WebSocketServer.Entities
{
    class SocketClient
    {
        public TcpClient Client;
        StreamReader reader;
        StreamWriter writer;
        Form1 parentForm;

        public SocketClient(TcpClient client, Form1 pForm)
        {
            parentForm = pForm;
            Client = client;
            Thread clientThread = new Thread(new ThreadStart(StartClient));
            clientThread.Start();
        }

        private void StartClient()
        {
            SocketServer.ClientList.Add(this);
            // create a reader for this client
            reader = new StreamReader(Client.GetStream());
            // create a writer for this client
            writer = new StreamWriter(Client.GetStream());
            var headers = new Dictionary<string, string>();
            string line = "";
            while ((line = reader.ReadLine()) != string.Empty)
            {
                if (!string.IsNullOrEmpty(line))
                {
                    var tokens = line.Split(new char[] { ':' }, 2);
                    if (!string.IsNullOrWhiteSpace(line) && tokens.Length > 1)
                    {
                        headers[tokens[0]] = tokens[1].Trim();
                    }
                }
            }

            String secWebSocketAccept = ComputeWebSocketHandshakeSecurityHash09(headers["Sec-WebSocket-Key"]);
            // send handshake to this client only
            writer.WriteLine("HTTP/1.1 101 Web Socket Protocol Handshake");
            writer.WriteLine("Upgrade: WebSocket");
            writer.WriteLine("Connection: Upgrade");
            writer.WriteLine("WebSocket-Origin: http://localhost:63422/");
            writer.WriteLine("WebSocket-Location: ws://localhost:8181/websession");
            writer.WriteLine("Sec-WebSocket-Accept: " + secWebSocketAccept);
            writer.WriteLine("");
            writer.Flush();
            SocketServer.SendBroadcast("New Client Connected");
            Thread clientRun = new Thread(new ThreadStart(RunClient));
            clientRun.Start();
        }
        public static String ComputeWebSocketHandshakeSecurityHash09(String secWebSocketKey)
         {
             const String MagicKEY = "258EAFA5-E914-47DA-95CA-C5AB0DC85B11";
             String secWebSocketAccept = String.Empty;
             // 1. Combine the request Sec-WebSocket-Key with magic key.
             String ret = secWebSocketKey + MagicKEY;
             // 2. Compute the SHA1 hash
             SHA1 sha = new SHA1CryptoServiceProvider(); 
             byte[] sha1Hash = sha.ComputeHash(Encoding.UTF8.GetBytes(ret));
             // 3. Base64 encode the hash
             secWebSocketAccept = Convert.ToBase64String(sha1Hash);
             return secWebSocketAccept;
         }

        private void RunClient()
        {
            try
            {
                string line = "";
                while (true)
                {
                    line = reader.ReadLine();
                    if (!string.IsNullOrEmpty(line))
                    {
                        parentForm.ApplyText(line + "'r'n");
                        SocketServer.SendBroadcast(line);
                    }
                }
            }
            catch
            {
                parentForm.ApplyText("Client Disconnected'r'n");
                SocketServer.CloseClient(this);
            }
        }
        public void Dispose()
        {
            System.GC.SuppressFinalize(this);
        }
    }
}

我可以在Chrome中连接多个实例,我的服务器显示所有连接的客户端,我看到握手成功的警报。但是,当我尝试从客户端发送文本时(上面没有显示代码,但这是一个非常简单的ws.send(文本)类型的东西),它在服务器上会显示为乱码文本。当我尝试做一个作家。从服务器到客户端的WriteLine("whatever"),onmessage事件永远不会触发。在我终于解决了握手问题后,我做了很多环顾四周的工作,但找不到任何解决这个问题的好例子。

我不应该使用StreamWriter吗?我是不是在握手时遗漏了其他东西(可能是协议)。

TIA寻求帮助。

编辑:

下面的代码可以工作,但我不知道如何修改它以允许动态大小的文本长度。在这一点上,我可以发送127或更少的文本,但我似乎无法掌握如何超过4。

public static void SendBroadcast(string text)
{
    StreamWriter writer;
    // loop through the array and send text to all clients
    foreach (SocketClient client in ClientList)
    {
        if (client.Client.Connected)
        {
            try
            {
                NetworkStream l_Stream = client.Client.GetStream();  
                List<byte> lb = new List<byte>();
                lb.Add(0x81);
                lb.Add(0x04);
                lb.AddRange(Encoding.UTF8.GetBytes("test"));
                l_Stream.Write(lb.ToArray(), 0, 6);
            }
            catch
            {
                CloseClient(client);
            }
        }
    }
}

我尝试过将lb.Add(0x04)修改为lb.Add,并发送"测试"无骰子。我还弄不清楚l_Stream.Write()参数是什么。我知道它是字节数组,偏移量和大小,但大小是什么?

websocket成功握手,但未正确发送接收消息(C#服务器)

在最新版本的规范中,消息不是以纯文本形式发送的。有关详细信息,请参阅数据帧部分。

这篇维基文章也很有帮助。

我还编写了一个C++服务器;CCD_ 1类示出了如何读取/写入数据。

EDIT:在示例发送代码中,0x04字节指定4字节的消息。您可以设置不同的值,并通过这种方式发送最多125字节的消息。更改消息长度时,还必须将最后一个参数更新为l_Stream.Write(指定要写入的字节数)。将其更改为磅。在所有情况下计数似乎更好。

如果你仍然觉得按位操作令人困惑,并且以后想发送更长的消息或从客户端读取消息,那么上面的wiki帖子链接包括伪代码,这应该会很有帮助。

我遇到了同样的问题,我找到了解决方案:

            lb = new List<byte>();
            lb.Add(0x81);
            size = message.Length;//get the message's size
            lb.Add((byte)size); //get the size in bytes
            lb.AddRange(Encoding.UTF8.GetBytes(message));
            stream.Write(lb.ToArray(), 0, size+2); //I do size+2 because we have 2 bytes plus 0x81 and (byte)size

使用此解决方案,您可以发送更大的消息,但只能<127个字符

注意:对不起,我的英语不太好