https://solaceinfotech.com/blog/wp-content/uploads/2020/12/How-To-Effectively-Use-WebSockets-In-Golang-720x349.jpg
In the past days, there is a big challenge for developers to allow real-time functionality. But now WebSockets have come as a solution to the issue and made it easy to create an interactive session between server and browser of user. WebSockets allows browser to send messages to the server and get event-driven responses. There is no necessity to have to poll the server for a reply.

Now websockets are the best solution to develop real time applications, tracking apps, instant messengers, online games and so on. Here we’ll give a step by step guide of how to build websockets apps in golang language. Let’s get started.

What Are WebSockets?

WebSockets are upgraded HTTP connections that continue until the client or the server ends the connection. WebSocket communication protocol provides a full-duplex communication channel over a single TCP connection. As opposite to HTTPs, Websockets don’t need to send request to get a response. They enables bidirectional data flow, so you can wait only for server to respond. It’ll send you a message when it is available. Websockets are a great solution for services which need continuous data exchange like, instant messaging apps, online games and real-time trading systems. Browsers request WebSocket connections and are responded to by servers after which a connection is established.

This process is called as handshake. The special header in WebSockets needs just a single handshake between a browser and server for setting up a connection that will be active all through its lifetime. WebSockets solves many issues of real time web development and have some benefit over traditional HTTP.

Only one TCP connection is needed for single web client.
Websocket server can push data to web clients.
Lightweight header reduces data transmission overhead.
WebSocket Libraries-
1. GOWebsockets-
It offers a wide range of easy-to-use features and allows concurrency control, data compression, and setting request headers. This tools supports subprotocols for emitting and receiving text and binary data. Also developers can enable or disable SSL verification.

Client side:

// init
// schema – can be ws or wss
// host, port – ws server
socket := gowebsocket.New({schema}://{host}:{port})
socket.Connect()
    .......  
// send message
socket.SendText({message})
or
socket.SendBinary({message})
    .......
// receive message
socket.OnTextMessage = func(message string, socket gowebsocket.Socket) 

{
// handle received message
};
or
socket.OnBinaryMessage = func(data [] byte, socket gowebsocket.Socket) {
// handle received message
};

Server side:

// init
// schema – can be ws or wss
// host, port – ws server
conn, _, _, err := ws.DefaultDialer.Dial(ctx, {schema}://{host}:{port})
if err != nil {
    // handle error
}
    ....... 
// send message
err = wsutil.WriteClientMessage(conn, ws.OpText, {message})
if err != nil {
    // handle error
       }
    .......    
   // receive message       

msg, _, err := wsutil.ReadServerData(conn)
if err != nil {
// handle error
}
2. GOBWAS-
It is a small WebSocket package which has strong features such as a low-level API that allows to develop the logic of custom packet handling and a zero-copy upgrade. It doesn’t need intermediate allocations during I/O. Also it boasts high-level wrappers and helpers around the API in the WsUtil package, allowing developers to rapidly start without digging into the internals of the protocol. In spite of the fact that this library includes a flexible API, it comes at the cost of clarity and usability.

3. GORILLA-
The WebSocket package in Gorilla web toolkit helps to complete and test implementation of the WebSocket protocol and also a stable package API. It is easy to use and well documented.

How To Build A WebSocket App In Golang?
Step 1: Initiate A Handshake-
Initially, create an HTTP handler with a WebSocket endpoint:

// HTTP server with WebSocket endpoint
func Server() {
http.HandleFunc(“/”, func(w http.ResponseWriter, r *http.Request) {
ws, err := NewHandler(w, r)
if err != nil {
// handle error
}
if err = ws.Handshake(); err != nil {
// handle error
}

Then, run the WebSocket structure.

Client always send first handshake request. Once the server has authenticated a WebSocket request, it needs to reply with a handshake response. Always keep in mind that you one cannot rite response using http.ResponseWriter, because it will disconnect the basic TCP connection if start to send the response. So you must use HTTP Hijacking that allows you to take over the underlying TCP connection handler and bufio.Writer. This allows you to read and write data without preventing the TCP connection.

// NewHandler initializes a new handler
func NewHandler(w http.ResponseWriter, req http.Request) (WS, error) {
hj, ok := w.(http.Hijacker)
if !ok {
// handle error
}
……
}
To complete the handshake, server should respond with relevant headers.

// Handshake creates a handshake header
func (ws *WS) Handshake() error {
hash := func(key string) string {
h := sha1.New()
h.Write([]byte(key))
h.Write([]byte(“258EAFA5-E914-47DA-95CA-C5AB0DC85B11”))
return base64.StdEncoding.EncodeToString(h.Sum(nil))
}(ws.header.Get(“Sec-WebSocket-Key”))

}
“Sec-WebSocket-key” is generated randomly and is Base64-encoded. Once the request is accepted, server should add this key to a fixed string. Assume that you have the x3JJHMbDL1EzLkh9GBhXDw== key.

In this case, you can use SHA-1 for binary value computing and Base64 for encoding it. You will get HSmrc0sMlYUkAGmm5OPpG2HaGWk=. Use this as value of Sec-WebSocket-Accept response header.

Step 2- Transfer Data Frames-
Know more at - https://solaceinfotech.com/blog/how-to-effectively-use-websockets-in-golang/

#golang #websockets #apps #web

Effectively Use WebSockets In Golang
2.65 GEEK