I tried GoLang for the first time a little less than two years ago and I didn’t get a very good first impression of it. One of the things that I disliked the most is that back then the community seemed to be overly focused in performance even when that meant creating unreadable code.

One of the things that bothered me the most was that the community was against creating web frameworks with opinions. Because of this lack of standardization, I had to relearn how things are done every time I looked at a new web project written in Go.

Today I decided to look again into the state of web frameworks and there seems to be a few promising options out there. I saw a good amount of people recommending Beego, so I decided to give it a try.

Development environment

To start playing with Beego, lets create a Dockerfile that will allow us to easily start building our application:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
FROM golang:1.9.0-alpine3.6

RUN apk update \
  && apk add ca-certificates wget unzip git \
  && update-ca-certificates

# Install golang/dep
WORKDIR /root
RUN wget https://github.com/golang/dep/releases/download/v0.3.0/dep-linux-amd64.zip
RUN unzip dep-linux-amd64.zip -d bin
ENV PATH="/root/bin:${PATH}"

WORKDIR /go/src/app
COPY . .

RUN go get github.com/beego/bee
ENV PATH="${GOPATH}:${PATH}"

RUN dep ensure

CMD ["go-wrapper", "run"]

This will create an image with all we need to run our simple Beego app. We now need to create a main.go file:

1
2
3
4
5
6
7
package main

import "fmt"

func main() {
    fmt.Println("Hello, 世界")
}

Because the Dockerfile uses Dep, we also need to create an empty Gopkg.toml file:

1
touch Gopkg.toml

We can now build the image and run the app:

1
2
docker build -t beego-image .
docker run --rm -it -p 8080:8080 --name beego-container -v $(pwd):/go/src/app beego-image

At this point, this is just a hello world app that doesn’t use beego, but we’ll get there soon.

The bee tool

Beego comes with a CLI tool that provides some pretty useful functionality for developers. The Dockerfile above already takes care of installing it, so we can use it to create our API server. First we need a terminal inside the docker container:

1
docker run --rm -it -p 8080:8080 --name beego-container -v $(pwd):/go/src/app beego-image sh

And then we can create our app:

1
2
cd ..
bee api app

I use cd .. to move to the /go/src folder (since /go/src/app is the container’s WORKDIR). By running bee api app, a folder named app will be created (in this scenario, it is not created because it already exists) and inside it, the files needed for an API server. The output of the command shows the files that were created:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
______
| ___ \
| |_/ /  ___   ___
| ___ \ / _ \ / _ \
| |_/ /|  __/|  __/
\____/  \___| \___| v1.9.0
2017/09/11 11:24:27 INFO     ▶ 0001 Creating API...
    create   /go/src/app
    create   /go/src/app/conf
    create   /go/src/app/controllers
    create   /go/src/app/tests
    create   /go/src/app/conf/app.conf
    create   /go/src/app/models
    create   /go/src/app/routers/
    create   /go/src/app/controllers/object.go
    create   /go/src/app/controllers/user.go
    create   /go/src/app/tests/default_test.go
    create   /go/src/app/routers/router.go
    create   /go/src/app/models/object.go
    create   /go/src/app/models/user.go
    create   /go/src/app/main.go
2017/09/11 11:24:27 SUCCESS  ▶ 0002 New API successfully created!

Since these new files were created from inside the docker container, they all have root as the owner. This is probably not something you want. To fix it, close the docker terminal, go back to your project folder (outside the container) and run this command:

1
sudo chown -R $(whoami):$(whoami) .

The bee CLI tool also has a file watcher that will recompile the project when a file changes, so lets modify the CMD line in the Dockerfile to use it:

1
CMD dep ensure && bee run

We can now rebuild the image (to install the dependencies) and run the application:

1
2
docker build -t beego-image .
docker run --rm -it -p 8080:8080 --name beego-container -v $(pwd):/go/src/app beego-image

If we go to http://localhost:8080/ we will see a 404 page served by beego.

Routing

