- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
经过一上午的战斗,我的握手可以正常工作,但现在我无法真正发送和接收消息。我一直在寻找无济于事的答案,所以我想我终于站出来问了:/
到目前为止,我的客户非常简单:
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
他们遵循:
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);
}
}
}
}
}
}
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(text) 之类的东西),它以乱码文本的形式发送到服务器。当我尝试从服务器到客户端执行 writer.WriteLine("whatever") 时,onmessage 事件永远不会触发。在我终于解决了握手问题后,我环顾四周,但找不到任何解决此问题的好例子。
我不应该使用 StreamWriter 吗?我是否在握手时遗漏了其他内容(可能是协议(protocol))。
寻找和帮助的 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(0x07) 并且不发送“测试”骰子。我也对 l_Stream.Write() 参数是什么感到困惑。我知道它是字节数组、偏移量和大小,但大小是多少?
最佳答案
在最新版本的规范中,消息不会以纯文本形式发送。查看data framing section了解详情。
这wiki post也很有帮助。
我还写了一个C++ server ; WsProtocol80
类展示了如何读取/写入数据。
编辑:在您的示例发送代码中,0x04 字节指定了一条 4 字节的消息。您可以通过这种方式设置不同的值并发送最多 125 个字节的消息。当您更改消息长度时,您还必须将最后一个参数更新为 l_Stream.Write(它指定要写入的字节数)。在所有情况下将其更改为 lb.Count 似乎更好。
如果您仍然觉得按位运算令人困惑,并且以后想要发送更长的消息或从客户端读取消息,则上面指向 wiki 帖子的链接包含应该有用的伪代码。
关于c# - websocket 成功握手,但没有正确发送接收消息(C# 服务器),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/9087168/
我一直在读到,如果一个集合“被释放”,它也会释放它的所有对象。另一方面,我还读到,一旦集合被释放,集合就会释放它的对象。 但最后一件事可能并不总是发生,正如苹果所说。系统决定是否取消分配。在大多数情况
我有一个客户端-服务器应用程序,它使用 WCF 进行通信,并使用 NetDataContractSerializer 序列化对象图。 由于服务器和客户端之间传输了大量数据,因此我尝试通过微调数据成员的
我需要有关 JMS 队列和消息处理的帮助。 我有一个场景,需要针对特定属性组同步处理消息,但可以在不同属性组之间同时处理消息。 我了解了特定于每个属性的消息组和队列的一些知识。我的想法是,我想针对
我最近开始使用 C++,并且有一种强烈的冲动 #define print(msg) std::cout void print(T const& msg) { std::cout void
我已经为使用 JGroups 编写了简单的测试。有两个像这样的简单应用程序 import org.jgroups.*; import org.jgroups.conf.ConfiguratorFact
这个问题在这里已经有了答案: Firebase messaging is not supported in your browser how to solve this? (3 个回答) 7 个月前关
在我的 C# 控制台应用程序中,我正在尝试更新 CRM 2016 中的帐户。IsFaulted 不断返回 true。当我向下钻取时它返回的错误消息如下: EntityState must be set
我正在尝试通过 tcp 将以下 json 写入 graylog 服务器: {"facility":"GELF","file":"","full_message":"Test Message Tcp",
我正在使用 Django 的消息框架来指示成功的操作和失败的操作。 如何排除帐户登录和注销消息?目前,登录后登陆页面显示 已成功登录为“用户名”。我不希望显示此消息,但应显示所有其他成功消息。我的尝试
我通过编写禁用qDebug()消息 CONFIG(release, debug|release):DEFINES += QT_NO_DEBUG_OUTPUT 在.pro文件中。这很好。我想知道是否可以
我正在使用 ThrottleRequest 来限制登录尝试。 在 Kendler.php 我有 'throttle' => \Illuminate\Routing\Middleware\Throttl
我有一个脚本,它通过die引发异常。捕获异常时,我想输出不附加位置信息的消息。 该脚本: #! /usr/bin/perl -w use strict; eval { die "My erro
允许的消息类型有哪些(字符串、字节、整数等)? 消息的最大大小是多少? 队列和交换器的最大数量是多少? 最佳答案 理论上任何东西都可以作为消息存储/发送。实际上您不想在队列上存储任何内容。如果队列大部
基本上,我正在尝试创建一个简单的 GUI 来与 Robocopy 一起使用。我正在使用进程打开 Robocopy 并将输出重定向到文本框,如下所示: With MyProcess.StartI
我想将进入 MQ 队列的消息记录到数据库/文件或其他日志队列,并且我无法修改现有代码。是否有任何方法可以实现某种类似于 HTTP 嗅探器的消息记录实用程序?或者也许 MQ 有一些内置的功能来记录消息?
我得到了一个带有 single_selection 数据表和一个命令按钮的页面。命令按钮调用一个 bean 方法来验证是否进行了选择。如果不是,它应该显示一条消息警告用户。如果进行了选择,它将导航到另
我知道 MSVC 可以通过 pragma 消息做到这一点 -> http://support.microsoft.com/kb/155196 gcc 是否有办法打印用户创建的警告或消息? (我找不到谷
当存在大量节点或二进制数据时, native Erlang 消息能否提供合理的性能? 情况 1:有一个大约 50-200 台机器的动态池(erlang 节点)。它在不断变化,每 10 分钟大约添加或删
我想知道如何在用户登录后显示“欢迎用户,您已登录”的问候消息,并且该消息应在 5 秒内消失。 该消息将在用户成功登录后显示一次,但在同一 session 期间连续访问主页时不会再次显示。因为我在 ho
如果我仅使用Welcome消息,我的代码可以正常工作,但是当打印p->client_name指针时,消息不居中。 所以我的问题是如何将消息和客户端名称居中,就像它是一条消息一样。为什么它目前仅将消
我是一名优秀的程序员,十分优秀!