web-dev-qa-db-ja.com

Gin Webフレームワークを使用してGolangのルーターハンドラーに引数を渡す方法は?

私はGinを使用しています https://gin-gonic.github.io/gin/ を使用して、GolangでシンプルなRESTful JSON APIを構築しています。

ルートは次のように設定されています:

func testRouteHandler(c *gin.Context) {
    // do smth
}

func main() {
    router := gin.Default()
    router.GET("/test", testRouteHandler)
    router.Run(":8080")
}

私の質問は、testRouteHandler関数に引数を渡す方法を教えてください。たとえば、一般的なデータベース接続は、ルート間で再利用したい場合があります。

これをグローバル変数に入れる最良の方法はありますか?または、GoでtestRouteHandler関数に追加の変数を渡す方法はありますか? Goの関数にオプションの引数はありますか?

PS。私はGoの学習を始めたばかりなので、不足していることは明らかかもしれません:)

19
Niklas9

コメントに投稿したリンクを使用して、簡単な例を作成しました。

package main

import (
    "log"

    "github.com/gin-gonic/gin"
    "github.com/jinzhu/gorm"
    _ "github.com/mattn/go-sqlite3"
)

// ApiMiddleware will add the db connection to the context
func ApiMiddleware(db gorm.DB) gin.HandlerFunc {
    return func(c *gin.Context) {
        c.Set("databaseConn", db)
        c.Next()
    }
}

func main() {
    r := gin.New()

    // In this example, I'll open the db connection here...
    // In your code you would probably do it somewhere else
    db, err := gorm.Open("sqlite3", "./example.db")
    if err != nil {
        log.Fatal(err)
    }

    r.Use(ApiMiddleware(db))

    r.GET("/api", func(c *gin.Context) {
        // Don't forget type assertion when getting the connection from context.
        dbConn, ok := c.MustGet("databaseConn").(gorm.DB)
        if !ok {
            // handle error here...
        }

        // do your thing here...
    })

    r.Run(":8080")
}

これは単なるPOCです。しかし、私はそれが始まりだと信じています。それが役に立てば幸い。

18
rcmgleite

「アプリケーションスコープ」の依存関係(DB接続プールなど)をリクエストコンテキストに詰め込むことは避けます。 2つの「最も簡単な」オプションは次のとおりです。

  1. それをグローバルにします。これは、小規模なプロジェクトでは問題ありません。*sql.DBはスレッドセーフです。
  2. 戻り値の型が gin.HandlerFunc

例えば.

// SomeHandler returns a `func(*gin.Context)` to satisfy Gin's router methods
// db could turn into an 'Env' struct that encapsulates all of your
// app dependencies - e.g. DB, logger, env vars, etc.
func SomeHandler(db *sql.DB) gin.HandlerFunc {
    fn := func(c *gin.Context) {
        // Your handler code goes in here - e.g.
        rows, err := db.Query(...)

        c.String(200, results)
    }

    return gin.HandlerFunc(fn)
}

func main() {
    db, err := sql.Open(...)
    // handle the error

    router := gin.Default()
    router.GET("/test", SomeHandler(db))
    router.Run(":8080")
}
18
elithrar

わかりました、私はあなたに簡単な例を与えました。うまくいくはずです。必要に応じて拡張できます

func main() {
    router := gin.Default()
    router.GET("/test/:id/:name", testRouteHandler)
    router.Run(":8080")
}

func testRouteHandler(c *gin.Context) {
    id := c.Params.ByName("id")
    name := c.Params.ByName("name")
}

次のようにハンドラを呼び出す必要があります http:// localhost:8080/test/1/myname

1
deepak

パーティーに遅れましたが、ここまでが私の提案です。メソッドをプライベート/パブリック変数が含まれるオブジェクトにカプセル化します。

package main

import (
    "log"

    "github.com/gin-gonic/gin"
    "github.com/jinzhu/gorm"
    _ "github.com/mattn/go-sqlite3"
)

type HandlerA struct {
    Db gorm.DB
}

func (this *HandlerA) Get(c *gin.Context) {

    log.Info("[%#f]", this.Db)
    // do your thing here...
}

func main() {
    r := gin.New()

    // Init, should be separate, but it's ok for this sample:
    db, err := gorm.Open("sqlite3", "./example.db")
    if err != nil {
        log.Fatal(err)
    }

    Obj := new(HandlerA)
    Obj.Db = db // Or init inside Object

    r := gin.New()

    Group := r.Group("api/v1/")
    {
        Group.GET("/storage", Obj.Get)
    }

    r.Run(":8080")
}
1
wildneuro