common.go 8.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314
  1. package common
  2. import (
  3. "context"
  4. "database/sql"
  5. "fmt"
  6. "io"
  7. "net/url"
  8. "os"
  9. "reflect"
  10. "regexp"
  11. "strconv"
  12. "strings"
  13. "time"
  14. "github.com/amacneil/dbmate/pkg/dbmate"
  15. _ "github.com/amacneil/dbmate/pkg/driver/mysql"
  16. _ "github.com/amacneil/dbmate/pkg/driver/postgres"
  17. _ "github.com/amacneil/dbmate/pkg/driver/sqlite"
  18. "golang.org/x/exp/slices"
  19. )
  20. type Engine interface {
  21. Begin(ctx context.Context, opts *sql.TxOptions) (*Tx, error)
  22. Close() error
  23. CurrentUnixTimestamp() int64
  24. DeleteRowByID(ctx context.Context, id int64, row any) error
  25. Each(ctx context.Context, query string, logic func(ctx context.Context, rows *Rows) error, args ...any) error
  26. EachPrepared(ctx context.Context, prep *Prepared, logic func(ctx context.Context, rows *Rows) error) error
  27. Exec(ctx context.Context, query string, args ...any) (sql.Result, error)
  28. ExecPrepared(ctx context.Context, prep *Prepared) (sql.Result, error)
  29. InsertRow(ctx context.Context, row any) error
  30. Ping(context.Context) error
  31. Prepare(ctx context.Context, query string) (*sql.Stmt, error)
  32. PrepareSQL(query string, args ...any) *Prepared
  33. Query(ctx context.Context, query string, args ...any) (*Rows, error)
  34. QueryPrepared(ctx context.Context, prep *Prepared) (*Rows, error)
  35. QueryRow(ctx context.Context, query string, args ...any) *Row
  36. QueryRowByID(ctx context.Context, id int64, row any) error
  37. QueryRowPrepared(ctx context.Context, prep *Prepared) *Row
  38. RowExists(ctx context.Context, id int64, row any) bool
  39. SetConnMaxLifetime(d time.Duration)
  40. SetMaxIdleConns(n int)
  41. SetMaxOpenConns(n int)
  42. Transaction(ctx context.Context, queries func(ctx context.Context, tx *Tx) error) error
  43. UpdateRow(ctx context.Context, row any) error
  44. }
  45. var rSqlParam = regexp.MustCompile(`\$\d+`)
  46. var rLogSpacesAll = regexp.MustCompile(`[\s\t]+`)
  47. var rLogSpacesEnd = regexp.MustCompile(`[\s\t]+;$`)
  48. func currentUnixTimestamp() int64 {
  49. return time.Now().UTC().Unix()
  50. }
  51. func deleteRowByIDString(row any) string {
  52. v := reflect.ValueOf(row).Elem()
  53. t := v.Type()
  54. var table string
  55. for i := 0; i < t.NumField(); i++ {
  56. if table == "" {
  57. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  58. table = tag
  59. }
  60. }
  61. }
  62. return `DELETE FROM ` + table + ` WHERE id = $1`
  63. }
  64. func fixQuery(query string) string {
  65. return rSqlParam.ReplaceAllString(query, "?")
  66. }
  67. func insertRowString(row any) (string, []any) {
  68. v := reflect.ValueOf(row).Elem()
  69. t := v.Type()
  70. var table string
  71. fields := []string{}
  72. values := []string{}
  73. args := []any{}
  74. position := 1
  75. created_at := currentUnixTimestamp()
  76. for i := 0; i < t.NumField(); i++ {
  77. if table == "" {
  78. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  79. table = tag
  80. }
  81. }
  82. tag := t.Field(i).Tag.Get("field")
  83. if tag != "" {
  84. if tag != "id" {
  85. fields = append(fields, tag)
  86. values = append(values, "$"+strconv.Itoa(position))
  87. if tag == "created_at" || tag == "updated_at" {
  88. args = append(args, created_at)
  89. } else {
  90. switch t.Field(i).Type.Kind() {
  91. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  92. args = append(args, v.Field(i).Int())
  93. case reflect.Float32, reflect.Float64:
  94. args = append(args, v.Field(i).Float())
  95. case reflect.String:
  96. args = append(args, v.Field(i).String())
  97. }
  98. }
  99. position++
  100. }
  101. }
  102. }
  103. return `INSERT INTO ` + table + ` (` + strings.Join(fields, ", ") + `) VALUES (` + strings.Join(values, ", ") + `)`, args
  104. }
  105. func log(w io.Writer, fname string, start time.Time, err error, tx bool, query string, args ...any) string {
  106. var values []string
  107. bold := "0"
  108. color := "33"
  109. // Transaction or not
  110. if tx {
  111. bold = "1"
  112. values = append(values, "[TX]")
  113. }
  114. // Function name
  115. if fname != "" {
  116. values = append(values, "[func "+fname+"]")
  117. }
  118. // SQL query
  119. if query != "" {
  120. values = append(values, rLogSpacesEnd.ReplaceAllString(
  121. strings.Trim(rLogSpacesAll.ReplaceAllString(query, " "), " "), ";",
  122. ))
  123. }
  124. // Params
  125. if len(args) > 0 {
  126. values = append(values, fmt.Sprintf("(%v)", args))
  127. } else {
  128. values = append(values, "(empty)")
  129. }
  130. // Error
  131. if err != nil {
  132. color = "31"
  133. values = append(values, "("+err.Error()+")")
  134. } else {
  135. values = append(values, "(nil)")
  136. }
  137. // Execute time with close color symbols
  138. values = append(values, fmt.Sprintf("%.3f ms\033[0m", time.Since(start).Seconds()))
  139. // Prepend start caption with colors
  140. values = append([]string{"\033[" + bold + ";" + color + "m[SQL]"}, values...)
  141. res := fmt.Sprintln(strings.Join(values, " "))
  142. fmt.Fprint(w, res)
  143. return res
  144. }
  145. func prepareSQL(query string, args ...any) *Prepared {
  146. return &Prepared{query, args}
  147. }
  148. func queryRowByIDString(row any) string {
  149. v := reflect.ValueOf(row).Elem()
  150. t := v.Type()
  151. var table string
  152. fields := []string{}
  153. for i := 0; i < t.NumField(); i++ {
  154. if table == "" {
  155. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  156. table = tag
  157. }
  158. }
  159. tag := t.Field(i).Tag.Get("field")
  160. if tag != "" {
  161. fields = append(fields, tag)
  162. }
  163. }
  164. return `SELECT ` + strings.Join(fields, ", ") + ` FROM ` + table + ` WHERE id = $1 LIMIT 1`
  165. }
  166. func rowExistsString(row any) string {
  167. v := reflect.ValueOf(row).Elem()
  168. t := v.Type()
  169. var table string
  170. for i := 0; i < t.NumField(); i++ {
  171. if table == "" {
  172. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  173. table = tag
  174. }
  175. }
  176. }
  177. return `SELECT 1 FROM ` + table + ` WHERE id = $1 LIMIT 1`
  178. }
  179. func scans(row any) []any {
  180. v := reflect.ValueOf(row).Elem()
  181. res := make([]interface{}, v.NumField())
  182. for i := 0; i < v.NumField(); i++ {
  183. res[i] = v.Field(i).Addr().Interface()
  184. }
  185. return res
  186. }
  187. func updateRowString(row any) (string, []any) {
  188. v := reflect.ValueOf(row).Elem()
  189. t := v.Type()
  190. var id int64
  191. var table string
  192. fields := []string{}
  193. values := []string{}
  194. args := []any{}
  195. position := 1
  196. updated_at := currentUnixTimestamp()
  197. for i := 0; i < t.NumField(); i++ {
  198. if table == "" {
  199. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  200. table = tag
  201. }
  202. }
  203. tag := t.Field(i).Tag.Get("field")
  204. if tag != "" {
  205. if id == 0 && tag == "id" {
  206. id = v.Field(i).Int()
  207. }
  208. if tag != "id" && tag != "created_at" {
  209. fields = append(fields, tag)
  210. values = append(values, "$"+strconv.Itoa(position))
  211. if tag == "updated_at" {
  212. args = append(args, updated_at)
  213. } else {
  214. switch t.Field(i).Type.Kind() {
  215. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  216. args = append(args, v.Field(i).Int())
  217. case reflect.Float32, reflect.Float64:
  218. args = append(args, v.Field(i).Float())
  219. case reflect.String:
  220. args = append(args, v.Field(i).String())
  221. }
  222. }
  223. position++
  224. }
  225. }
  226. }
  227. sql := ""
  228. args = append(args, id)
  229. sql += "UPDATE " + table + " SET "
  230. for i, v := range fields {
  231. sql += v + " = " + values[i]
  232. if i < len(fields)-1 {
  233. sql += ", "
  234. } else {
  235. sql += " "
  236. }
  237. }
  238. sql += "WHERE id = " + "$" + strconv.Itoa(position)
  239. return sql, args
  240. }
  241. func ParseUrl(dbURL string) (*url.URL, error) {
  242. databaseURL, err := url.Parse(dbURL)
  243. if err != nil {
  244. return nil, fmt.Errorf("unable to parse URL: %w", err)
  245. }
  246. if databaseURL.Scheme == "" {
  247. return nil, fmt.Errorf("protocol scheme is not defined")
  248. }
  249. protocols := []string{"mysql", "postgres", "postgresql", "sqlite", "sqlite3"}
  250. if !slices.Contains(protocols, databaseURL.Scheme) {
  251. return nil, fmt.Errorf("unsupported protocol scheme: %s", databaseURL.Scheme)
  252. }
  253. return databaseURL, nil
  254. }
  255. func OpenDB(databaseURL *url.URL, migrationsDir string, skipMigration bool, debug bool) (*sql.DB, error) {
  256. mate := dbmate.New(databaseURL)
  257. mate.AutoDumpSchema = false
  258. mate.Log = io.Discard
  259. if migrationsDir != "" {
  260. mate.MigrationsDir = migrationsDir
  261. }
  262. driver, err := mate.GetDriver()
  263. if err != nil {
  264. return nil, fmt.Errorf("DB get driver error: %w", err)
  265. }
  266. if !skipMigration {
  267. if err := mate.CreateAndMigrate(); err != nil {
  268. return nil, fmt.Errorf("DB migration error: %w", err)
  269. }
  270. }
  271. var db *sql.DB
  272. start := time.Now()
  273. db, err = driver.Open()
  274. if debug {
  275. log(os.Stdout, "Open", start, err, false, "")
  276. }
  277. if err != nil {
  278. return nil, fmt.Errorf("DB open error: %w", err)
  279. }
  280. return db, nil
  281. }