PrefaceIt is relatively simple to initiate an http request in Cocos Creator, but many games hope to maintain a long connection with the server so that the server can actively push messages to the client, rather than always initiating requests by the client. This is especially true for games with high real-time requirements. Here we will design a general network framework that can be easily applied to our projects. Using websocketBefore implementing this network framework, let's first understand websocket. Websocket is a full-duplex network protocol based on TCP that allows web pages to create persistent connections and conduct two-way communication. Using websocket in Cocos Creator can be used in H5 web games, and also supports native platforms Android and iOS. Constructing a websocket objectWhen using websocket, the first step should be to create a websocket object. The constructor of the websocket object can pass in two parameters, the first is the url string, and the second is the protocol string or string array, which specifies the acceptable sub-protocols. The server needs to select one of them to return before establishing a connection, but we generally don't use it. The url parameter is very important and is mainly divided into 4 parts: protocol, address, port, and resource. For example, ws://echo.websocket.org:
Websocket StatusWebsocket has 4 states, which can be queried through the readyState property:
WebSocket APIWebsocket has only two APIs, void send( data ) to send data and void close( code, reason ) to close the connection. The send method receives only one parameter - the data to be sent, which can be any of the following four types: string | ArrayBufferLike | Blob | ArrayBufferView.
When sending data, the official has 2 suggestions:
The close method accepts two optional parameters. Code represents the error code. We should pass in 1000 or an integer between 3000 and 4999. Reason can be used to indicate the reason for closing. The length cannot exceed 123 bytes. Websocket callbackWebsocket provides 4 callback functions for us to bind:
Echo ExampleThe following is the code of the echo demo on the websocket official website. You can write it into an html file and open it with a browser. After opening, a websocket connection will be automatically created. When the connection is established, a message "WebSocket rocks" will be actively sent. The server will return the message, trigger onMessage, print the information to the screen, and then close the connection. For details, please refer to: http://www.websocket.org/echo.html17
Design FrameworkA general network framework needs to be able to support the different requirements of various projects on the premise of being universal. According to experience, the common requirements are as follows:
Based on the above requirements, we split the functional modules to ensure high cohesion and low coupling of the modules. ProtocolHelper protocol processing module - When we get a buffer, we may need to know the protocol or ID corresponding to this buffer. For example, when we pass in the response processing callback during the request, the common practice may be to use an auto-incrementing ID to distinguish each request, or to use the protocol number to distinguish different requests. These are what developers need to implement. We also need to get the length of the packet from the buffer? What is the reasonable range of package length? What does a heartbeat packet look like, etc. Socket module - implements the most basic communication function. First, define the Socket interface class ISocket, define interfaces such as connection, closing, data receiving and sending, and then subclasses inherit and implement these interfaces. NetworkTips network display module - realizes the display of status such as connecting, reconnecting, loading, network disconnection, etc., as well as the shielding of UI. NetNode network node - the so-called network node, in fact, its main responsibility is to connect the above functions in series and provide users with an easy-to-use interface. NetManager manages a singleton of network nodes - we may have multiple network nodes (multiple connections), so a singleton is used here for management. It is also more convenient to use a singleton to operate network nodes. ProtocolHelperA simple IProtocolHelper interface is defined here as follows: export type NetData = (string | ArrayBufferLike | Blob | ArrayBufferView); // protocol helper interface export interface IProtocolHelper { getHeadlen(): number; // Returns the length of the packet header getHearbeat(): NetData; // Returns a heartbeat packet getPackageLen(msg: NetData): number; // Returns the length of the entire packet checkPackage(msg: NetData): boolean; // Check whether the packet data is legal getPackageId(msg: NetData): number; // Returns the packet id or protocol type } SocketA simple ISocket interface is defined here, as shown below: //Socket interface export interface ISocket { onConnected: (event) => void; //Connection callbackonMessage: (msg: NetData) => void; //Message callbackonError: (event) => void; //Error callbackonClosed: (event) => void; //Close callbackconnect(ip: string, port: number); //Connection interfacesend(buffer: NetData); //Data sending interfaceclose(code?: number, reason?: string); //Close interface} Next, we implement a WebSock, which inherits from ISocket. We only need to implement the connect, send and close interfaces. Send and close are both simple encapsulation of websocket, while connect needs to construct a url according to the passed in IP, port and other parameters to create websocket and bind the callback of websocket. export class WebSock implements ISocket { private _ws: WebSocket = null; // websocket object onConnected: (event) => void = null; onMessage: (msg) => void = null; onError: (event) => void = null; onClosed: (event) => void = null; connect(options: any) { if (this._ws) { if (this._ws.readyState === WebSocket.CONNECTING) { console.log("websocket connecting, wait for a moment...") return false; } } let url = null; if(options.url) { url = options.url; } else { let ip = options.ip; let port = options.port; let protocol = options.protocol; url = `${protocol}://${ip}:${port}`; } this._ws = new WebSocket(url); this._ws.binaryType = options.binaryType ? options.binaryType : "arraybuffer"; this._ws.onmessage = (event) => { this.onMessage(event.data); }; this._ws.onopen = this.onConnected; this._ws.onerror = this.onError; this._ws.onclose = this.onClosed; return true; } send(buffer: NetData) { if (this._ws.readyState == WebSocket.OPEN) { this._ws.send(buffer); return true; } return false; } close(code?: number, reason?: string) { this._ws.close(); } } NetworkTipsINetworkTips provides a very useful interface, reconnection and request switches. The framework will call them at the right time. We can inherit INetworkTips and customize our network-related prompt information. It should be noted that these interfaces may be called **multiple times**. // Network Tips interface export interface INetworkTips { connectTips(isShow: boolean): void; reconnectTips(isShow: boolean): void; requestTips(isShow: boolean): void; } NetNodeNetNode is the most critical part of the entire network framework. A NetNode instance represents a complete connection object. Based on NetNode, we can easily expand it. Its main responsibilities are: Connection maintenance
Data transmission
Data Reception
Interface display
Next, we will introduce the network-related member functions. First, let's look at the initialization and:
The onConnected method is called after the network connection is successful, and the authentication process automatically begins (if _connectedCallback is set). After the authentication is completed, the onChecked method needs to be called to make NetNode enter a communicative state. In the case of unauthenticated, we should not send any business requests, but requests such as login verification should be sent to the server. Such requests can be forced to be sent to the server with the force parameter. Receiving any message will trigger onMessage. First, the data packet will be verified. The verification rules can be implemented in your own ProtocolHelper. If it is a legal data packet, we will update the heartbeat and timeout timers - re-time, and finally find the processing function of the message in _requests and _listener. Here, we search through rspCmd. rspCmd is taken from getPackageId of ProtocolHelper. We can return the command or sequence number of the protocol, and we can decide how the request and response correspond. onError and onClosed are called when the network fails and is closed. Regardless of whether there is an error or not, onClosed will be called eventually. Here we execute the disconnection callback and do the automatic reconnection processing. Of course, you can also call close to close the socket. The difference between close and closeSocket is that closeSocket just closes the socket - I still want to use the current NetNode and possibly restore the network with the next connect. And close clears all states. There are three ways to initiate a network request : The send method simply sends data. If the network is currently disconnected or verification is in progress, it will enter the _request queue. The request method passes the callback in the form of a closure when making a request. The callback will be executed when the response to the request comes back. If there are multiple identical requests at the same time, the responses of these N requests will be returned to the client in sequence, and the response callbacks will also be executed in sequence (only one callback will be executed at a time). requestUnique method, if we do not want to have multiple identical requests, we can use requestUnique to ensure that there is only one request of each type at the same time. The reason why we use traversal _requests to ensure that there is no duplication here is that we will not accumulate a large number of requests in _requests, and timeout or abnormal retransmission will not cause a backlog of _requests, because the retransmission logic is controlled by NetNode, and when the network is disconnected, we should block users from initiating requests. At this time, there will generally be a full-screen mask - a prompt such as network fluctuations. We have two types of callbacks. One is the request callback mentioned above. This callback is temporary and is usually cleaned up immediately with the request-response-execution. The _listener callback is permanent and needs to be managed manually, such as listening when opening a certain interface, closing it when leaving, or listening at the beginning of the game. Suitable for processing active push messages from the server. Finally, there are timers related to heartbeat and timeout. We send a heartbeat packet every _heartTime, and if we do not receive a packet returned by the server every _receiveTime, we determine that the network is disconnected. For the complete code, you can enter the source code to view it! NetManagerNetManager is used to manage NetNode. This is because we may need to support multiple different connection objects, so we need a NetManager to manage NetNode. At the same time, as a singleton, NetManager can also facilitate us to call the network. export class NetManager { private static _instance: NetManager = null; protected _channels: { [key: number]: NetNode } = {}; public static getInstance(): NetManager { if (this._instance == null) { this._instance = new NetManager(); } return this._instance; } // Add Node and return ChannelID public setNetNode(newNode: NetNode, channelId: number = 0) { this._channels[channelId] = newNode; } // Remove Node public removeNetNode(channelId: number) { delete this._channels[channelId]; } // Call Node connection public connect(options: NetConnectOptions, channelId: number = 0): boolean { if (this._channels[channelId]) { return this._channels[channelId].connect(options); } return false; } // Call Node to send public send(buf: NetData, force: boolean = false, channelId: number = 0): boolean { let node = this._channels[channelId]; if (node) { return node.send(buf, force); } return false; } // Initiate a request and call the specified callback function when the result is returned public request(buf: NetData, rspCmd: number, rspObject: CallbackObject, showTips: boolean = true, force: boolean = false, channelId: number = 0) { let node = this._channels[channelId]; if (node) { node.request(buf, rspCmd, rspObject, showTips, force); } } // Same as request, but before requesting, it will first determine whether there is already rspCmd in the queue. If there is a duplicate, it will be returned directly public requestUnique(buf: NetData, rspCmd: number, rspObject: CallbackObject, showTips: boolean = true, force: boolean = false, channelId: number = 0): boolean { let node = this._channels[channelId]; if (node) { return node.requestUnique(buf, rspCmd, rspObject, showTips, force); } return false; } // Call Node to close public close(code ? : number, reason ? : string, channelId: number = 0) { if (this._channels[channelId]) { return this._channels[channelId].closeSocket(code, reason); } } Test ExamplesNext, we use a simple example to demonstrate the basic use of the network framework. First, we need to assemble a simple interface for display, 3 buttons (connect, send, close), 2 input boxes (enter the URL, enter the content to be sent), and a text box (display the data received from the server), as shown in the figure below.
Next, implement a simple Component. A new NetExample.ts file is created here. The task is very simple. During initialization, NetNode is created and the default receiving callback is bound. In the receiving callback, the text returned by the server is displayed in msgLabel. Next is the implementation of several interfaces for connection, sending and closing: // Uncritical code omitted @ccclassexport default class NetExample extends cc.Component { @property(cc.Label) textLabel: cc.Label = null; @property(cc.Label) urlLabel: cc.Label = null; @property(cc.RichText) msgLabel: cc.RichText = null; private lineCount: number = 0; onLoad() { let Node = new NetNode(); Node.init(new WebSock(), new DefStringProtocol()); Node.setResponeHandler(0, (cmd: number, data: NetData) => { if (this.lineCount > 5) { let idx = this.msgLabel.string.search("\n"); this.msgLabel.string = this.msgLabel.string.substr(idx + 1); } this.msgLabel.string += `${data}\n`; ++this.lineCount; }); NetManager.getInstance().setNetNode(Node); } onConnectClick() { NetManager.getInstance().connect({ url: this.urlLabel.string }); } onSendClick() { NetManager.getInstance().send(this.textLabel.string); } onDisconnectClick() { NetManager.getInstance().close(); } } After the code is completed, mount it under the Canvas node of the scene (other nodes are also OK), and then drag the Label and RichText in the scene to the property panel of our NetExample: The running effect is as follows: summaryAs you can see, the use of Websocket is very simple. We will encounter various requirements and problems during the development process. We need to implement a good design and solve the problems quickly. On the one hand, we need to have a deep understanding of the technology we use. How is the underlying protocol transmission of websocket implemented? What is the difference between tcp and http? Can UDP be used for transmission based on websocket? When sending data using websocket, do I need to sub-packetize the data stream myself (the websocket protocol ensures the integrity of the packet)? Is there any accumulation of send buffer when sending data (check bufferedAmount)? In addition, we need to understand our usage scenarios and needs. The more thorough our understanding of the needs, the better the design. Which requirements are project-specific and which are generic? Are common requirements mandatory or optional? Should we encapsulate different changes into classes or interfaces and implement them using polymorphism? Or provide configuration? Callback binding? Event notification? We need to design a good framework to suit the next project and optimize iterations in each project, so that we can build deep experience and improve efficiency. The above is the detailed content of the network of CocosCreator general framework design. For more information about the network of CocosCreator framework design, please pay attention to other related articles on 123WORDPRESS.COM! You may also be interested in:
|
<<: Explanation on the use and modification of Tomcat's default program publishing path
>>: Detailed explanation of mysql record time-consuming sql example
The reason for writing this article is that I wan...
Table of contents A murder caused by ERR 1067 The...
1. Single row overflow 1. If a single line overfl...
Table of contents question Solution question Ther...
wedge Because the MySQL version installed on the ...
What is a generator? A generator is some code tha...
01 The concept of parallel replication In the mas...
Table of contents Example 1 Example 2 Example 3 E...
For example, there is an input box <el-input r...
This article example shares the specific code of ...
In the /etc/my.conf file, add the following line ...
This article shares the specific code for WeChat ...
Table of contents Preface On-site investigation C...
This article uses examples to illustrate the func...
This article mainly introduces common strategies ...