User’s interaction with your application will start with the router. The router defines what is going to happen when a user visits a URL, so it is important to understand how it works.

First of all we have main.go that initializes the routes and then starts the server:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
package main

import (
    _ "app/routers"

    "github.com/astaxie/beego"
)

func main() {
    if beego.BConfig.RunMode == "dev" {
        beego.BConfig.WebConfig.DirectoryIndex = true
        beego.BConfig.WebConfig.StaticDir["/swagger"] = "swagger"
    }
    beego.Run()
}

The most important thing happening here is the importing of app/routers. This folder contains all the routers defined by the application. There are a few ways to define routes in Beego. We are going to explore the one the app generator is using. Lets look at app/routers/router.go:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
package routers

import (
    "app/controllers"

    "github.com/astaxie/beego"
)

func init() {
    ns := beego.NewNamespace("/v1",
        beego.NSNamespace("/object",
            beego.NSInclude(
                &controllers.ObjectController{},
            ),
        ),
        beego.NSNamespace("/user",
            beego.NSInclude(
                &controllers.UserController{},
            ),
        ),
    )
    beego.AddNamespace(ns)
}

There are a few things to learn here. We can see the use of beego.NewNamespace to create a route namespace. We can also see that namespaces can be nested, so the route /v1/object will use controllers.ObjectController.

Which method gets called in the controller can be decided in a few ways. The method used by the generated server is annotations in the controller:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
package controllers

import (
    "app/models"
    "encoding/json"

    "github.com/astaxie/beego"
)

// Operations about object
type ObjectController struct {
    beego.Controller
}

// @router / [get]
func (o *ObjectController) GetAll() {
    obs := models.GetAll()
    o.Data["json"] = obs
    o.ServeJSON()
}

First of all ObjectController gets some functionality from beego.Controller. Then it uses an annotation on top of the GetAll method to specify that this method will be called when a GET request to / is received.

The GetAll method just gets the data from the model and renders it as JSON. The response looks like this:

1
2
3
4
5
6
7
8
9
10
11
12
{
  "hjkhsbnmn123": {
    "ObjectId": "hjkhsbnmn123",
    "Score": 100,
    "PlayerName": "astaxie"
  },
  "mjjkxsxsaa23": {
    "ObjectId": "mjjkxsxsaa23",
    "Score": 101,
    "PlayerName": "someone"
  }
}

For getting information about a specific object the Get method is defined:

1
2
3
4
5
6
7
8
9
10
11
12
13
// @router /:objectId [get]
func (o *ObjectController) Get() {
    objectId := o.Ctx.Input.Param(":objectId")
    if objectId != "" {
        ob, err := models.GetOne(objectId)
        if err != nil {
            o.Data["json"] = err.Error()
        } else {
            o.Data["json"] = ob
        }
    }
    o.ServeJSON()
}

A call to GET /v1/object/hjkhsbnmn123 would call this method. You can see how the annotation defines the :objectId parameter and then it is retrieved in the method body.

If you don’t want to use an annotation, you can also define the method to execute when defining the route:

1
beego.Router("/api/something", &SomethingController{}, "patch:UpdateTheThing")

The example above will call the UpdateTheThing method in SomethingController when it receives a PATCH request on /api/something.

The last option is the default behavior. Beego will by default executes methods based on the requested verb. When GET /, Get() will be executed. When PUT /, Put() will be executed, etc…

Conclusion

Beego is not as easy to use a Ruby on Rails, but it is a lot better than doing development without any guidelines. From what I have seen, it provides good tools to get started and enough guidelines to help developers move fast.

I have only scratched the surface but I already want to learn more about how it works. I will probably be focusing on other parts of the framework in other posts (models, parameters, etc…)

[ docker  golang  programming  ]
Monitoring Kubernetes Resources with Fabric8 Informers
Fabric8 Kubernetes Java Client
Kubernetes Java Client
Google sign-in with Golang
Dealing with Firestore 10 limit when using IN operator