亚洲激情专区-91九色丨porny丨老师-久久久久久久女国产乱让韩-国产精品午夜小视频观看

溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

Go Http Server框架如何快速實現

發布時間:2022-12-13 17:17:09 來源:億速云 閱讀:167 作者:iii 欄目:編程語言

這篇“Go Http Server框架如何快速實現”文章的知識點大部分人都不太理解,所以小編給大家總結了以下內容,內容詳細,步驟清晰,具有一定的借鑒價值,希望大家閱讀完這篇文章能有所收獲,下面我們一起來看看這篇“Go Http Server框架如何快速實現”文章吧。

在Go想使用 http server,最簡單的方法是使用 http/net

err := http.ListenAndServe(":8080", nil)if err != nil {
    panic(err.Error())}http.HandleFunc("/hello", func(writer http.ResponseWriter, request *http.Request) {
    writer.Write([]byte("Hello"))})

定義 handle func

type HandlerFunc func(ResponseWriter, *Request)

標準庫的 http 服務器實現很簡單,開啟一個端口,注冊一個實現HandlerFunc的 handler

同時標準庫也提供了一個完全接管請求的方法

func main() {
    err := http.ListenAndServe(":8080", &Engine{})
    if err != nil {
        panic(err.Error())
    }}type Engine struct {}func (e *Engine) ServeHTTP(w http.ResponseWriter, r *http.Request) {
    if r.URL.Path == "/hello" {
        w.Write([]byte("Hello"))
    }}

定義 ServerHTTP

type Handler interface {
    ServeHTTP(ResponseWriter, *Request)}

如果我們需要寫一個 HTTP Server 框架,那么就需要實現這個方法,同時 net/http 的輸入輸出流都不是很方便,我們也需要包裝,再加上一個簡單的 Route,不要在 ServeHTTP 里面寫Path。

這里稍微總結一下

  • 一個實現 ServeHTTP 的Engine

  • 一個包裝 HTTP 原始輸入輸出流的 Context

  • 一個實現路由匹配的 Route

Route 這邊為了簡單,使用Map做完全匹配

import (
    "net/http")type Engine struct {
    addr  string
    route map[string]handFunc}type Context struct {
    w      http.ResponseWriter
    r      *http.Request
    handle handFunc}type handFunc func(ctx *Context) errorfunc NewServer(addr string) *Engine {
    return &Engine{
        addr:  addr,
        route: make(map[string]handFunc),
    }}func (e *Engine) Run() {
    err := http.ListenAndServe(e.addr, e)
    if err != nil {
        panic(err)
    }}func (e *Engine) Get(path string, handle handFunc) {
    e.route[path] = handle}func (e *Engine) handle(writer http.ResponseWriter, request *http.Request, handle handFunc) {
    ctx := &Context{
        w:      writer,
        r:      request,
        handle: handle,
    }
    ctx.Next()}func (e *Engine) ServeHTTP(w http.ResponseWriter, req *http.Request) {
    handleF := e.route[req.URL.Path]
    e.handle(w, req, handleF)}func (c *Context) Next() error {
    return c.handle(c)}func (c *Context) Write(s string) error {
    _, err := c.w.Write([]byte(s))
    return err}

我們寫一個Test驗證一下我們的 Http Server

func TestHttp(t *testing.T) {
    app := NewServer(":8080")

    app.Get("/hello", func(ctx *Context) error {
        return ctx.Write("Hello")
    })

    app.Run()}

這邊我們包裝的 Handle 使用了是 Return error 模式,相比標準庫只 Write 不 Return ,避免了不 Write 之后忘記 Return 導致的錯誤,這通常很難發現。

一個Http Server 還需要一個 middleware 功能,這里的思路就是在 Engine 中存放一個 handleFunc 的數組,支持在外部注冊,當一個請求打過來時創建一個新 Ctx,將 Engine 中全局的 HandleFunc 復制到 Ctx 中,再使用 c.Next() 實現套娃式調用。

package httpimport (
    "net/http")type Engine struct {
    addr        string
    route       map[string]handFunc
    middlewares []handFunc}type Context struct {
    w        http.ResponseWriter
    r        *http.Request
    index    int
    handlers []handFunc}type handFunc func(ctx *Context) errorfunc NewServer(addr string) *Engine {
    return &Engine{
        addr:        addr,
        route:       make(map[string]handFunc),
        middlewares: make([]handFunc, 0),
    }}func (e *Engine) Run() {
    err := http.ListenAndServe(e.addr, e)
    if err != nil {
        panic(err)
    }}func (e *Engine) Use(middleware handFunc) {
    e.middlewares = append(e.middlewares, middleware)}func (e *Engine) Get(path string, handle handFunc) {
    e.route[path] = handle}func (e *Engine) handle(writer http.ResponseWriter, request *http.Request, handle handFunc) {
    handlers := make([]handFunc, 0, len(e.middlewares)+1)
    handlers = append(handlers, e.middlewares...)
    handlers = append(handlers, handle)
    ctx := &Context{
        w:        writer,
        r:        request,
        index:    -1,
        handlers: handlers,
    }
    ctx.Next()}func (e *Engine) ServeHTTP(w http.ResponseWriter, req *http.Request) {
    handleF := e.route[req.URL.Path]
    e.handle(w, req, handleF)}func (c *Context) Next() error {
    c.index++
    if c.index < len(c.handlers) {
        return c.handlers[c.index](c)
    }
    return nil}func (c *Context) Write(s string) error {
    _, err := c.w.Write([]byte(s))
    return err}

實現方法很簡單,這里我們驗證一下是否可以支持前置和后置中間件

func TestHttp(t *testing.T) {
    app := NewServer(":8080")

    app.Get("/hello", func(ctx *Context) error {
        fmt.Println("Hello")
        return ctx.Write("Hello")
    })
    app.Use(func(ctx *Context) error {
        fmt.Println("A1")
        return ctx.Next()
    })
    app.Use(func(ctx *Context) error {
        err := ctx.Next()
        fmt.Println("B1")
        return err    })

    app.Run()}

輸出:

=== RUN   TestHttp
A1
Hello
B1

以上就是關于“Go Http Server框架如何快速實現”這篇文章的內容,相信大家都有了一定的了解,希望小編分享的內容對大家有幫助,若想了解更多相關的知識內容,請關注億速云行業資訊頻道。

向AI問一下細節

免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。

AI

从化市| 金塔县| 阳朔县| 滁州市| 德兴市| 高阳县| 彩票| 吉安市| 金寨县| 西贡区| 诸暨市| 吉木萨尔县| 太原市| 兴业县| 德令哈市| 吴江市| 色达县| 留坝县| 开封市| 泾阳县| 叶城县| 略阳县| 桂林市| 贺州市| 万安县| 新沂市| 明水县| 五峰| 射洪县| 老河口市| 韶山市| 出国| 招远市| 静海县| 石棉县| 焦作市| 资讯| 四平市| 筠连县| 彰化市| 长汀县|