Home Backend Development Golang From entry to proficiency: Mastering the go-zero framework

From entry to proficiency: Mastering the go-zero framework

Jun 23, 2023 am 11:37 AM
getting Started frame go-zero

Go-zero is an excellent Go language framework that provides a complete set of solutions, including RPC, caching, scheduled tasks and other functions. In fact, it is very simple to build a high-performance service using go-zero, and you can even go from beginner to proficient in a few hours.

This article aims to introduce the process of building high-performance services using the go-zero framework and help readers quickly grasp the core concepts of the framework.

1. Installation and configuration

Before we start using go-zero, we need to install it and configure some necessary environments.

1. Installation

Installing go-zero is very simple, just execute the following command:

1

$ go get -u github.com/tal-tech/go-zero

Copy after login

This will automatically download the latest version of go-zero from GitHub . However, it should be noted that it is recommended to use Go 1.13 and above.

2. Configuration

Before using go-zero, we need to configure some necessary environments for it. Specifically, we need to install the goctl command line tool in order to use go-zero to create services.

1

$ GO111MODULE=on go get -u github.com/tal-tech/go-zero/tools/goctl

Copy after login

3. Create a project

Next, we need to use goctl to create a new project. We assume that the project is named blog and can be created with the following command:

1

2

3

4

$ mkdir blog

$ cd blog

$ go mod init blog

$ goctl api new blog

Copy after login

The above command will create a new API project and generate some necessary files and directories.

2. Create a service

Next, we can use go-zero to create a new service. We assume that the service name is user-service, which can be created through the following steps:

1. Generate service

Use goctl to generate the service code of user-service:

1

$ goctl api go -api user.api -dir .

Copy after login

The above command A user directory will be generated in the current directory, containing a file named user.go, which contains the service code of user-service.

2. Implement handler

We also need to implement specific business logic, which is handler.

First, we need to create a new directory named handler in the user directory and create a file named userhandler.go in it. This file will contain our handler code.

userhandler.go code is as follows:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

package handler

 

import (

    "net/http"

 

    "github.com/tal-tech/go-zero/rest/httpx"

    "blog/service/user/api/internal/logic"

    "blog/service/user/api/internal/svc"

)

 

func userHandler(ctx *svc.ServiceContext) http.HandlerFunc {

    return func(w http.ResponseWriter, r *http.Request) {

        req, err := httpx.NewRequest(r)

        if err != nil {

            httpx.WriteError(w, err)

            return

        }

 

        l := logic.NewUserLogic(r.Context(), ctx)

        resp, err := l.GetUser(req)

        if err != nil {

            httpx.WriteError(w, err)

            return

        }

 

        httpx.WriteJson(w, resp)

    }

}

Copy after login

The above code uses the rest/httpx package provided by go-zero, which provides some convenient functions, such as NewRequest, WriteError and WriteJSON, etc. Simplified HTTP service writing process.

3. Register handler

Now we need to register the above handler program into the service.

In the init method in the user.go file, add the following code:

1

2

3

func (s *Service) InitHandlers() {

    s.UserHandler = http.HandlerFunc(handler.UserHandler(s.Context))

}

Copy after login

The above code registers the userHandler function as an HTTP service. We can access this by defining routes in the API file. Serve.

3. Create a template

We can generate a new go-zero API through goctl create api, which will automatically create a folder containing some initialization configurations. We can add our own controller and service in it according to goctl's requirements.

Here we create a template application to better learn to read the source code of go-zero. The application will contain a CRUD example demonstrating how to use go-zero's common features.

1. Generate template

We can use goctl to generate a template application to better learn the source code of go-zero.

1

$ goctl api template -o app.go

Copy after login

The above command will create a file named app.go which contains all the source code of the template application.

2. Implement data access

We assume that MySQL is used for data storage. Before starting, MySQL needs to be installed and configured. On this basis, we can use go-sql provided by go-zero to build the database access layer.

Specifically, we can use goctl to generate the data access layer code:

1

$ goctl model mysql datasource "root:123456@tcp(127.0.0.1:3306)/test" -table user -dir .

Copy after login

The above command will generate a userModel.go file, which contains the user data model for data access.

3. Implement business logic

Next, we need to implement the business logic and use it in conjunction with the data access layer. Specifically, we can create a file called userLogic.go that contains business logic for user management.

userLogic.go code is as follows:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

package logic

 

import (

    "context"

    "github.com/tal-tech/go-zero/core/logx"

    "github.com/tal-tech/go-zero/core/stores/sqlx"

    "blog/service/user/model"

    "blog/service/user/api/internal/svc"

    "blog/service/user/api/internal/types"

)

 

type UserLogic struct {

    ctx context.Context

    svcCtx *svc.ServiceContext

    logx.Logger

}

 

func NewUserLogic(ctx context.Context, svcCtx *svc.ServiceContext) UserLogic {

    return UserLogic{

        ctx: ctx,

        svcCtx: svcCtx,

        Logger: logx.WithContext(ctx),

    }

}

 

