common.go 8.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323
  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 inArray(arr []string, str string) bool {
  68. for _, s := range arr {
  69. if s == str {
  70. return true
  71. }
  72. }
  73. return false
  74. }
  75. func insertRowString(row any) (string, []any) {
  76. v := reflect.ValueOf(row).Elem()
  77. t := v.Type()
  78. var table string
  79. fields := []string{}
  80. values := []string{}
  81. args := []any{}
  82. position := 1
  83. created_at := currentUnixTimestamp()
  84. for i := 0; i < t.NumField(); i++ {
  85. if table == "" {
  86. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  87. table = tag
  88. }
  89. }
  90. tag := t.Field(i).Tag.Get("field")
  91. if tag != "" {
  92. if tag != "id" {
  93. fields = append(fields, tag)
  94. values = append(values, "$"+strconv.Itoa(position))
  95. if tag == "created_at" || tag == "updated_at" {
  96. args = append(args, created_at)
  97. } else {
  98. switch t.Field(i).Type.Kind() {
  99. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  100. args = append(args, v.Field(i).Int())
  101. case reflect.Float32, reflect.Float64:
  102. args = append(args, v.Field(i).Float())
  103. case reflect.String:
  104. args = append(args, v.Field(i).String())
  105. }
  106. }
  107. position++
  108. }
  109. }
  110. }
  111. return `INSERT INTO ` + table + ` (` + strings.Join(fields, ", ") + `) VALUES (` + strings.Join(values, ", ") + `)`, args
  112. }
  113. func log(w io.Writer, fname string, start time.Time, err error, tx bool, query string, args ...any) string {
  114. var values []string
  115. bold := "0"
  116. color := "33"
  117. // Transaction or not
  118. if tx {
  119. bold = "1"
  120. values = append(values, "[TX]")
  121. }
  122. // Function name
  123. if fname != "" {
  124. values = append(values, "[func "+fname+"]")
  125. }
  126. // SQL query
  127. if query != "" {
  128. values = append(values, rLogSpacesEnd.ReplaceAllString(
  129. strings.Trim(rLogSpacesAll.ReplaceAllString(query, " "), " "), ";",
  130. ))
  131. }
  132. // Params
  133. if len(args) > 0 {
  134. values = append(values, fmt.Sprintf("(%v)", args))
  135. } else {
  136. values = append(values, "(empty)")
  137. }
  138. // Error
  139. if err != nil {
  140. color = "31"
  141. values = append(values, "("+err.Error()+")")
  142. } else {
  143. values = append(values, "(nil)")
  144. }
  145. // Execute time with close color symbols
  146. values = append(values, fmt.Sprintf("%.3f ms\033[0m", time.Since(start).Seconds()))
  147. // Prepend start caption with colors
  148. values = append([]string{"\033[" + bold + ";" + color + "m[SQL]"}, values...)
  149. res := fmt.Sprintln(strings.Join(values, " "))
  150. fmt.Fprint(w, res)
  151. return res
  152. }
  153. func prepareSQL(query string, args ...any) *Prepared {
  154. return &Prepared{query, args}
  155. }
  156. func queryRowByIDString(row any) string {
  157. v := reflect.ValueOf(row).Elem()
  158. t := v.Type()
  159. var table string
  160. fields := []string{}
  161. for i := 0; i < t.NumField(); i++ {
  162. if table == "" {
  163. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  164. table = tag
  165. }
  166. }
  167. tag := t.Field(i).Tag.Get("field")
  168. if tag != "" {
  169. fields = append(fields, tag)
  170. }
  171. }
  172. return `SELECT ` + strings.Join(fields, ", ") + ` FROM ` + table + ` WHERE id = $1 LIMIT 1`
  173. }
  174. func rowExistsString(row any) string {
  175. v := reflect.ValueOf(row).Elem()
  176. t := v.Type()
  177. var table string
  178. for i := 0; i < t.NumField(); i++ {
  179. if table == "" {
  180. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  181. table = tag
  182. }
  183. }
  184. }
  185. return `SELECT 1 FROM ` + table + ` WHERE id = $1 LIMIT 1`
  186. }
  187. func scans(row any) []any {
  188. v := reflect.ValueOf(row).Elem()
  189. res := make([]interface{}, v.NumField())
  190. for i := 0; i < v.NumField(); i++ {
  191. res[i] = v.Field(i).Addr().Interface()
  192. }
  193. return res
  194. }
  195. func updateRowString(row any, only ...string) (string, []any) {
  196. v := reflect.ValueOf(row).Elem()
  197. t := v.Type()
  198. var id int64
  199. var table string
  200. fields := []string{}
  201. values := []string{}
  202. args := []any{}
  203. position := 1
  204. updated_at := currentUnixTimestamp()
  205. for i := 0; i < t.NumField(); i++ {
  206. if table == "" {
  207. if tag := t.Field(i).Tag.Get("table"); tag != "" {
  208. table = tag
  209. }
  210. }
  211. tag := t.Field(i).Tag.Get("field")
  212. if tag != "" {
  213. if id == 0 && tag == "id" {
  214. id = v.Field(i).Int()
  215. }
  216. if tag != "id" && tag != "created_at" && ((len(only) == 0) || (len(only) > 0 && inArray(only, tag))) {
  217. fields = append(fields, tag)
  218. values = append(values, "$"+strconv.Itoa(position))
  219. if tag == "updated_at" {
  220. args = append(args, updated_at)
  221. } else {
  222. switch t.Field(i).Type.Kind() {
  223. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  224. args = append(args, v.Field(i).Int())
  225. case reflect.Float32, reflect.Float64:
  226. args = append(args, v.Field(i).Float())
  227. case reflect.String:
  228. args = append(args, v.Field(i).String())
  229. }
  230. }
  231. position++
  232. }
  233. }
  234. }
  235. sql := ""
  236. args = append(args, id)
  237. sql += "UPDATE " + table + " SET "
  238. for i, v := range fields {
  239. sql += v + " = " + values[i]
  240. if i < len(fields)-1 {
  241. sql += ", "
  242. } else {
  243. sql += " "
  244. }
  245. }
  246. sql += "WHERE id = " + "$" + strconv.Itoa(position)
  247. return sql, args
  248. }
  249. func ParseUrl(dbURL string) (*url.URL, error) {
  250. databaseURL, err := url.Parse(dbURL)
  251. if err != nil {
  252. return nil, fmt.Errorf("unable to parse URL: %w", err)
  253. }
  254. if databaseURL.Scheme == "" {
  255. return nil, fmt.Errorf("protocol scheme is not defined")
  256. }
  257. protocols := []string{"mysql", "postgres", "postgresql", "sqlite", "sqlite3"}
  258. if !slices.Contains(protocols, databaseURL.Scheme) {
  259. return nil, fmt.Errorf("unsupported protocol scheme: %s", databaseURL.Scheme)
  260. }
  261. return databaseURL, nil
  262. }
  263. func OpenDB(databaseURL *url.URL, migrationsDir string, skipMigration bool, debug bool) (*sql.DB, error) {
  264. mate := dbmate.New(databaseURL)
  265. mate.AutoDumpSchema = false
  266. mate.Log = io.Discard
  267. if migrationsDir != "" {
  268. mate.MigrationsDir = migrationsDir
  269. }
  270. driver, err := mate.GetDriver()
  271. if err != nil {
  272. return nil, fmt.Errorf("DB get driver error: %w", err)
  273. }
  274. if !skipMigration {
  275. if err := mate.CreateAndMigrate(); err != nil {
  276. return nil, fmt.Errorf("DB migration error: %w", err)
  277. }
  278. }
  279. var db *sql.DB
  280. start := time.Now()
  281. db, err = driver.Open()
  282. if debug {
  283. log(os.Stdout, "Open", start, err, false, "")
  284. }
  285. if err != nil {
  286. return nil, fmt.Errorf("DB open error: %w", err)
  287. }
  288. return db, nil
  289. }