A RESTful Client

Let’s learn how to develop a RESTful client.

We'll cover the following...

This lesson illustrates the development of a client for the RESTful server developed previously. However, in this case, the client acts as a testing program that tries the capabilities of the RESTful server—later in this chapter, we are going to learn how to write proper clients using cobra.

Coding example

So, the code of the client, which can be found in rClient.go, is as follows:

Press + to interact
package main
import (
"bytes"
"encoding/json"
"fmt"
"io"
"net/http"
"os"
"time"
)
type User struct {
Username string `json:"user"`
Password string `json:"password"`
}

This same structure is found in the server implementation and is used for exchanging data.

Press + to interact
var u1 = User{"admin", "admin"}
var u2 = User{"tsoukalos", "pass"}
var u3 = User{"", "pass"}

Here, we predefine three User variables that are going to be used during testing.

Press + to interact
const addEndPoint = "/add"
const getEndPoint = "/get"
const deleteEndPoint = "/delete"
const timeEndPoint = "/time"

The above constants define the endpoints that are going to be used.

Press + to interact
func deleteEndpoint(server string, user User) int {
userMarshall, _ := json.Marshal(user)
u := bytes.NewReader(userMarshall)
req, err := http.NewRequest("DELETE", server+deleteEndPoint, u)
if err != nil {
fmt.Println("Error in req: ", err)
return http.StatusInternalServerError
}
req.Header.Set("Content-Type", "application/json")
c := &http.Client{
Timeout: 15 * time.Second,
}
resp, err := c.Do(req)
defer resp.Body.Close()
if err != nil {
fmt.Println("Error:", err)
}
if resp == nil {
return http.StatusNotFound
}
data, err := io.ReadAll(resp.Body)
fmt.Print("/delete returned: ", string(data))
if err != nil {
fmt.Println("Error:", err)
}
return resp.StatusCode
}

From lines 1–5, we prepare a request that is going to access /delete using the DELETE HTTP method. On line 10, this is the correct way to specify that we want to use JSON data when interacting with the server.

Then, from lines 12–17, we send the request and wait for the server response using the Do() method with a 15-second timeout. The reason for putting that fmt.Print(), on line 27, is that we want to know the server response even if there is an error in the interaction. In ...