C# WebSocket 服务器实现

作者:追风剑情 发布于:2024-1-15 16:54 分类:C#

Writing WebSocket server
RFC-6455.pdf

通过客户端发送 HTTP GET 请求将连接升级到 WebSocket。

  1. using System;
  2. using System.Net.Sockets;
  3. using System.Net;
  4. using System.Text;
  5. using System.Text.RegularExpressions;
  6. using System.Security.Cryptography;
  7.  
  8. namespace WebSocketServerTest
  9. {
  10. /// <summary>
  11. /// https://developer.mozilla.org/en-US/docs/Web/API/WebSockets_API/Writing_WebSocket_server
  12. /// https://datatracker.ietf.org/doc/html/rfc6455
  13. /// </summary>
  14. internal class Program
  15. {
  16. static void Main(string[] args)
  17. {
  18. TcpListener server = new TcpListener(IPAddress.Parse("127.0.0.1"), 80);
  19. server.Start();
  20. Console.WriteLine("Server has started on 127.0.0.1:80.{0}Waiting for a connection…", Environment.NewLine);
  21. TcpClient client = server.AcceptTcpClient();
  22. Console.WriteLine("A client connected.");
  23. NetworkStream stream = client.GetStream();
  24. while (true)
  25. {
  26. while (!stream.DataAvailable);
  27. while (client.Available < 3);
  28.  
  29. byte[] bytes = new byte[client.Available];
  30. stream.Read(bytes, 0, bytes.Length);
  31. String data = Encoding.UTF8.GetString(bytes);
  32.  
  33. //握手的完整过程参见 RFC 6455 第4.2.2节
  34. //1.获取 "Sec-WebSocket-Key" 请求标头的值,不包含任何前导或尾随空格
  35. //2.将其与 "258EAFA5-E914-47DA-95CA-C5AB0DC85B11" (RFC 6455指定的特殊GUID) 连接
  36. //3.计算新值的 SHA-1 和 Base64 哈希
  37. //4.将散列写回HTTP响应中 "Sec-WebSocket-Accept" 响应标头的值
  38. if (Regex.IsMatch(data, "^GET", RegexOptions.IgnoreCase))
  39. {
  40. Console.WriteLine("收到来自客户端的握手请求");
  41. //HTTP/1.1 将序列 CR LF 定义为行尾标记
  42. const string eol = "\r\n";
  43.  
  44. //从请求头中提取 Sec-WebSocket-Key
  45. string swk = new System.Text.RegularExpressions.Regex("Sec-WebSocket-Key: (.*)").Match(data).Groups[1].Value.Trim();
  46. //连接特殊GUID
  47. string swka = swk + "258EAFA5-E914-47DA-95CA-C5AB0DC85B11";
  48. //计算新值的 SHA-1
  49. byte[] swkaSha1 = SHA1.Create().ComputeHash(Encoding.UTF8.GetBytes(swka));
  50. //计算新值的 Base64
  51. string swkaSha1Base64 = Convert.ToBase64String(swkaSha1);
  52.  
  53. //返回值
  54. byte[] response = Encoding.UTF8.GetBytes("HTTP/1.1 101 Switching Protocols" + eol
  55. + "Connection: Upgrade" + eol
  56. + "Upgrade: websocket" + eol
  57. + "Sec-WebSocket-Accept: " + swkaSha1Base64 + eol + eol);
  58.  
  59. //返回后代表握手完成!
  60. stream.Write(response, 0, response.Length);
  61. }
  62. else
  63. {
  64. // 收到来自客户端的WebSocket消息!
  65. //fin: 0表示还有后续帧数据;1表示当前帧数据已经是全部数据
  66. bool fin = (bytes[0] & 0b10000000) != 0;
  67. bool mask = (bytes[1] & 0b10000000) != 0;//1:表示存在掩蔽密钥
  68. //opcode说明:
  69. //0:表示连续帧
  70. //1:表示文本数据
  71. //2:表示二进制数据
  72. //3-7:保留
  73. //8:表示连接关闭
  74. //9:表示ping
  75. //0xA:表示pong
  76. //oxB-F:保留
  77. int opcode = bytes[0] & 0b00001111;
  78. int offset = 2;
  79. ulong msglen = bytes[1] & (ulong)0b01111111;
  80. //126表示消息长度占2个字节
  81. if (msglen == 126)
  82. {
  83. //websocket 采用的是大端排列(Big-Endian)
  84. //在windows平台上需要转成小端(little-endian)
  85. msglen = BitConverter.ToUInt16(new byte[] { bytes[3], bytes[2] }, 0);
  86. offset = 4;
  87. }
  88. //127表示消息长度占8个字节
  89. else if (msglen == 127)
  90. {
  91. msglen = BitConverter.ToUInt64(new byte[] { bytes[9], bytes[8], bytes[7], bytes[6], bytes[5], bytes[4], bytes[3], bytes[2] }, 0);
  92. offset = 10;
  93. }
  94.  
  95. if (msglen == 0)
  96. {
  97. Console.WriteLine("msglen == 0");
  98. }
  99. else if (mask)
  100. {
  101. byte[] decoded = new byte[msglen];
  102. byte[] masks = new byte[4] { bytes[offset], bytes[offset + 1], bytes[offset + 2], bytes[offset + 3] };
  103. offset += 4;
  104.  
  105. for (ulong i = 0; i < msglen; ++i)
  106. decoded[i] = (byte)(bytes[(ulong)offset + i] ^ masks[i % 4]);
  107.  
  108. string text = Encoding.UTF8.GetString(decoded);
  109. Console.WriteLine("{0}", text);
  110. }
  111. else
  112. {
  113. Console.WriteLine("mask bit not set");
  114. Console.WriteLine();
  115. }
  116. }
  117. }
  118. }
  119. }
  120. }

