1

我正在尝试将 go-http-auth 与 martini-go 一起使用。在此处给出的示例中 - https://github.com/abbot/go-http-auth

package main

import (
        auth "github.com/abbot/go-http-auth"
        "fmt"
        "net/http"
)

func Secret(user, realm string) string {
        if user == "john" {
                // password is "hello"
                return "$1$dlPL2MqE$oQmn16q49SqdmhenQuNgs1"
        }
        return ""
}

func handle(w http.ResponseWriter, r *auth.AuthenticatedRequest) {
        fmt.Fprintf(w, "<html><body><h1>Hello, %s!</h1></body></html>", r.Username)
}


func main() {
    db, err := sql.Open("postgres", "postgres://blabla:blabla@localhost/my_db")
    authenticator := auth.NewBasicAuthenticator("example.com", Secret)
    m := martini.Classic()
    m.Map(db)
    m.Get("/users", authenticator.Wrap(MyUserHandler))
    m.Run()

}

Secret 函数使用硬编码的用户“john”。

执行时认证成功

curl --user john:hello localhost:3000/users

显然,这是一个使用硬编码的用户名和密码的简单示例。

我现在将Secret功能更改为此

func Secret(user, realm string) string {

    fmt.Println("Executing Secret")

    var db *sql.DB

    var (
        username string
        password string
    )

    err := db.QueryRow("select username, password from users where username = ?", user).Scan(&username, &password)

    if err == sql.ErrNoRows {
        return ""
    }

    if err != nil {
        log.Fatal(err)
    }
    //if user == "john" {
        //// password is "hello"
        //return "$1$dlPL2MqE$oQmn16q49SqdmhenQuNgs1"
    //}
    //return ""
    return ""

}

但它失败了PANIC: runtime error: invalid memory address or nil pointer dereference.显然是因为我试图var db *sql.DBSecret函数中实例化。我也不能传递db *sql.DBSecret函数,因为auth.BasicNewAuthentication期望一个Secret符合type func (string, string) string.

如何正确实现我的数据库查询并返回密码进行比较?

4

2 回答 2

2

您可以使用一个简单的闭包将对您的数据库的引用传递给验证器函数:

authenticator := auth.NewBasicAuthenticator("example.com", func(user, realm string) string {
    return Secret(db, user, realm)
})

…然后将您的更改Secret为接受数据库作为第一个参数:

func Secret(db *sql.DB, user, realm string) string {
    // do your db lookup here…
}
于 2014-04-11T09:25:42.093 回答
2

阿提拉斯答案的替代方法。您可以定义一个结构,在其上定义Secret()处理程序并仅将引用的函数(go 保留对“所有者”的引用)传递给authhandler.

type SecretDb struct {
  db *DB
}
func (db *SecretDb) Secret(user, realm string) string {
 // .. use db.db here
}


func main() {
   secretdb = SecretDb{db}
   ...
   auth.NewBasicAuthenticator("example.com", secretdb.Secret)
   ...
}
于 2014-04-11T12:31:25.657 回答