Unity Mirror插件WebGL端多人联机实现

打印 上一主题 下一主题

主题 994|帖子 994|积分 2982

Demo地址
https://gitee.com/njiyue/unity-mirror-webgl-test


使用Mirror插件及其开源的SimpleWebTransport实现,简单记载下碰到的题目。详细原理就不多先容了哈~ Unity版本:2022.3.48f1c1


1. Unity导入mirror插件、SimpleWebTransport包

 



2.  报错:

导入插件和SimpleWebTransportSimpleWebTransport包后,会报这个错:

原因:步伐集关联有题目 
解决方法:黑色的谁人SimpleWebTransport脚本文件放到SimpleWeb目次下



3. 报错:


原因:由于SimpleWebTransport包太久没被维护了,导致与最新版本的Mirror插件API对不上。
解决方法:
更改SimpleWebTransport 脚本的内容

更改为:
  1. using System;
  2. using System.Net;
  3. using System.Net.Sockets;
  4. using System.Security.Authentication;
  5. using UnityEngine;
  6. using UnityEngine.Serialization;
  7. namespace Mirror.SimpleWeb
  8. {
  9.     public class SimpleWebTransport : Transport
  10.     {
  11.         public const string NormalScheme = "ws";
  12.         public const string SecureScheme = "wss";
  13.         [Tooltip("Port to use for server and client")]
  14.         public ushort port = 7778;
  15.         [Tooltip("Protect against allocation attacks by keeping the max message size small. Otherwise an attacker might send multiple fake packets with 2GB headers, causing the server to run out of memory after allocating multiple large packets.")]
  16.         public int maxMessageSize = 16 * 1024;
  17.         [Tooltip("Max size for http header send as handshake for websockets")]
  18.         public int handshakeMaxSize = 3000;
  19.         [Tooltip("disables nagle algorithm. lowers CPU% and latency but increases bandwidth")]
  20.         public bool noDelay = true;
  21.         [Tooltip("Send would stall forever if the network is cut off during a send, so we need a timeout (in milliseconds)")]
  22.         public int sendTimeout = 5000;
  23.         [Tooltip("How long without a message before disconnecting (in milliseconds)")]
  24.         public int receiveTimeout = 20000;
  25.         [Tooltip("Caps the number of messages the server will process per tick. Allows LateUpdate to finish to let the reset of unity contiue incase more messages arrive before they are processed")]
  26.         public int serverMaxMessagesPerTick = 10000;
  27.         [Tooltip("Caps the number of messages the client will process per tick. Allows LateUpdate to finish to let the reset of unity contiue incase more messages arrive before they are processed")]
  28.         public int clientMaxMessagesPerTick = 1000;
  29.         [Header("Server settings")]
  30.         [Tooltip("Groups messages in queue before calling Stream.Send")]
  31.         public bool batchSend = true;
  32.         [Tooltip("Waits for 1ms before grouping and sending messages. " +
  33.             "This gives time for mirror to finish adding message to queue so that less groups need to be made. " +
  34.             "If WaitBeforeSend is true then BatchSend Will also be set to true")]
  35.         public bool waitBeforeSend = false;
  36.         [Header("Ssl Settings")]
  37.         [Tooltip("Sets connect scheme to wss. Useful when client needs to connect using wss when TLS is outside of transport, NOTE: if sslEnabled is true clientUseWss is also true")]
  38.         public bool clientUseWss;
  39.         public bool sslEnabled;
  40.         [Tooltip("Path to json file that contains path to cert and its password\n\nUse Json file so that cert password is not included in client builds\n\nSee cert.example.Json")]
  41.         public string sslCertJson = "./cert.json";
  42.         public SslProtocols sslProtocols = SslProtocols.Tls12;
  43.         [Header("Debug")]
  44.         [Tooltip("Log functions uses ConditionalAttribute which will effect which log methods are allowed. DEBUG allows warn/error, SIMPLEWEB_LOG_ENABLED allows all")]
  45.         [FormerlySerializedAs("logLevels")]
  46.         [SerializeField] Log.Levels _logLevels = Log.Levels.none;
  47.         /// <summary>
  48.         /// <para>Gets _logLevels field</para>
  49.         /// <para>Sets _logLevels and Log.level fields</para>
  50.         /// </summary>
  51.         public Log.Levels LogLevels
  52.         {
  53.             get => _logLevels;
  54.             set
  55.             {
  56.                 _logLevels = value;
  57.                 Log.level = _logLevels;
  58.             }
  59.         }
  60.         void OnValidate()
  61.         {
  62.             if (maxMessageSize > ushort.MaxValue)
  63.             {
  64.                 Debug.LogWarning($"max supported value for maxMessageSize is {ushort.MaxValue}");
  65.                 maxMessageSize = ushort.MaxValue;
  66.             }
  67.             Log.level = _logLevels;
  68.         }
  69.         SimpleWebClient client;
  70.         SimpleWebServer server;
  71.         TcpConfig TcpConfig => new TcpConfig(noDelay, sendTimeout, receiveTimeout);
  72.         public override bool Available()
  73.         {
  74.             return true;
  75.         }
  76.         public override int GetMaxPacketSize(int channelId = 0)
  77.         {
  78.             return maxMessageSize;
  79.         }
  80.         void Awake()
  81.         {
  82.             Log.level = _logLevels;
  83.         }
  84.         public override void Shutdown()
  85.         {
  86.             client?.Disconnect();
  87.             client = null;
  88.             server?.Stop();
  89.             server = null;
  90.         }
  91.         void LateUpdate()
  92.         {
  93.             ProcessMessages();
  94.         }
  95.         /// <summary>
  96.         /// Processes message in server and client queues
  97.         /// <para>Invokes OnData events allowing mirror to handle messages (Cmd/SyncVar/etc)</para>
  98.         /// <para>Called within LateUpdate, Can be called by user to process message before important logic</para>
  99.         /// </summary>
  100.         public void ProcessMessages()
  101.         {
  102.             server?.ProcessMessageQueue(this);
  103.             client?.ProcessMessageQueue(this);
  104.         }
  105.         #region Client
  106.         string GetClientScheme() => (sslEnabled || clientUseWss) ? SecureScheme : NormalScheme;
  107.         string GetServerScheme() => sslEnabled ? SecureScheme : NormalScheme;
  108.         public override bool ClientConnected()
  109.         {
  110.             // not null and not NotConnected (we want to return true if connecting or disconnecting)
  111.             return client != null && client.ConnectionState != ClientState.NotConnected;
  112.         }
  113.         public override void ClientConnect(string hostname)
  114.         {
  115.             // connecting or connected
  116.             if (ClientConnected())
  117.             {
  118.                 Debug.LogError("Already Connected");
  119.                 return;
  120.             }
  121.             UriBuilder builder = new UriBuilder
  122.             {
  123.                 Scheme = GetClientScheme(),
  124.                 Host = hostname,
  125.                 Port = port
  126.             };
  127.             client = SimpleWebClient.Create(maxMessageSize, clientMaxMessagesPerTick, TcpConfig);
  128.             if (client == null) { return; }
  129.             client.onConnect += OnClientConnected.Invoke;
  130.             client.onDisconnect += () =>
  131.             {
  132.                 OnClientDisconnected.Invoke();
  133.                 // clear client here after disconnect event has been sent
  134.                 // there should be no more messages after disconnect
  135.                 client = null;
  136.             };
  137.             client.onData += (ArraySegment<byte> data) => OnClientDataReceived.Invoke(data, Channels.Reliable);//——————————————————修改
  138.             client.onError += (Exception e) =>
  139.             {
  140.                 OnClientError.Invoke(TransportError.Unexpected, e.ToString());//——————————————————修改
  141.                 ClientDisconnect();
  142.             };
  143.             client.Connect(builder.Uri);
  144.         }
  145.         public override void ClientDisconnect()
  146.         {
  147.             // dont set client null here of messages wont be processed
  148.             client?.Disconnect();
  149.         }
  150.         //#if MIRROR_26_0_OR_NEWER //——————————————————注释掉
  151.         public override void ClientSend(ArraySegment<byte> segment, int channelId = Channels.Reliable)//——————————————————修改
  152.         {
  153.             if (!ClientConnected())
  154.             {
  155.                 Debug.LogError("Not Connected");
  156.                 return;
  157.             }
  158.             if (segment.Count > maxMessageSize)
  159.             {
  160.                 Log.Error("Message greater than max size");
  161.                 return;
  162.             }
  163.             if (segment.Count == 0)
  164.             {
  165.                 Log.Error("Message count was zero");
  166.                 return;
  167.             }
  168.             client.Send(segment);
  169.         }
  170.         //#else//——————————————————注释掉 Start
  171.         //public override bool ClientSend(int channelId, ArraySegment<byte> segment)
  172.         //{
  173.         //    if (!ClientConnected())
  174.         //    {
  175.         //        Debug.LogError("Not Connected");
  176.         //        return false;
  177.         //    }
  178.         //    if (segment.Count > maxMessageSize)
  179.         //    {
  180.         //        Log.Error("Message greater than max size");
  181.         //        return false;
  182.         //    }
  183.         //    if (segment.Count == 0)
  184.         //    {
  185.         //        Log.Error("Message count was zero");
  186.         //        return false;
  187.         //    }
  188.         //    client.Send(segment);
  189.         //    return true;
  190.         //}
  191.         //#endif//——————————————————End
  192.         #endregion
  193.         #region Server
  194.         public override bool ServerActive()
  195.         {
  196.             return server != null && server.Active;
  197.         }
  198.         public override void ServerStart()
  199.         {
  200.             if (ServerActive())
  201.             {
  202.                 Debug.LogError("SimpleWebServer Already Started");
  203.             }
  204.             SslConfig config = SslConfigLoader.Load(this);
  205.             server = new SimpleWebServer(serverMaxMessagesPerTick, TcpConfig, maxMessageSize, handshakeMaxSize, config);
  206.             server.onConnect += OnServerConnected.Invoke;
  207.             server.onDisconnect += OnServerDisconnected.Invoke;
  208.             server.onData += (int connId, ArraySegment<byte> data) => OnServerDataReceived.Invoke(connId, data, Channels.Reliable);
  209.             server.onError += OnServerError.Invoke;
  210.             SendLoopConfig.batchSend = batchSend || waitBeforeSend;
  211.             SendLoopConfig.sleepBeforeSend = waitBeforeSend;
  212.             server.Start(port);
  213.         }
  214.         public override void ServerStop()
  215.         {
  216.             if (!ServerActive())
  217.             {
  218.                 Debug.LogError("SimpleWebServer Not Active");
  219.             }
  220.             server.Stop();
  221.             server = null;
  222.         }
  223.         public override void ServerDisconnect(int connectionId)//——————————————————bool 修改为 void
  224.         {
  225.             if (!ServerActive())
  226.             {
  227.                 Debug.LogError("SimpleWebServer Not Active");
  228.                 //return false;//——————————————————注释掉
  229.             }
  230.             //return server.KickClient(connectionId);//——————————————————注释掉
  231.         }
  232.         //#if MIRROR_26_0_OR_NEWER//——————————————————注释掉
  233.         public override void ServerSend(int connectionId, ArraySegment<byte> segment, int channelId)//——————————————————修改
  234.         {
  235.             if (!ServerActive())
  236.             {
  237.                 Debug.LogError("SimpleWebServer Not Active");
  238.                 return;
  239.             }
  240.             if (segment.Count > maxMessageSize)
  241.             {
  242.                 Log.Error("Message greater than max size");
  243.                 return;
  244.             }
  245.             if (segment.Count == 0)
  246.             {
  247.                 Log.Error("Message count was zero");
  248.                 return;
  249.             }
  250.             server.SendOne(connectionId, segment);
  251.             return;
  252.         }
  253.         //#else//——————————————————注释掉 Start
  254.         //public override bool ServerSend(System.Collections.Generic.List<int> connectionIds, int channelId, ArraySegment<byte> segment)
  255.         //{
  256.         //    if (!ServerActive())
  257.         //    {
  258.         //        Debug.LogError("SimpleWebServer Not Active");
  259.         //        return false;
  260.         //    }
  261.         //    if (segment.Count > maxMessageSize)
  262.         //    {
  263.         //        Log.Error("Message greater than max size");
  264.         //        return false;
  265.         //    }
  266.         //    if (segment.Count == 0)
  267.         //    {
  268.         //        Log.Error("Message count was zero");
  269.         //        return false;
  270.         //    }
  271.         //    server.SendAll(connectionIds, segment);
  272.         //    return true;
  273.         //}
  274.         //#endif//——————————————————End
  275.         public override string ServerGetClientAddress(int connectionId)
  276.         {
  277.             return server.GetClientAddress(connectionId);
  278.         }
  279.         public override Uri ServerUri()
  280.         {
  281.             UriBuilder builder = new UriBuilder
  282.             {
  283.                 Scheme = GetServerScheme(),
  284.                 Host = Dns.GetHostName(),
  285.                 Port = port
  286.             };
  287.             return builder.Uri;
  288.         }
  289.         #endregion
  290.     }
  291. }
