Home > backend > How to Build a Powerful RESTful API with Go (Gin-web) and Supabase.

How to Build a Powerful RESTful API with Go (Gin-web) and Supabase.

Build a powerful and scalable RESTful API with Gin-Golang and Supabase.

By :Thomas Inyang🕒 24 Jan 2025

golang-gin

Introduction

If you are a backend developer who wants to build a fast and scalable RESTful API that performs Create Read Update and Delete (CRUD) operation, then this post is for you.

In this post, you'll learn the following:

  1. How to set up Gin in your Golang environment.
  2. Make requests using the common HTTP request methods.
  3. Set up a supabase account and connect it with the project.
  4. Build a RESTful API.

Prerequisites

  1. Install GO.
  2. A supabase account.
  3. Internet connection.


REST is an acronym for Representational State Transfer, while API is an acronym for Application Programming Interface.


RESTful API is an interface (medium) that connects two or more computers to exchange information locally or remotely over a secure network and it has the following features:

  1. Common HTTP request methods (GET, PUT, POST, DELETE).
  2. Platform independence for various programming languages and devices and it also supports multiple data formats (JSON, XML, plain text).
  3. It is scalable through stateless horizontal scaling and improves performance with caching–by storing responses for reuse, reducing server load and latency.
  4. It also offers security with OAuth, and SSL/TLS encryption and allows versioning to maintain backward compatibility without disrupting existing clients.


Gin is a Go (Golang) web framework that is tested for its speed, scalability, and ability to efficiently handle concurrent requests. When you want to build a lightweight but powerful API that is scalable, Gin-Golang should top your options list.

Let's get started.

How to Create Your First RESTful API with Gin-Golang.

In this section, you will learn how to set up the Gin-Golang environment to build a scalable RESTful API.


Step1

Create a folder (go-backend) in the desktop directory and open it with your code editor (VSCode).


Step2

