ubuntu

ubuntu golang数据库连接怎样配置

小樊
46
2025-07-25 21:07:04
栏目: 编程语言

在Ubuntu上配置Golang以连接到数据库,你需要遵循以下步骤:

  1. 安装Go语言环境:如果你还没有安装Go,请访问https://golang.org/dl/ 下载并安装适用于Ubuntu的Go版本。

  2. 安装数据库驱动:根据你要连接的数据库类型,安装相应的Go数据库驱动。以下是一些常见数据库的驱动安装方法:

    • MySQL: go get -u github.com/go-sql-driver/mysql
    • PostgreSQL: go get -u github.com/lib/pq
    • MongoDB: go get -u go.mongodb.org/mongo-driver/mongo
    • SQLite: go get -u github.com/mattn/go-sqlite3
  3. 编写代码:在你的Go项目中,编写代码以连接到数据库。以下是一些示例:

    • MySQL:
package main

import (
	"database/sql"
	"fmt"
	_ "github.com/go-sql-driver/mysql"
)

func main() {
	dsn := "username:password@tcp(localhost:3306)/dbname?charset=utf8mb4&parseTime=True&loc=Local"
	db, err := sql.Open("mysql", dsn)
	if err != nil {
		panic(err)
	}
	defer db.Close()

	err = db.Ping()
	if err != nil {
		panic(err)
	}

	fmt.Println("Connected to the MySQL database!")
}
package main

import (
	"database/sql"
	"fmt"
	_ "github.com/lib/pq"
)

func main() {
	connStr := "user=username dbname=dbname password=password sslmode=disable"
	db, err := sql.Open("postgres", connStr)
	if err != nil {
		panic(err)
	}
	defer db.Close()

	err = db.Ping()
	if err != nil {
		panic(err)
	}

	fmt.Println("Connected to the PostgreSQL database!")
}
package main

import (
	"context"
	"fmt"
	"go.mongodb.org/mongo-driver/mongo"
	"go.mongodb.org/mongo-driver/mongo/options"
	"time"
)

func main() {
	clientOptions := options.Client().ApplyURI("mongodb://username:password@localhost:27017")
	client, err := mongo.Connect(context.TODO(), clientOptions)
	if err != nil {
		panic(err)
	}
	defer client.Disconnect(context.TODO())

	err = client.Ping(context.TODO(), nil)
	if err != nil {
		panic(err)
	}

	fmt.Println("Connected to the MongoDB database!")
}
package main

import (
	"database/sql"
	"fmt"
	_ "github.com/mattn/go-sqlite3"
)

func main() {
	db, err := sql.Open("sqlite3", "./test.db")
	if err != nil {
		panic(err)
	}
	defer db.Close()

	err = db.Ping()
	if err != nil {
		panic(err)
	}

	fmt.Println("Connected to the SQLite database!")
}
  1. 运行你的Go程序:在终端中,导航到你的项目目录并运行go run main.go(或你的主文件名)。如果一切正常,你应该看到一个消息,表明已成功连接到数据库。

注意:请确保根据你的数据库配置替换示例代码中的用户名、密码、主机名、端口和数据库名称。

0
看了该问题的人还看了