复制代码
更改SimpleWebServer脚本内容
 

更改为:
  1. using System;
  2. using System.Collections.Generic;
  3. using UnityEngine;
  4. namespace Mirror.SimpleWeb
  5. {
  6.     public class SimpleWebServer
  7.     {
  8.         readonly int maxMessagesPerTick;
  9.         readonly WebSocketServer server;
  10.         readonly BufferPool bufferPool;
  11.         public SimpleWebServer(int maxMessagesPerTick, TcpConfig tcpConfig, int maxMessageSize, int handshakeMaxSize, SslConfig sslConfig)
  12.         {
  13.             this.maxMessagesPerTick = maxMessagesPerTick;
  14.             // use max because bufferpool is used for both messages and handshake
  15.             int max = Math.Max(maxMessageSize, handshakeMaxSize);
  16.             bufferPool = new BufferPool(5, 20, max);
  17.             server = new WebSocketServer(tcpConfig, maxMessageSize, handshakeMaxSize, sslConfig, bufferPool);
  18.         }
  19.         public bool Active { get; private set; }
  20.         public event Action<int> onConnect;
  21.         public event Action<int> onDisconnect;
  22.         public event Action<int, ArraySegment<byte>> onData;
  23.         public event Action<int, TransportError, string> onError;//——————————————————修改
  24.         public void Start(ushort port)
  25.         {
  26.             server.Listen(port);
  27.             Active = true;
  28.         }
  29.         public void Stop()
  30.         {
  31.             server.Stop();
  32.             Active = false;
  33.         }
  34.         public void SendAll(List<int> connectionIds, ArraySegment<byte> source)
  35.         {
  36.             ArrayBuffer buffer = bufferPool.Take(source.Count);
  37.             buffer.CopyFrom(source);
  38.             buffer.SetReleasesRequired(connectionIds.Count);
  39.             // make copy of array before for each, data sent to each client is the same
  40.             foreach (int id in connectionIds)
  41.             {
  42.                 server.Send(id, buffer);
  43.             }
  44.         }
  45.         public void SendOne(int connectionId, ArraySegment<byte> source)
  46.         {
  47.             ArrayBuffer buffer = bufferPool.Take(source.Count);
  48.             buffer.CopyFrom(source);
  49.             server.Send(connectionId, buffer);
  50.         }
  51.         public bool KickClient(int connectionId)
  52.         {
  53.             return server.CloseConnection(connectionId);
  54.         }
  55.         public string GetClientAddress(int connectionId)
  56.         {
  57.             return server.GetClientAddress(connectionId);
  58.         }
  59.         public void ProcessMessageQueue(MonoBehaviour behaviour)
  60.         {
  61.             int processedCount = 0;
  62.             // check enabled every time incase behaviour was disabled after data
  63.             while (
  64.                 behaviour.enabled &&
  65.                 processedCount < maxMessagesPerTick &&
  66.                 // Dequeue last
  67.                 server.receiveQueue.TryDequeue(out Message next)
  68.                 )
  69.             {
  70.                 processedCount++;
  71.                 switch (next.type)
  72.                 {
  73.                     case EventType.Connected:
  74.                         onConnect?.Invoke(next.connId);
  75.                         break;
  76.                     case EventType.Data:
  77.                         onData?.Invoke(next.connId, next.data.ToSegment());
  78.                         next.data.Release();
  79.                         break;
  80.                     case EventType.Disconnected:
  81.                         onDisconnect?.Invoke(next.connId);
  82.                         break;
  83.                     case EventType.Error:
  84.                         onError?.Invoke(next.connId, TransportError.Unexpected, next.exception.ToString());//——————————————————修改
  85.                         break;
  86.                 }
  87.             }
  88.         }
  89.     }
  90. }