In the code editor, open the terminal ctrl + ` and enter the following code.

code main.go
go mod init example.com/yourLaptopUsername/main.go
go get -u github.com/gin-gonic/gin
go mod tidy

This code will create a main.go file (the API entry point), initialize the API project, and install Gin package.


Step3

Enter this code in the created main.go file.

package main
import "github.com/gin-gonic/gin"
func main() {
route := gin.Default()
route.GET("/ping", func(context *gin.Context) {
context.JSON(http.StatusOK, gin.H{
"message": "Hello World!",
})
})
route.Run("localhost:10000")
}

In this code, gin is used to set up the HTTP Server which returns a “Hello World!” message when the route "/ping" is tested on HTTP GET request header.

In the terminal, enter go run . to start the local server.


Step4

In your code editor, install Thunder Client extension, this will enable you to test the endpoints.

Launch the Thunder Client extension, select GET as the head type, enter the url http://localhost:10000/ping, and hit SEND. This will return a response

{

"message": "Hello World!"

}


Step5

In the root directory of the project, create a controller folder (local module) with a file controller.go, this is where your file will contain all the REST API functions and logic.

See Also: How to Create Local Modules in Golang.

Open the controller.go file in the integrated terminal (right click on the file and select 'open in integrated terminal'), when it's opened, install gin.

go get -u github.com/gin-gonic/gin

After gin is installed successfully, enter this code in the controller.go file.

package controller
import (
"net/http"
"github.com/gin-gonic/gin"
)
func Ping(c *gin.Context) {
c.JSON(http.StatusOK, gin.H{
"message": "Hello World!",
})
}

After entering this code, run these commands in the terminal of the controller file.

go mod init example.com/yourSytemUsername/controller

go mod tidy


This initialises the controller file as a local module and ensures all imported package(s) are in the project directory. The Ping handler (local module) is ready for use.


Step6

Usage: to use this Ping handler (local module), open the main.go file in the terminal (right click on it and select ‘Open in Integrated Terminal’ option) and enter

go mod edit -replace example.com/yourSytemUsername/controller=./controller
go mod tidy

When this is done,update the main.go file with this code.

package main
import (
"example.com/yourSytemUsername/controller"
"github.com/gin-gonic/gin"
)
func main() {
route := gin.Default()
route.GET("/ping", controller.Ping)
route.Run("localhost:10000")
}

You can see that this makes the entry file (main.go) readable and easy to maintain.

If you experience some compile time error, move your cursor to the line of code and select the quick fix from the popup. When you're done and there is no more compile time error, let's create the handlers for the scheduler RESTful API.

How to Create a RESTful API Handler Function in Gin-Golang.

As required, you should have your supabase anon key and URL, if you've not done that, you need to.

In your supabase dashboard, Create a scheduler table (it should be public) with the following columns, description, day_month, and priority.

Click on the "Add RSL Policy " to create a policy for the scheduler table.

When redirected, click on " create policy".

When a new page opens, enter the following policies.

supabase-rsl

This will enable you Create(Insert), Read(Select), Update, and Delete a schedule from the scheduler Table.


Now that you've created the supabase instance and added a RSL policy on your scheduler Table, you can go ahead to initialise the connection and create the handlers.


Step1

Create a .env file in the project folder (folder/.env) and enter your supabase url and anon key.

SUPABASE_URL = https://***

SUPABASE_ANON_KEY =***


Step2

In the controller.go file, install the following via the controller.go terminal,

go get github.com/joho/godotenv and

go get github.com/supabase-community/supabase-go.

This will install both the .env and supabase package.


Update the controller.go file with this code

package controller
import (
"encoding/json"
"fmt"
"net/http"
"os"
"github.com/joho/godotenv"
"github.com/supabase-community/supabase-go"
"github.com/gin-gonic/gin"
)
func ConnectDB() (client *supabase.Client) {
err := godotenv.Load()
if err != nil {
fmt.Println("Error loading .env file")
}
supabaseURL := os.Getenv("SUPABASE_URL")
supabaseAnonKey := os.Getenv("SUPABASE_ANON_KEY")
client, err = supabase.NewClient(supabaseURL, supabaseAnonKey, nil)
if err != nil {
fmt.Println("cannot initalize client", err)
return
}
return client
}

In this code,

  1. godotenv.Load() loads the supabase URL and Anon-key from the .env file.
  2. The supabase method is initialised , if there is an error in initialising the supabase method, it prints the error, else it returns the client instance

Step3

In the controller.go file, create a struct type to create a schedule.

```

type Schedule struct {
Description string `json:"description" binding:"required"`
Daymonth string `json:"day_month" binding:"required"`
Priority string `json:"priority" binding:"required"`
}

In this code, the database columns are represented in JSON with the binding as "required". When binding is enforced, the field must not be an empty value, else, an error will be returned.


Also, create the CreateSchedule handler.

func CreateSchedule(c *gin.Context) {
supaClient := ConnectDB()
var json Schedule
if err := c.ShouldBindJSON(&json); err != nil {
c.JSON(http.StatusNotAcceptable, gin.H{"error": "type error"})
return
}
row := Schedule{
Description: json.Description,
Daymonth: json.Daymonth,
Priority: json.Priority,
}
_, _, err := supaClient.From("scheduler").Insert(row, false, "", "", "").Execute()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{
"error": "Internal Server Error",
})
return
} else {
c.JSON(http.StatusCreated, gin.H{
"success": "created",
})
}
}

In this code:

  1. You’ve defined the CreateSchedule handler.
  2. The supaClient stores the returned instance from the ConnectDB function.
  3. You declared a json variable with schedule as its Type. This is used in the ShouldBindJSON which ensures that what is declared in the schedule struct type is enforced. When the value is empty or a wrong data type is entered, an error is returned.
  4. row := schedule{...} is the placeholder with data for the scheduler DB columns.
  5. _, _, err := supaClient.From("scheduler").Insert(row, false, "", "", "").Execute(). This is used to insert (create) a schedule into the scheduler DB. The row variable represents the columns of the scheduler DB.
  6. If there is an error during the insertion process, an "internal server error" error message is returned, if there is none, a success message – "created" is returned.

