...

/

Developing a gRPC Client

Developing a gRPC Client

Let’s learn how to develop a gRPC client in Go.

This lesson presents the development of the gRPC client based on the api.proto file presented earlier. The main purpose of the client is to test the functionality of the server. However, what is really important is the implementation of three helper functions, each one corresponding to a different RPC call, because these three functions allow us to interact with the gRPC server. The purpose of the main() function of gClient.go is to use these three helper functions.

Coding example

So, the code of gClient.go is the following:

Press + to interact
package main
import (
"context"
"fmt"
"math/rand"
"os"
"time"
"github.com/Educative-Content/protoapi"
"google.golang.org/grpc"
)
var port = ":8080"
func AskingDateTime(ctx context.Context, m protoapi.RandomClient) (*protoapi.DateTime, error) {
request := &protoapi.RequestDateTime{
Value: "Please send me the date and time",
}
return m.GetDate(ctx, request)
}

We can name the AskingDateTime() function anything we want. However, the signature of the function must contain a context.Context parameter, as well as a RandomClient parameter in order to be able to call GetDate() later on. The client does not need to implement any of the functions of the IDL—it just has to call them.

From lines 17–19, we first construct a protoapi.RequestDateTime variable that holds the data for ...