复制代码


4.  更改  SimpleWeb.jslib  内容


 更改为:
  1. // this will create a global object
  2. const SimpleWeb = {
  3.     webSockets: [],
  4.     next: 1,
  5.     GetWebSocket: function (index) {
  6.         return SimpleWeb.webSockets[index]
  7.     },
  8.     AddNextSocket: function (webSocket) {
  9.         var index = SimpleWeb.next;
  10.         SimpleWeb.next++;
  11.         SimpleWeb.webSockets[index] = webSocket;
  12.         return index;
  13.     },
  14.     RemoveSocket: function (index) {
  15.         SimpleWeb.webSockets[index] = undefined;
  16.     },
  17. };
  18. function IsConnected(index) {
  19.     var webSocket = SimpleWeb.GetWebSocket(index);
  20.     if (webSocket) {
  21.         return webSocket.readyState === webSocket.OPEN;
  22.     }
  23.     else {
  24.         return false;
  25.     }
  26. }
  27. function Connect(addressPtr) {
  28.    
  29.     const address = Pointer_stringify(addressPtr);
  30.     console.log("Connecting to " + address);
  31.     // Create webSocket connection.
  32.     webSocket = new WebSocket(address);
  33.     webSocket.binaryType = 'arraybuffer';
  34.     const index = SimpleWeb.AddNextSocket(webSocket);
  35.     const reObj = 'JSInfoReceiver';//Unity接收信息的游戏对象
  36.     // Connection opened
  37.     webSocket.addEventListener('open', function (event) {
  38.         console.log("Connected to " + address);
  39.         SendMessage(reObj,'OpenCallback', index);
  40.         //Module.dynCall('vi', openCallbackPtr, [index]);
  41.     });
  42.     webSocket.addEventListener('close', function (event) {
  43.         console.log("Disconnected from " + address);
  44.          SendMessage(reObj,'CloseCallBack', index);
  45.         //Module.dynCall('vi', closeCallBackPtr, [index]);
  46.     });
  47.     // Listen for messages
  48.     webSocket.addEventListener('message', function (event) {
  49.         if (event.data instanceof ArrayBuffer) {
  50.             // TODO dont alloc each time
  51.             var array = new Uint8Array(event.data);
  52.             var arrayLength = array.length;
  53.             var bufferPtr = _malloc(arrayLength);
  54.             var dataBuffer = new Uint8Array(HEAPU8.buffer, bufferPtr, arrayLength);
  55.             dataBuffer.set(array);
  56.             SendMessage(reObj,'MessageCallback1', index);
  57.             SendMessage(reObj,'MessageCallback2',  bufferPtr);
  58.             SendMessage(reObj,'MessageCallback3',  arrayLength);
  59.             //Module.dynCall('viii', messageCallbackPtr, [index, bufferPtr, arrayLength]);
  60.             _free(bufferPtr);
  61.         }
  62.         else {
  63.             console.error("message type not supported")
  64.         }
  65.     });
  66.     webSocket.addEventListener('error', function (event) {
  67.         console.error('Socket Error', event);
  68.         SendMessage(reObj,'ErrorCallback', index);
  69.         //Module.dynCall('vi', errorCallbackPtr, [index]);
  70.     });
  71.     return index;
  72. }
  73. function Disconnect(index) {
  74.     var webSocket = SimpleWeb.GetWebSocket(index);
  75.     if (webSocket) {
  76.         webSocket.close(1000, "Disconnect Called by Mirror");
  77.     }
  78.     SimpleWeb.RemoveSocket(index);
  79. }
  80. function Send(index, arrayPtr, offset, length) {
  81.     var webSocket = SimpleWeb.GetWebSocket(index);
  82.     if (webSocket) {
  83.         const start = arrayPtr + offset;
  84.         const end = start + length;
  85.         const data = HEAPU8.buffer.slice(start, end);
  86.         webSocket.send(data);
  87.         return true;
  88.     }
  89.     return false;
  90. }
  91. const SimpleWebLib = {
  92.     $SimpleWeb: SimpleWeb,
  93.     IsConnected,
  94.     Connect,
  95.     Disconnect,
  96.     Send
  97. };
  98. autoAddDeps(SimpleWebLib, '$SimpleWeb');
  99. mergeInto(LibraryManager.library, SimpleWebLib);