Step4

Create a structure type to get all schedules.

type GetSchedule struct {
ID int8 `json:"id"`
Description string `json:"description" `
Daymonth string `json:"day_month" `
Priority string `json:"priority" `
}

This GetSchedule struct type is different from that of schedule, in this case "binding: required" is not used since you'll not be entering any data.


Enter the function

func GetAllSchedules(c *gin.Context) {
supaClient := ConnectDB()
data, _, err := supaClient.From("scheduler").Select("*", "exact", false).Execute()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{
"error": "Internal Server Error",
})
return
}
var allSchedules []GetSchedule
err = json.Unmarshal(data, &allSchedules)
if err != nil {
c.JSON(http.StatusNoContent, gin.H{
"error": "server error",
})
return
} else {
c.JSON(http.StatusOK, gin.H{
"data": allSchedules,
})
}
}

This code gets all the schedules from the DB and Unmarshal them into allSchedules variable.

See Also: How to Test RESTful APIs.

Step5

Handler to delete a Schedule.
func DeleteSchedule(c *gin.Context) {
supaClient := ConnectDB()
idQuery := c.Query("q")
_, _, err := supaClient.From("scheduler").Delete("*", "").Eq("id", idQuery).Execute()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{
"error": err.Error(),
})
return
} else {
c.JSON(http.StatusOK, gin.H{
"msg": "deleted",
})
}
}

This code will delete a schedule based on the schedule id.


Step6

Handler to Update a Schedule

func UpdateSchedule(c *gin.Context) {
supaClient := ConnectDB()
var json Schedule
if err := c.ShouldBindJSON(&json); err != nil {
c.JSON(http.StatusNotAcceptable, gin.H{"error": "type error or empty value"})
return
}
row := Schedule{
Description: json.Description,
Daymonth: json.Daymonth,
Priority: json.Priority,
}
idQuery := c.Query("q")
_, _, err := supaClient.From("scheduler").Update(row, "*", "").Eq("id", idQuery).Execute()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{
"error": err.Error(),
})
return
} else {
c.JSON(http.StatusOK, gin.H{
"msg": "Updated",
})
}
}

This will update a schedule based on the id.


Step7 .

You can now use the handlers function (local modules) you created in the controller.go file.


In the main.go file, update the existing code with this.

package main
import (
"example.com/abobtech/controller"
"github.com/gin-gonic/gin"
)
func main() {
route := gin.Default()
route.POST("/createSchedule", controller.CreateSchedule)
route.GET("/getAllSchedules", controller.GetAllSchedules)
route.DELETE("/deleteSchedule", controller.DeleteSchedule)
route.PATCH("/updateSchedule", controller.UpdateSchedule)
route.Run("localhost:10000")
}

With this code, your backend server is set.

In the main.go terminal, enter this code go run .


Step8

You can try out the endpoints using the thunder client extension.


To create:POST http://localhost:10000/createSchedule

To update:PATCH http://localhost:10000/updateSchedule?q=11

To delete :DELETE http://localhost:10000/deleteSchedule?q=0

Where q is the query key, 11 and 0 are the id of the schedule to be updated and deleted.

The above steps are not exhaustive, you can include other functions based on your preference.

See Also: How to Set Up Cookies in GO Using Gin-Web

Conclusion.

This post explains how to create a strong REST API with Gin, a popular Golang web framework, and Supabase.


It also covers how to set up Row-Level Security (RLS) policies for your database tables, create reusable Golang modules (local functions), and test your API endpoints with Visual Studio Code's Thunder Client plugin.

Please Share.


You may also like