func (l *UserLogic) GetUser(req types.GetUserRequest) (*types.GetUserResponse, error) {

    //Todo

}

Copy after login

In the above code, we introduced the sqlx, stores and logx packages, where sqlx is part of the go-zero framework and is specifically used for database operations . stores is the data storage layer of the go-zero framework. The logx package is a logging library provided by the go-zero framework, which can help us record important events.

4. Integrate ETCD, etc.

Using the go-zero framework, we can easily integrate some commonly used tools and services, such as ETCD, Redis, ZooKeeper, etc. Specifically, we can import the relevant libraries provided by go-zero in the code and configure the relevant information in the configuration file.

The following are some commonly used integration methods:

1. Integrate ETCD

First, add the following information in the configuration file:

1

2

[etcd]

host = "localhost:2379"

Copy after login

Then, in To use etcd code, use the clientv3.New function to create a new etcd client.

1

2

3

4

5

6

7

8

9

10

11

import (

    "go.etcd.io/etcd/clientv3"

)

 

client, err := clientv3.New(clientv3.Config{

    Endpoints:   []string{"localhost:2379"},

    DialTimeout: 5 * time.Second,

})

if err != nil {

    panic(err)

}

Copy after login

The above code will create an ETCD client named client, which will use localhost:2379 as the address of the ETCD server.

2. Integrate Redis

To use Redis, we need to add the following information to the configuration file:

1

2

3

4

[redis]

host = "localhost:6379"

password = ""

db = 0

Copy after login

Then, in the code where you want to use Redis, use redis. The NewClient function creates a new Redis client.

1

2

3

4

5

6

7

8

9

import (

    "github.com/go-redis/redis"

)

 

client := redis.NewClient(&redis.Options{

    Addr:     "localhost:6379",

    Password: "", // no password set

    DB:       0,  // use default DB

})

Copy after login

The above code will create a new Redis client, which will use localhost:6379 as the Redis server address, no password, and use the default DB.

3.Integrate ZooKeeper

要使用ZooKeeper,我们需要在配置文件中添加以下信息:

1

2

[zookeeper]

host = "localhost:2181"

Copy after login

然后,在要使用ZooKeeper的代码中,使用zk.Connect函数创建一个新的ZooKeeper客户端。

1

2

3

4

5

6

7

8

9

import (

    "github.com/samuel/go-zookeeper/zk"

    "time"

)

 

conn, _, err := zk.Connect([]string{"localhost:2181"}, time.Second*5)

if err != nil {

    panic(err)

}

Copy after login

上述代码将创建一个名为conn的ZooKeeper客户端,它将使用localhost:2181作为ZooKeeper服务器的地址。

五、总结

到目前为止,我们已经深入了解了go-zero框架,并学到了如何使用它来构建高性能服务。

总结一下,要使用go-zero,请先安装和配置相关环境,然后创建一个新的项目,通过goctl命令行工具自动生成模板代码和配置文件。

接着,可以使用go-zero提供的各种功能和服务来逐步完善和扩展我们的应用程序,如集成数据库、ETCD、Redis等。

将go-zero框架用于您的下一个项目吧,它将使您能够构建出更加灵活、高效和可靠的服务!

The above is the detailed content of From entry to proficiency: Mastering the go-zero framework. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Generate PPT with one click! Kimi: Let the 'PPT migrant workers' become popular first Generate PPT with one click! Kimi: Let the 'PPT migrant workers' become popular first Aug 01, 2024 pm 03:28 PM

Kimi: In just one sentence, in just ten seconds, a PPT will be ready. PPT is so annoying! To hold a meeting, you need to have a PPT; to write a weekly report, you need to have a PPT; to make an investment, you need to show a PPT; even when you accuse someone of cheating, you have to send a PPT. College is more like studying a PPT major. You watch PPT in class and do PPT after class. Perhaps, when Dennis Austin invented PPT 37 years ago, he did not expect that one day PPT would become so widespread. Talking about our hard experience of making PPT brings tears to our eyes. "It took three months to make a PPT of more than 20 pages, and I revised it dozens of times. I felt like vomiting when I saw the PPT." "At my peak, I did five PPTs a day, and even my breathing was PPT." If you have an impromptu meeting, you should do it

All CVPR 2024 awards announced! Nearly 10,000 people attended the conference offline, and a Chinese researcher from Google won the best paper award All CVPR 2024 awards announced! Nearly 10,000 people attended the conference offline, and a Chinese researcher from Google won the best paper award Jun 20, 2024 pm 05:43 PM

