Using/setting up sqlite3 在golang中的用户认证

Using/setting up user authentication for sqlite3 in golang

我必须将保护我的数据库密码作为我学校的一项任务。例如,如果有人试图访问我的数据库,它会询问密码。
我正在尝试使用 go-sqlite3 包,我已经尝试阅读官方指南。
第一步是使用 go build --tags <FEATURE>.
它给了我一个错误 build .: cannot find module for path .
我不知道为什么以及我们首先要建造什么。我也尝试搜索实际示例,但没有找到。

你能向我解释一下如何使用 golangs go-sqlite3 包为我的数据库设置用户身份验证吗?
Link to the package

您需要将该指令中的 <FEATURE> 替换为您希望从 table below (Seems there's an error in README and it has sqlite_ prefix stripped in example; build tag is indeed sqlite_userauth 启用的扩展名。

因此,要启用用户身份验证 go build -tags "sqlite_userauth"

在具有 go-sqlite3 模块依赖性的项目中,只需确保使用 -tags sqlite_userauth.

进行构建

这里是展示如何在项目中使用它的最小示例:

mkdir sqlite3auth
cd sqlite3auth
go mod init sqlite3auth
touch main.go

main.go:

package main

import (
        "database/sql"
        "log"

        "github.com/mattn/go-sqlite3"
)

func main() {
        // This is not necessary; just to see if auth extension is enabled
        sql.Register("sqlite3_log", &sqlite3.SQLiteDriver{
                ConnectHook: func(conn *sqlite3.SQLiteConn) error {
                        log.Printf("Auth enabled: %v\n", conn.AuthEnabled())
                        return nil
                },
        })

        // This is usual DB stuff (except with our sqlite3_log driver)
        db, err := sql.Open("sqlite3_log", "file:test.db?_auth&_auth_user=admin&_auth_pass=admin")
        if err != nil {
                log.Fatal(err)
        }
        defer db.Close()

        _, err = db.Exec(`select 1`)
        if err != nil {
                log.Fatal(err)
        }
}
go mod tidy
go: finding module for package github.com/mattn/go-sqlite3
go: found github.com/mattn/go-sqlite3 in github.com/mattn/go-sqlite3 v1.14.10
# First build with auth extension (-o NAME is just to give binary a name)
go build -tags sqlite_userauth -o auth .
# then build without it
go build -o noauth .

./auth
2022/01/27 21:47:46 Auth enabled: true
./noauth
2022/01/27 21:47:46 Auth enabled: false