HTML 测试页面

  1. <!doctype html>
  2. <html lang="en">
  3. <style>
  4. textarea {
  5. vertical-align: bottom;
  6. }
  7. #output {
  8. overflow: auto;
  9. }
  10. #output > p {
  11. overflow-wrap: break-word;
  12. }
  13. #output span {
  14. color: blue;
  15. }
  16. #output span.error {
  17. color: red;
  18. }
  19. </style>
  20. <body>
  21. <h2>WebSocket Test</h2>
  22. <textarea cols="60" rows="6"></textarea>
  23. <button>send</button>
  24. <div id="output"></div>
  25. </body>
  26. <script>
  27. // http://www.websocket.org/echo.html
  28. const button = document.querySelector("button");
  29. const output = document.querySelector("#output");
  30. const textarea = document.querySelector("textarea");
  31. const wsUri = "ws://127.0.0.1/";
  32. const websocket = new WebSocket(wsUri);
  33.  
  34. button.addEventListener("click", onClickButton);
  35.  
  36. websocket.onopen = (e) => {
  37. writeToScreen("CONNECTED");
  38. doSend("WebSocket rocks");
  39. };
  40.  
  41. websocket.onclose = (e) => {
  42. writeToScreen("DISCONNECTED");
  43. };
  44.  
  45. websocket.onmessage = (e) => {
  46. writeToScreen(`<span>RESPONSE: ${e.data}</span>`);
  47. };
  48.  
  49. websocket.onerror = (e) => {
  50. writeToScreen(`<span class="error">ERROR:</span> ${e.data}`);
  51. };
  52.  
  53. function doSend(message) {
  54. writeToScreen(`SENT: ${message}`);
  55. websocket.send(message);
  56. }
  57.  
  58. function writeToScreen(message) {
  59. output.insertAdjacentHTML("afterbegin", `<p>${message}</p>`);
  60. }
  61.  
  62. function onClickButton() {
  63. const text = textarea.value;
  64.  
  65. text && doSend(text);
  66. textarea.value = "";
  67. textarea.focus();
  68. }
  69. </script>
  70. </html>

运行测试
1111.png

以下为收到的浏览器握手请求数据
GET / HTTP/1.1
Host: 127.0.0.1
Connection: Upgrade
Pragma: no-cache
Cache-Control: no-cache
User-Agent: Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36 Edg/120.0.0.0
Upgrade: websocket
Origin: null
Sec-WebSocket-Version: 13
Accept-Encoding: gzip, deflate, br
Accept-Language: zh-CN,zh;q=0.9,en;q=0.8,en-GB;q=0.7,en-US;q=0.6
Sec-WebSocket-Key: f4QQK6qAaBZB44T+xUb54Q==
Sec-WebSocket-Extensions: permessage-deflate; client_max_window_bits  

例如 ws://127.0.0.1/test
服务器收到的GET为:
GET /test HTTP/1.1
......

// 从 http get 请求头中解析出url路径
public static string ParseURLPath(string getHeader)
{
	Match match = Regex.Match(getHeader, @"GET (.+) HTTP/1.1");
	if (!match.Success)
		return string.Empty;
	string[] arr = match.Value.Split(new char[] { ' ' });
	//string path = arr[1].TrimStart('/');
	string path = arr[1];
	return path;
}
 

标签: C#

Powered by emlog  蜀ICP备18021003号-1   sitemap

川公网安备 51019002001593号