In the early morning of June 20th, Beijing time, CVPR2024, the top international computer vision conference held in Seattle, officially announced the best paper and other awards. This year, a total of 10 papers won awards, including 2 best papers and 2 best student papers. In addition, there were 2 best paper nominations and 4 best student paper nominations. The top conference in the field of computer vision (CV) is CVPR, which attracts a large number of research institutions and universities every year. According to statistics, a total of 11,532 papers were submitted this year, and 2,719 were accepted, with an acceptance rate of 23.6%. According to Georgia Institute of Technology’s statistical analysis of CVPR2024 data, from the perspective of research topics, the largest number of papers is image and video synthesis and generation (Imageandvideosyn

From bare metal to a large model with 70 billion parameters, here is a tutorial and ready-to-use scripts From bare metal to a large model with 70 billion parameters, here is a tutorial and ready-to-use scripts Jul 24, 2024 pm 08:13 PM

We know that LLM is trained on large-scale computer clusters using massive data. This site has introduced many methods and technologies used to assist and improve the LLM training process. Today, what we want to share is an article that goes deep into the underlying technology and introduces how to turn a bunch of "bare metals" without even an operating system into a computer cluster for training LLM. This article comes from Imbue, an AI startup that strives to achieve general intelligence by understanding how machines think. Of course, turning a bunch of "bare metal" without an operating system into a computer cluster for training LLM is not an easy process, full of exploration and trial and error, but Imbue finally successfully trained an LLM with 70 billion parameters. and in the process accumulate

AI in use | AI created a life vlog of a girl living alone, which received tens of thousands of likes in 3 days AI in use | AI created a life vlog of a girl living alone, which received tens of thousands of likes in 3 days Aug 07, 2024 pm 10:53 PM

Editor of the Machine Power Report: Yang Wen The wave of artificial intelligence represented by large models and AIGC has been quietly changing the way we live and work, but most people still don’t know how to use it. Therefore, we have launched the "AI in Use" column to introduce in detail how to use AI through intuitive, interesting and concise artificial intelligence use cases and stimulate everyone's thinking. We also welcome readers to submit innovative, hands-on use cases. Video link: https://mp.weixin.qq.com/s/2hX_i7li3RqdE4u016yGhQ Recently, the life vlog of a girl living alone became popular on Xiaohongshu. An illustration-style animation, coupled with a few healing words, can be easily picked up in just a few days.

Counting down the 12 pain points of RAG, NVIDIA senior architect teaches solutions Counting down the 12 pain points of RAG, NVIDIA senior architect teaches solutions Jul 11, 2024 pm 01:53 PM

Retrieval-augmented generation (RAG) is a technique that uses retrieval to boost language models. Specifically, before a language model generates an answer, it retrieves relevant information from an extensive document database and then uses this information to guide the generation process. This technology can greatly improve the accuracy and relevance of content, effectively alleviate the problem of hallucinations, increase the speed of knowledge update, and enhance the traceability of content generation. RAG is undoubtedly one of the most exciting areas of artificial intelligence research. For more details about RAG, please refer to the column article on this site "What are the new developments in RAG, which specializes in making up for the shortcomings of large models?" This review explains it clearly." But RAG is not perfect, and users often encounter some "pain points" when using it. Recently, NVIDIA’s advanced generative AI solution

How to evaluate the cost-effectiveness of commercial support for Java frameworks How to evaluate the cost-effectiveness of commercial support for Java frameworks Jun 05, 2024 pm 05:25 PM

Evaluating the cost/performance of commercial support for a Java framework involves the following steps: Determine the required level of assurance and service level agreement (SLA) guarantees. The experience and expertise of the research support team. Consider additional services such as upgrades, troubleshooting, and performance optimization. Weigh business support costs against risk mitigation and increased efficiency.

Another Sora-level player is coming to hit the streets! We compared it with Sora and Keling. Another Sora-level player is coming to hit the streets! We compared it with Sora and Keling. Aug 02, 2024 am 10:19 AM

When Sora failed to come out, OpenAI's opponents used their weapons to destroy the streets. If Sora is not open for use, it will really be stolen! Today, San Francisco startup LumaAI played a trump card and launched a new generation of AI video generation model DreamMachine. Free and available to everyone. According to reports, the model can generate high-quality, realistic videos based on simple text descriptions, with effects comparable to Sora. As soon as the news came out, a large number of users crowded into the official website to try it out. Although officials claim that the model can generate 120-frame video in just two minutes, many users have been waiting for hours on the official website due to a surge in visits. BarkleyDai, Luma’s head of product growth, had to comment on Discord

Kuaishou Keling AI is fully open for internal testing globally, and the model effect has been upgraded again Kuaishou Keling AI is fully open for internal testing globally, and the model effect has been upgraded again Jul 24, 2024 pm 08:34 PM

On July 24, Kuaishou video generation large model Keling AI announced that the basic model has been upgraded again and is fully open for internal testing. Kuaishou said that in order to allow more users to use Keling AI and better meet the different levels of usage needs of creators, from now on, on the basis of fully open internal testing, it will also officially launch a membership system for different categories of members. Provide corresponding exclusive functional services. At the same time, the basic model of Keling AI has also been upgraded again to further enhance the user experience. The basic model effect has been upgraded to further improve the user experience. Since its release more than a month ago, Keling AI has been upgraded and iterated many times. With the launch of this membership system, the basic model effect of Keling AI has once again undergone transformation. The first is that the picture quality has been significantly improved. The visual quality generated through the upgraded basic model

See all articles