如何用 Golang 实现一个 http server

原生 http 包实现

实现最简单的服务器:

package main

import (
	"log"
	"net/http"
)

func sayHello(w http.ResponseWriter, r *http.Request) {
	_, _ = w.Write([]byte("Hello World!"))
}

func main() {
	http.HandleFunc("/", sayHello)
	if err := http.ListenAndServe("127.0.0.1:8080", nil); err != nil {
		log.Fatalln(err)
	}
}

使用 Gin 实现

先安装 gin 这个库:

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

如果直接下载请求超时,可以设置镜像源:

$ go env -w GO111MODULE=on
$ go env -w GOPROXY=https://goproxy.cn,https://goproxy.io,direct

然后建一个 hello.go,添加如下代码:

package main

import (
	"fmt"
	"github.com/gin-gonic/gin"
	"net/http"
)

func main() {
	r := gin.Default()
	r.GET("/", func(c *gin.Context) {
		// 第一个参数是状态码,第二个参数是响应体内容
		// 这里使用了 http.StatusOK
		// 当然直接传 int 200 也可以
		c.JSON(http.StatusOK, gin.H{
			"message": "hello world",
		})
	})
	// 启动服务,默认监听 8080 端口,这里改为 3000 端口
	err := r.Run(":3000")
	if err != nil {
		// 异常处理
		fmt.Println(err)
		return
	}
}

注意这里的 gin.H 相当于 map[string]interface{}

然后直接运行 go run hello.go,就可以启动服务。

你可能感兴趣的:(Golang,golang,http,开发语言)