复制代码
更改原因:jslib中使用了Unity已弃用的API:Runtime.dynCall 


 5. 更改 “WebSocketClientWebGl” 脚本内容


更改为:
  1. using System;
  2. using System.Collections.Generic;
  3. using AOT;
  4. namespace Mirror.SimpleWeb
  5. {
  6.     public class WebSocketClientWebGl : SimpleWebClient
  7.     {
  8.         static readonly Dictionary<int, WebSocketClientWebGl> instances = new Dictionary<int, WebSocketClientWebGl>();
  9.         /// <summary>
  10.         /// key for instances sent between c# and js
  11.         /// </summary>
  12.         int index;
  13.         internal WebSocketClientWebGl(int maxMessageSize, int maxMessagesPerTick) : base(maxMessageSize, maxMessagesPerTick)
  14.         {
  15. #if !UNITY_WEBGL || UNITY_EDITOR
  16.             throw new NotSupportedException();
  17. #endif
  18.         }
  19.         public bool CheckJsConnected() => SimpleWebJSLib.IsConnected(index);
  20.         public override void Connect(Uri serverAddress)
  21.         {
  22. #if UNITY_WEBGL
  23.             index = SimpleWebJSLib.Connect(serverAddress.ToString()/*, OpenCallback, CloseCallBack, MessageCallback, ErrorCallback*/);
  24. #else
  25.             index = SimpleWebJSLib.Connect(serverAddress.ToString(), OpenCallback, CloseCallBack, MessageCallback, ErrorCallback);
  26. #endif
  27.             instances.Add(index, this);
  28.             state = ClientState.Connecting;
  29.         }
  30.         public override void Disconnect()
  31.         {
  32.             state = ClientState.Disconnecting;
  33.             // disconnect should cause closeCallback and OnDisconnect to be called
  34.             SimpleWebJSLib.Disconnect(index);
  35.         }
  36.         public override void Send(ArraySegment<byte> segment)
  37.         {
  38.             if (segment.Count > maxMessageSize)
  39.             {
  40.                 Log.Error($"Cant send message with length {segment.Count} because it is over the max size of {maxMessageSize}");
  41.                 return;
  42.             }
  43.             SimpleWebJSLib.Send(index, segment.Array, 0, segment.Count);
  44.         }
  45.         void onOpen()
  46.         {
  47.             receiveQueue.Enqueue(new Message(EventType.Connected));
  48.             state = ClientState.Connected;
  49.         }
  50.         void onClose()
  51.         {
  52.             // this code should be last in this class
  53.             receiveQueue.Enqueue(new Message(EventType.Disconnected));
  54.             state = ClientState.NotConnected;
  55.             instances.Remove(index);
  56.         }
  57.         void onMessage(IntPtr bufferPtr, int count)
  58.         {
  59.             try
  60.             {
  61.                 ArrayBuffer buffer = bufferPool.Take(count);
  62.                 buffer.CopyFrom(bufferPtr, count);
  63.                 receiveQueue.Enqueue(new Message(buffer));
  64.             }
  65.             catch (Exception e)
  66.             {
  67.                 Log.Error($"onData {e.GetType()}: {e.Message}\n{e.StackTrace}");
  68.                 receiveQueue.Enqueue(new Message(e));
  69.             }
  70.         }
  71.         void onErr()
  72.         {
  73.             receiveQueue.Enqueue(new Message(new Exception("Javascript Websocket error")));
  74.             Disconnect();
  75.         }
  76.         [MonoPInvokeCallback(typeof(Action<int>))]
  77.         public static void OpenCallback(int index) => instances[index].onOpen();
  78.         [MonoPInvokeCallback(typeof(Action<int>))]
  79.         public static void CloseCallBack(int index) => instances[index].onClose();
  80.         [MonoPInvokeCallback(typeof(Action<int, IntPtr, int>))]
  81.         public static void MessageCallback(int index, IntPtr bufferPtr, int count) => instances[index].onMessage(bufferPtr, count);
  82.         [MonoPInvokeCallback(typeof(Action<int>))]
  83.         public static void ErrorCallback(int index) => instances[index].onErr();
  84.     }
  85. }
