Golang系列之go modules工程管理

x33g5p2x  于2022-02-07 转载在 Go  
字(1.8k)|赞(0)|评价(0)|浏览(417)

Golang系列之go modules工程管理

在上一章的学习中,我们知道写个程序要执行的话,有两种方法,但是如果一个大型项目,要运行这些文件,如何都要一个一个编译执行?这些文件之间如何进行协调开发?这个就涉及到go的工程管理

早期 Go 语言使用 makefile 作为临时方案,到了 Go 1 发布时引入了强大无比的 Go 命令行工具,从 Go 1.11 版本开始,官方提供了 Go Modules 管理项目和依赖,从 1.13 版本开始,更是默认开启了对 Go Modules 的支持

使用Go Modules就可以减少对GOPATH的依赖

在Goland里配置Go Modules,点击Setting->Go->Go Modules,GOPROXY=https://goproxy.io,direct

全局配置,可以在cmd窗口执行命令:

  1. go env -w GOPROXY=https://goproxy.io,direct

如何goland新建一个go.mod文件

  1. module golangSample

以mysql数据库连接的例子,看看go modules怎么进行项目管理的,新建一个文件夹命名mysql,包名也命名为package mysql

  1. package mysql
  2. import (
  3. "database/sql"
  4. "fmt"
  5. _ "github.com/go-sql-driver/mysql"
  6. "strings"
  7. )
  8. const (
  9. userName = "root"
  10. password = ""
  11. ip = "127.0.0.1"
  12. port = "3306"
  13. dbName = "shop"
  14. driverName = "mysql"
  15. )
  16. var DB *sql.DB
  17. type User struct {
  18. id int64
  19. name string
  20. age int
  21. email string
  22. contactNumber string
  23. password string
  24. sex int
  25. }
  26. func InitDB() {
  27. dataSourceName := strings.Join([]string{userName, ":", password, "@tcp(", ip, ":", port, ")/", dbName, "?charset=utf8"}, "")
  28. DB, _ = sql.Open(driverName, dataSourceName)
  29. //设置数据库最大连接数
  30. DB.SetConnMaxLifetime(100)
  31. //设置上数据库最大闲置连接数
  32. DB.SetMaxIdleConns(10)
  33. // 验证连接
  34. if err := DB.Ping(); err != nil {
  35. fmt.Println("open database fail")
  36. return
  37. }
  38. fmt.Println("connect success")
  39. }
  40. func QueryAll() {
  41. var user User
  42. rows, err := DB.Query("select * from user")
  43. if err != nil {
  44. fmt.Println("query failed.")
  45. }
  46. for rows.Next() {
  47. rows.Scan(&user.id , &user.name ,&user.age ,&user.email , &user.contactNumber , &user.password , &user.sex)
  48. fmt.Println(user)
  49. }
  50. rows.Close()
  51. }

在mysql包外面新建一个测试文件,通过import引入的

  1. package main
  2. import "golangSample/mysql"
  3. func main() {
  4. mysql.InitDB()
  5. mysql.QueryAll()
  6. mysql.DB.Close()
  7. }

运行项目,对应的go.mod为自动加上相关依赖

  1. module golangSample
  2. go 1.15
  3. require github.com/go-sql-driver/mysql v1.6.0

所以,go modules还是比较容易的,golang的工程管理就更加便捷规范

相关文章

最新文章

更多