Build You Own Web Framework In Goという記事を読んだところです。ハンドラー間で値を共有するためにcontext.Contextを選択し、次の方法でそれを使用して、ハンドラーとミドルウェア間で値を共有しています。
type appContext struct {
db *sql.DB
ctx context.Context
cancel context.CancelFunc
}
func (c *appContext)authHandler(next http.Handler) http.Handler {
fn := func(w http.ResponseWriter, r *http.Request {
defer c.cancel() //this feels weird
authToken := r.Header.Get("Authorization") // this fakes a form
c.ctx = getUser(c.ctx, c.db, authToken) // this also feels weird
next.ServeHTTP(w, r)
}
return http.HandlerFunc(fn)
}
func (c *appContext)adminHandler(w http.ResponseWriter, r *http.Request) {
defer c.cancel()
user := c.ctx.Value(0).(user)
json.NewEncoder(w).Encode(user)
}
func getUser(ctx context.Context, db *sql.DB, token string) context.Context{
//this function mimics a database access
return context.WithValue(ctx, 0, user{Nome:"Default user"})
}
func main() {
db, err := sql.Open("my-driver", "my.db")
if err != nil {
panic(err)
}
ctx, cancel := context.WithCancel(context.Background())
appC := appContext{db, ctx, cancel}
//....
}
すべてが機能しており、ゴリラ/コンテキストを使用するよりもハンドラーの読み込みが高速です。私の質問は次のとおりです。
- このアプローチは安全ですか?
- 私がやっているように c.cancel() 関数を延期することは本当に必要ですか?
- 構造体などのコントローラーを使用してモデルと値を共有することで、カスタム Web フレームワークを実装するために使用できますか?