复制代码
更改原因:公开静态方法供接下来的 JSInfoReceiver对象 调用


 6. 更改 “SimpleWebJSLib” 脚本内容


 更改为:
  1. using System;
  2. #if UNITY_WEBGL
  3. using System.Runtime.InteropServices;
  4. #endif
  5. namespace Mirror.SimpleWeb
  6. {
  7.     internal static class SimpleWebJSLib
  8.     {
  9. #if UNITY_WEBGL
  10.         [DllImport("__Internal")]
  11.         internal static extern bool IsConnected(int index);
  12. #pragma warning disable CA2101 // Specify marshaling for P/Invoke string arguments
  13.         [DllImport("__Internal")]
  14. #pragma warning restore CA2101 // Specify marshaling for P/Invoke string arguments
  15.         internal static extern int Connect(string address/*, Action<int> openCallback, Action<int> closeCallBack, Action<int, IntPtr, int> messageCallback, Action<int> errorCallback*/);
  16.         [DllImport("__Internal")]
  17.         internal static extern void Disconnect(int index);
  18.         [DllImport("__Internal")]
  19.         internal static extern bool Send(int index, byte[] array, int offset, int length);
  20. #else
  21.         internal static bool IsConnected(int index) => throw new NotSupportedException();
  22.         internal static int Connect(string address, Action<int> openCallback, Action<int> closeCallBack, Action<int, IntPtr, int> messageCallback, Action<int> errorCallback) => throw new NotSupportedException();
  23.         internal static void Disconnect(int index) => throw new NotSupportedException();
  24.         internal static bool Send(int index, byte[] array, int offset, int length) => throw new NotSupportedException();
  25. #endif
  26.     }
  27. }
复制代码


 7. Unity新建一个脚本,定名为 “JSInfoReceiver”

脚本内容:
  1. using Mirror.SimpleWeb;
  2. using System;
  3. using UnityEngine;
  4. public class JSInfoReceiver : MonoBehaviour
  5. {
  6.     private int num1;
  7.     private int num2;
  8.     public void OpenCallback(int index) => WebSocketClientWebGl.OpenCallback(index);
  9.     public void CloseCallBack(int index) => WebSocketClientWebGl.CloseCallBack(index);
  10.     public void MessageCallback1(int index) => this.num1 = index;
  11.     public void MessageCallback2(int index) => this.num2 = index;
  12.     public void MessageCallback3(int index) => WebSocketClientWebGl.MessageCallback(num1, new IntPtr(num2), index);
  13.     public void ErrorCallback(int index) => WebSocketClientWebGl.CloseCallBack(index);
  14. }
复制代码


8. Unity创建一个空物体,定名为 “JSInfoReceiver” ,挂载上JSInfoReceiver脚本组件


至此,就可以使用Mirror插件举行WebGL端的开发了,Transport改用SimpleWebTransport即可。



简单实现了一个demo(其实就是Mirror插件的案例简单改了一下)链接放文章开头了。开一个Windows步伐做服务端,开两个WebGL做客户端参加,没得题目。


如果使用https,必要指定一个ssl证书,在步伐根目次下创建一个cert.json文件,写入一个如图所示的Cert对象的json字符串,path和password分别指向ssl证书的路径和密码应该就可以了(暂时没有测试)。

参考:UnityWebGL使用Mirror举行多人在线碰到的题目




免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

tsx81429

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表