main.go 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704
  1. package model
  2. import (
  3. "fmt"
  4. "log"
  5. "os"
  6. "strings"
  7. "sync"
  8. "time"
  9. "github.com/QuantumNous/new-api/common"
  10. "github.com/QuantumNous/new-api/constant"
  11. "github.com/glebarez/sqlite"
  12. "gorm.io/driver/mysql"
  13. "gorm.io/driver/postgres"
  14. "gorm.io/gorm"
  15. )
  16. var commonGroupCol string
  17. var commonKeyCol string
  18. var commonTrueVal string
  19. var commonFalseVal string
  20. var logKeyCol string
  21. var logGroupCol string
  22. func initCol() {
  23. // init common column names
  24. if common.UsingPostgreSQL {
  25. commonGroupCol = `"group"`
  26. commonKeyCol = `"key"`
  27. commonTrueVal = "true"
  28. commonFalseVal = "false"
  29. } else {
  30. commonGroupCol = "`group`"
  31. commonKeyCol = "`key`"
  32. commonTrueVal = "1"
  33. commonFalseVal = "0"
  34. }
  35. if os.Getenv("LOG_SQL_DSN") != "" {
  36. switch common.LogSqlType {
  37. case common.DatabaseTypePostgreSQL:
  38. logGroupCol = `"group"`
  39. logKeyCol = `"key"`
  40. default:
  41. logGroupCol = commonGroupCol
  42. logKeyCol = commonKeyCol
  43. }
  44. } else {
  45. // LOG_SQL_DSN 为空时,日志数据库与主数据库相同
  46. if common.UsingPostgreSQL {
  47. logGroupCol = `"group"`
  48. logKeyCol = `"key"`
  49. } else {
  50. logGroupCol = commonGroupCol
  51. logKeyCol = commonKeyCol
  52. }
  53. }
  54. // log sql type and database type
  55. //common.SysLog("Using Log SQL Type: " + common.LogSqlType)
  56. }
  57. var DB *gorm.DB
  58. var LOG_DB *gorm.DB
  59. func createRootAccountIfNeed() error {
  60. var user User
  61. //if user.Status != common.UserStatusEnabled {
  62. if err := DB.First(&user).Error; err != nil {
  63. common.SysLog("no user exists, create a root user for you: username is root, password is 123456")
  64. hashedPassword, err := common.Password2Hash("123456")
  65. if err != nil {
  66. return err
  67. }
  68. rootUser := User{
  69. Username: "root",
  70. Password: hashedPassword,
  71. Role: common.RoleRootUser,
  72. Status: common.UserStatusEnabled,
  73. DisplayName: "Root User",
  74. AccessToken: nil,
  75. Quota: 100000000,
  76. }
  77. DB.Create(&rootUser)
  78. }
  79. return nil
  80. }
  81. func CheckSetup() {
  82. setup := GetSetup()
  83. if setup == nil {
  84. // No setup record exists, check if we have a root user
  85. if RootUserExists() {
  86. common.SysLog("system is not initialized, but root user exists")
  87. // Create setup record
  88. newSetup := Setup{
  89. Version: common.Version,
  90. InitializedAt: time.Now().Unix(),
  91. }
  92. err := DB.Create(&newSetup).Error
  93. if err != nil {
  94. common.SysLog("failed to create setup record: " + err.Error())
  95. }
  96. constant.Setup = true
  97. } else {
  98. common.SysLog("system is not initialized and no root user exists")
  99. constant.Setup = false
  100. }
  101. } else {
  102. // Setup record exists, system is initialized
  103. common.SysLog("system is already initialized at: " + time.Unix(setup.InitializedAt, 0).String())
  104. constant.Setup = true
  105. }
  106. }
  107. func chooseDB(envName string, isLog bool) (*gorm.DB, error) {
  108. defer func() {
  109. initCol()
  110. }()
  111. dsn := os.Getenv(envName)
  112. if dsn != "" {
  113. if strings.HasPrefix(dsn, "postgres://") || strings.HasPrefix(dsn, "postgresql://") {
  114. // Use PostgreSQL
  115. common.SysLog("using PostgreSQL as database")
  116. if !isLog {
  117. common.UsingPostgreSQL = true
  118. } else {
  119. common.LogSqlType = common.DatabaseTypePostgreSQL
  120. }
  121. return gorm.Open(postgres.New(postgres.Config{
  122. DSN: dsn,
  123. PreferSimpleProtocol: true, // disables implicit prepared statement usage
  124. }), &gorm.Config{
  125. PrepareStmt: true, // precompile SQL
  126. })
  127. }
  128. if strings.HasPrefix(dsn, "local") {
  129. common.SysLog("SQL_DSN not set, using SQLite as database")
  130. if !isLog {
  131. common.UsingSQLite = true
  132. } else {
  133. common.LogSqlType = common.DatabaseTypeSQLite
  134. }
  135. return gorm.Open(sqlite.Open(common.SQLitePath), &gorm.Config{
  136. PrepareStmt: true, // precompile SQL
  137. })
  138. }
  139. // Use MySQL
  140. common.SysLog("using MySQL as database")
  141. // check parseTime
  142. if !strings.Contains(dsn, "parseTime") {
  143. if strings.Contains(dsn, "?") {
  144. dsn += "&parseTime=true"
  145. } else {
  146. dsn += "?parseTime=true"
  147. }
  148. }
  149. if !isLog {
  150. common.UsingMySQL = true
  151. } else {
  152. common.LogSqlType = common.DatabaseTypeMySQL
  153. }
  154. return gorm.Open(mysql.Open(dsn), &gorm.Config{
  155. PrepareStmt: true, // precompile SQL
  156. })
  157. }
  158. // Use SQLite
  159. common.SysLog("SQL_DSN not set, using SQLite as database")
  160. common.UsingSQLite = true
  161. return gorm.Open(sqlite.Open(common.SQLitePath), &gorm.Config{
  162. PrepareStmt: true, // precompile SQL
  163. })
  164. }
  165. func InitDB() (err error) {
  166. db, err := chooseDB("SQL_DSN", false)
  167. if err == nil {
  168. if common.DebugEnabled {
  169. db = db.Debug()
  170. }
  171. DB = db
  172. // MySQL charset/collation startup check: ensure Chinese-capable charset
  173. if common.UsingMySQL {
  174. if err := checkMySQLChineseSupport(DB); err != nil {
  175. panic(err)
  176. }
  177. }
  178. sqlDB, err := DB.DB()
  179. if err != nil {
  180. return err
  181. }
  182. sqlDB.SetMaxIdleConns(common.GetEnvOrDefault("SQL_MAX_IDLE_CONNS", 100))
  183. sqlDB.SetMaxOpenConns(common.GetEnvOrDefault("SQL_MAX_OPEN_CONNS", 1000))
  184. sqlDB.SetConnMaxLifetime(time.Second * time.Duration(common.GetEnvOrDefault("SQL_MAX_LIFETIME", 60)))
  185. if !common.IsMasterNode {
  186. return nil
  187. }
  188. if common.UsingMySQL {
  189. //_, _ = sqlDB.Exec("ALTER TABLE channels MODIFY model_mapping TEXT;") // TODO: delete this line when most users have upgraded
  190. }
  191. common.SysLog("database migration started")
  192. err = migrateDB()
  193. return err
  194. } else {
  195. common.FatalLog(err)
  196. }
  197. return err
  198. }
  199. func InitLogDB() (err error) {
  200. if os.Getenv("LOG_SQL_DSN") == "" {
  201. LOG_DB = DB
  202. return
  203. }
  204. db, err := chooseDB("LOG_SQL_DSN", true)
  205. if err == nil {
  206. if common.DebugEnabled {
  207. db = db.Debug()
  208. }
  209. LOG_DB = db
  210. // If log DB is MySQL, also ensure Chinese-capable charset
  211. if common.LogSqlType == common.DatabaseTypeMySQL {
  212. if err := checkMySQLChineseSupport(LOG_DB); err != nil {
  213. panic(err)
  214. }
  215. }
  216. sqlDB, err := LOG_DB.DB()
  217. if err != nil {
  218. return err
  219. }
  220. sqlDB.SetMaxIdleConns(common.GetEnvOrDefault("SQL_MAX_IDLE_CONNS", 100))
  221. sqlDB.SetMaxOpenConns(common.GetEnvOrDefault("SQL_MAX_OPEN_CONNS", 1000))
  222. sqlDB.SetConnMaxLifetime(time.Second * time.Duration(common.GetEnvOrDefault("SQL_MAX_LIFETIME", 60)))
  223. if !common.IsMasterNode {
  224. return nil
  225. }
  226. common.SysLog("database migration started")
  227. err = migrateLOGDB()
  228. return err
  229. } else {
  230. common.FatalLog(err)
  231. }
  232. return err
  233. }
  234. func migrateDB() error {
  235. // Migrate price_amount column from float/double to decimal for existing tables
  236. migrateSubscriptionPlanPriceAmount()
  237. // Migrate model_limits column from varchar to text for existing tables
  238. if err := migrateTokenModelLimitsToText(); err != nil {
  239. return err
  240. }
  241. err := DB.AutoMigrate(
  242. &Channel{},
  243. &Token{},
  244. &User{},
  245. &PasskeyCredential{},
  246. &Option{},
  247. &Redemption{},
  248. &Ability{},
  249. &Log{},
  250. &Midjourney{},
  251. &TopUp{},
  252. &QuotaData{},
  253. &Task{},
  254. &Model{},
  255. &Vendor{},
  256. &PrefillGroup{},
  257. &Setup{},
  258. &TwoFA{},
  259. &TwoFABackupCode{},
  260. &Checkin{},
  261. &SubscriptionOrder{},
  262. &UserSubscription{},
  263. &SubscriptionPreConsumeRecord{},
  264. &CustomOAuthProvider{},
  265. &UserOAuthBinding{},
  266. )
  267. if err != nil {
  268. return err
  269. }
  270. if common.UsingSQLite {
  271. if err := ensureSubscriptionPlanTableSQLite(); err != nil {
  272. return err
  273. }
  274. } else {
  275. if err := DB.AutoMigrate(&SubscriptionPlan{}); err != nil {
  276. return err
  277. }
  278. }
  279. return nil
  280. }
  281. func migrateDBFast() error {
  282. var wg sync.WaitGroup
  283. migrations := []struct {
  284. model interface{}
  285. name string
  286. }{
  287. {&Channel{}, "Channel"},
  288. {&Token{}, "Token"},
  289. {&User{}, "User"},
  290. {&PasskeyCredential{}, "PasskeyCredential"},
  291. {&Option{}, "Option"},
  292. {&Redemption{}, "Redemption"},
  293. {&Ability{}, "Ability"},
  294. {&Log{}, "Log"},
  295. {&Midjourney{}, "Midjourney"},
  296. {&TopUp{}, "TopUp"},
  297. {&QuotaData{}, "QuotaData"},
  298. {&Task{}, "Task"},
  299. {&Model{}, "Model"},
  300. {&Vendor{}, "Vendor"},
  301. {&PrefillGroup{}, "PrefillGroup"},
  302. {&Setup{}, "Setup"},
  303. {&TwoFA{}, "TwoFA"},
  304. {&TwoFABackupCode{}, "TwoFABackupCode"},
  305. {&Checkin{}, "Checkin"},
  306. {&SubscriptionOrder{}, "SubscriptionOrder"},
  307. {&UserSubscription{}, "UserSubscription"},
  308. {&SubscriptionPreConsumeRecord{}, "SubscriptionPreConsumeRecord"},
  309. {&CustomOAuthProvider{}, "CustomOAuthProvider"},
  310. {&UserOAuthBinding{}, "UserOAuthBinding"},
  311. }
  312. // 动态计算migration数量,确保errChan缓冲区足够大
  313. errChan := make(chan error, len(migrations))
  314. for _, m := range migrations {
  315. wg.Add(1)
  316. go func(model interface{}, name string) {
  317. defer wg.Done()
  318. if err := DB.AutoMigrate(model); err != nil {
  319. errChan <- fmt.Errorf("failed to migrate %s: %v", name, err)
  320. }
  321. }(m.model, m.name)
  322. }
  323. // Wait for all migrations to complete
  324. wg.Wait()
  325. close(errChan)
  326. // Check for any errors
  327. for err := range errChan {
  328. if err != nil {
  329. return err
  330. }
  331. }
  332. if common.UsingSQLite {
  333. if err := ensureSubscriptionPlanTableSQLite(); err != nil {
  334. return err
  335. }
  336. } else {
  337. if err := DB.AutoMigrate(&SubscriptionPlan{}); err != nil {
  338. return err
  339. }
  340. }
  341. common.SysLog("database migrated")
  342. return nil
  343. }
  344. func migrateLOGDB() error {
  345. var err error
  346. if err = LOG_DB.AutoMigrate(&Log{}); err != nil {
  347. return err
  348. }
  349. return nil
  350. }
  351. type sqliteColumnDef struct {
  352. Name string
  353. DDL string
  354. }
  355. func ensureSubscriptionPlanTableSQLite() error {
  356. if !common.UsingSQLite {
  357. return nil
  358. }
  359. tableName := "subscription_plans"
  360. if !DB.Migrator().HasTable(tableName) {
  361. createSQL := `CREATE TABLE ` + "`" + tableName + "`" + ` (
  362. ` + "`id`" + ` integer,
  363. ` + "`title`" + ` varchar(128) NOT NULL,
  364. ` + "`subtitle`" + ` varchar(255) DEFAULT '',
  365. ` + "`price_amount`" + ` decimal(10,6) NOT NULL,
  366. ` + "`currency`" + ` varchar(8) NOT NULL DEFAULT 'USD',
  367. ` + "`duration_unit`" + ` varchar(16) NOT NULL DEFAULT 'month',
  368. ` + "`duration_value`" + ` integer NOT NULL DEFAULT 1,
  369. ` + "`custom_seconds`" + ` bigint NOT NULL DEFAULT 0,
  370. ` + "`enabled`" + ` numeric DEFAULT 1,
  371. ` + "`sort_order`" + ` integer DEFAULT 0,
  372. ` + "`stripe_price_id`" + ` varchar(128) DEFAULT '',
  373. ` + "`creem_product_id`" + ` varchar(128) DEFAULT '',
  374. ` + "`max_purchase_per_user`" + ` integer DEFAULT 0,
  375. ` + "`upgrade_group`" + ` varchar(64) DEFAULT '',
  376. ` + "`total_amount`" + ` bigint NOT NULL DEFAULT 0,
  377. ` + "`quota_reset_period`" + ` varchar(16) DEFAULT 'never',
  378. ` + "`quota_reset_custom_seconds`" + ` bigint DEFAULT 0,
  379. ` + "`created_at`" + ` bigint,
  380. ` + "`updated_at`" + ` bigint,
  381. PRIMARY KEY (` + "`id`" + `)
  382. )`
  383. return DB.Exec(createSQL).Error
  384. }
  385. var cols []struct {
  386. Name string `gorm:"column:name"`
  387. }
  388. if err := DB.Raw("PRAGMA table_info(`" + tableName + "`)").Scan(&cols).Error; err != nil {
  389. return err
  390. }
  391. existing := make(map[string]struct{}, len(cols))
  392. for _, c := range cols {
  393. existing[c.Name] = struct{}{}
  394. }
  395. required := []sqliteColumnDef{
  396. {Name: "title", DDL: "`title` varchar(128) NOT NULL"},
  397. {Name: "subtitle", DDL: "`subtitle` varchar(255) DEFAULT ''"},
  398. {Name: "price_amount", DDL: "`price_amount` decimal(10,6) NOT NULL"},
  399. {Name: "currency", DDL: "`currency` varchar(8) NOT NULL DEFAULT 'USD'"},
  400. {Name: "duration_unit", DDL: "`duration_unit` varchar(16) NOT NULL DEFAULT 'month'"},
  401. {Name: "duration_value", DDL: "`duration_value` integer NOT NULL DEFAULT 1"},
  402. {Name: "custom_seconds", DDL: "`custom_seconds` bigint NOT NULL DEFAULT 0"},
  403. {Name: "enabled", DDL: "`enabled` numeric DEFAULT 1"},
  404. {Name: "sort_order", DDL: "`sort_order` integer DEFAULT 0"},
  405. {Name: "stripe_price_id", DDL: "`stripe_price_id` varchar(128) DEFAULT ''"},
  406. {Name: "creem_product_id", DDL: "`creem_product_id` varchar(128) DEFAULT ''"},
  407. {Name: "max_purchase_per_user", DDL: "`max_purchase_per_user` integer DEFAULT 0"},
  408. {Name: "upgrade_group", DDL: "`upgrade_group` varchar(64) DEFAULT ''"},
  409. {Name: "total_amount", DDL: "`total_amount` bigint NOT NULL DEFAULT 0"},
  410. {Name: "quota_reset_period", DDL: "`quota_reset_period` varchar(16) DEFAULT 'never'"},
  411. {Name: "quota_reset_custom_seconds", DDL: "`quota_reset_custom_seconds` bigint DEFAULT 0"},
  412. {Name: "created_at", DDL: "`created_at` bigint"},
  413. {Name: "updated_at", DDL: "`updated_at` bigint"},
  414. }
  415. for _, col := range required {
  416. if _, ok := existing[col.Name]; ok {
  417. continue
  418. }
  419. if err := DB.Exec("ALTER TABLE `" + tableName + "` ADD COLUMN " + col.DDL).Error; err != nil {
  420. return err
  421. }
  422. }
  423. return nil
  424. }
  425. // migrateTokenModelLimitsToText migrates model_limits column from varchar(1024) to text
  426. // This is safe to run multiple times - it checks the column type first
  427. func migrateTokenModelLimitsToText() error {
  428. // SQLite uses type affinity, so TEXT and VARCHAR are effectively the same — no migration needed
  429. if common.UsingSQLite {
  430. return nil
  431. }
  432. tableName := "tokens"
  433. columnName := "model_limits"
  434. if !DB.Migrator().HasTable(tableName) {
  435. return nil
  436. }
  437. if !DB.Migrator().HasColumn(&Token{}, columnName) {
  438. return nil
  439. }
  440. var alterSQL string
  441. if common.UsingPostgreSQL {
  442. var dataType string
  443. if err := DB.Raw(`SELECT data_type FROM information_schema.columns
  444. WHERE table_schema = current_schema() AND table_name = ? AND column_name = ?`,
  445. tableName, columnName).Scan(&dataType).Error; err != nil {
  446. common.SysLog(fmt.Sprintf("Warning: failed to query metadata for %s.%s: %v", tableName, columnName, err))
  447. } else if dataType == "text" {
  448. return nil
  449. }
  450. alterSQL = fmt.Sprintf(`ALTER TABLE %s ALTER COLUMN %s TYPE text`, tableName, columnName)
  451. } else if common.UsingMySQL {
  452. var columnType string
  453. if err := DB.Raw(`SELECT COLUMN_TYPE FROM information_schema.columns
  454. WHERE table_schema = DATABASE() AND table_name = ? AND column_name = ?`,
  455. tableName, columnName).Scan(&columnType).Error; err != nil {
  456. common.SysLog(fmt.Sprintf("Warning: failed to query metadata for %s.%s: %v", tableName, columnName, err))
  457. } else if strings.ToLower(columnType) == "text" {
  458. return nil
  459. }
  460. alterSQL = fmt.Sprintf("ALTER TABLE %s MODIFY COLUMN %s text", tableName, columnName)
  461. } else {
  462. return nil
  463. }
  464. if alterSQL != "" {
  465. if err := DB.Exec(alterSQL).Error; err != nil {
  466. return fmt.Errorf("failed to migrate %s.%s to text: %w", tableName, columnName, err)
  467. }
  468. common.SysLog(fmt.Sprintf("Successfully migrated %s.%s to text", tableName, columnName))
  469. }
  470. return nil
  471. }
  472. // migrateSubscriptionPlanPriceAmount migrates price_amount column from float/double to decimal(10,6)
  473. // This is safe to run multiple times - it checks the column type first
  474. func migrateSubscriptionPlanPriceAmount() {
  475. // SQLite doesn't support ALTER COLUMN, and its type affinity handles this automatically
  476. // Skip early to avoid GORM parsing the existing table DDL which may cause issues
  477. if common.UsingSQLite {
  478. return
  479. }
  480. tableName := "subscription_plans"
  481. columnName := "price_amount"
  482. // Check if table exists first
  483. if !DB.Migrator().HasTable(tableName) {
  484. return
  485. }
  486. // Check if column exists
  487. if !DB.Migrator().HasColumn(&SubscriptionPlan{}, columnName) {
  488. return
  489. }
  490. var alterSQL string
  491. if common.UsingPostgreSQL {
  492. // PostgreSQL: Check if already decimal/numeric
  493. var dataType string
  494. if err := DB.Raw(`SELECT data_type FROM information_schema.columns
  495. WHERE table_schema = current_schema() AND table_name = ? AND column_name = ?`,
  496. tableName, columnName).Scan(&dataType).Error; err != nil {
  497. common.SysLog(fmt.Sprintf("Warning: failed to query metadata for %s.%s: %v", tableName, columnName, err))
  498. } else if dataType == "numeric" {
  499. return // Already decimal/numeric
  500. }
  501. alterSQL = fmt.Sprintf(`ALTER TABLE %s ALTER COLUMN %s TYPE decimal(10,6) USING %s::decimal(10,6)`,
  502. tableName, columnName, columnName)
  503. } else if common.UsingMySQL {
  504. // MySQL: Check if already decimal
  505. var columnType string
  506. if err := DB.Raw(`SELECT COLUMN_TYPE FROM information_schema.columns
  507. WHERE table_schema = DATABASE() AND table_name = ? AND column_name = ?`,
  508. tableName, columnName).Scan(&columnType).Error; err != nil {
  509. common.SysLog(fmt.Sprintf("Warning: failed to query metadata for %s.%s: %v", tableName, columnName, err))
  510. } else if strings.HasPrefix(strings.ToLower(columnType), "decimal") {
  511. return // Already decimal
  512. }
  513. alterSQL = fmt.Sprintf("ALTER TABLE %s MODIFY COLUMN %s decimal(10,6) NOT NULL DEFAULT 0",
  514. tableName, columnName)
  515. } else {
  516. return
  517. }
  518. if alterSQL != "" {
  519. if err := DB.Exec(alterSQL).Error; err != nil {
  520. common.SysLog(fmt.Sprintf("Warning: failed to migrate %s.%s to decimal: %v", tableName, columnName, err))
  521. } else {
  522. common.SysLog(fmt.Sprintf("Successfully migrated %s.%s to decimal(10,6)", tableName, columnName))
  523. }
  524. }
  525. }
  526. func closeDB(db *gorm.DB) error {
  527. sqlDB, err := db.DB()
  528. if err != nil {
  529. return err
  530. }
  531. err = sqlDB.Close()
  532. return err
  533. }
  534. func CloseDB() error {
  535. if LOG_DB != DB {
  536. err := closeDB(LOG_DB)
  537. if err != nil {
  538. return err
  539. }
  540. }
  541. return closeDB(DB)
  542. }
  543. // checkMySQLChineseSupport ensures the MySQL connection and current schema
  544. // default charset/collation can store Chinese characters. It allows common
  545. // Chinese-capable charsets (utf8mb4, utf8, gbk, big5, gb18030) and panics otherwise.
  546. func checkMySQLChineseSupport(db *gorm.DB) error {
  547. // 仅检测:当前库默认字符集/排序规则 + 各表的排序规则(隐含字符集)
  548. // Read current schema defaults
  549. var schemaCharset, schemaCollation string
  550. err := db.Raw("SELECT DEFAULT_CHARACTER_SET_NAME, DEFAULT_COLLATION_NAME FROM information_schema.SCHEMATA WHERE SCHEMA_NAME = DATABASE()").Row().Scan(&schemaCharset, &schemaCollation)
  551. if err != nil {
  552. return fmt.Errorf("读取当前库默认字符集/排序规则失败 / Failed to read schema default charset/collation: %v", err)
  553. }
  554. toLower := func(s string) string { return strings.ToLower(s) }
  555. // Allowed charsets that can store Chinese text
  556. allowedCharsets := map[string]string{
  557. "utf8mb4": "utf8mb4_",
  558. "utf8": "utf8_",
  559. "gbk": "gbk_",
  560. "big5": "big5_",
  561. "gb18030": "gb18030_",
  562. }
  563. isChineseCapable := func(cs, cl string) bool {
  564. csLower := toLower(cs)
  565. clLower := toLower(cl)
  566. if prefix, ok := allowedCharsets[csLower]; ok {
  567. if clLower == "" {
  568. return true
  569. }
  570. return strings.HasPrefix(clLower, prefix)
  571. }
  572. // 如果仅提供了排序规则,尝试按排序规则前缀判断
  573. for _, prefix := range allowedCharsets {
  574. if strings.HasPrefix(clLower, prefix) {
  575. return true
  576. }
  577. }
  578. return false
  579. }
  580. // 1) 当前库默认值必须支持中文
  581. if !isChineseCapable(schemaCharset, schemaCollation) {
  582. return fmt.Errorf("当前库默认字符集/排序规则不支持中文:schema(%s/%s)。请将库设置为 utf8mb4/utf8/gbk/big5/gb18030 / Schema default charset/collation is not Chinese-capable: schema(%s/%s). Please set to utf8mb4/utf8/gbk/big5/gb18030",
  583. schemaCharset, schemaCollation, schemaCharset, schemaCollation)
  584. }
  585. // 2) 所有物理表的排序规则(隐含字符集)必须支持中文
  586. type tableInfo struct {
  587. Name string
  588. Collation *string
  589. }
  590. var tables []tableInfo
  591. if err := db.Raw("SELECT TABLE_NAME, TABLE_COLLATION FROM information_schema.TABLES WHERE TABLE_SCHEMA = DATABASE() AND TABLE_TYPE = 'BASE TABLE'").Scan(&tables).Error; err != nil {
  592. return fmt.Errorf("读取表排序规则失败 / Failed to read table collations: %v", err)
  593. }
  594. var badTables []string
  595. for _, t := range tables {
  596. // NULL 或空表示继承库默认设置,已在上面校验库默认,视为通过
  597. if t.Collation == nil || *t.Collation == "" {
  598. continue
  599. }
  600. cl := *t.Collation
  601. // 仅凭排序规则判断是否中文可用
  602. ok := false
  603. lower := strings.ToLower(cl)
  604. for _, prefix := range allowedCharsets {
  605. if strings.HasPrefix(lower, prefix) {
  606. ok = true
  607. break
  608. }
  609. }
  610. if !ok {
  611. badTables = append(badTables, fmt.Sprintf("%s(%s)", t.Name, cl))
  612. }
  613. }
  614. if len(badTables) > 0 {
  615. // 限制输出数量以避免日志过长
  616. maxShow := 20
  617. shown := badTables
  618. if len(shown) > maxShow {
  619. shown = shown[:maxShow]
  620. }
  621. return fmt.Errorf(
  622. "存在不支持中文的表,请修复其排序规则/字符集。示例(最多展示 %d 项):%v / Found tables not Chinese-capable. Please fix their collation/charset. Examples (showing up to %d): %v",
  623. maxShow, shown, maxShow, shown,
  624. )
  625. }
  626. return nil
  627. }
  628. var (
  629. lastPingTime time.Time
  630. pingMutex sync.Mutex
  631. )
  632. func PingDB() error {
  633. pingMutex.Lock()
  634. defer pingMutex.Unlock()
  635. if time.Since(lastPingTime) < time.Second*10 {
  636. return nil
  637. }
  638. sqlDB, err := DB.DB()
  639. if err != nil {
  640. log.Printf("Error getting sql.DB from GORM: %v", err)
  641. return err
  642. }
  643. err = sqlDB.Ping()
  644. if err != nil {
  645. log.Printf("Error pinging DB: %v", err)
  646. return err
  647. }
  648. lastPingTime = time.Now()
  649. common.SysLog("Database pinged successfully")
  650. return nil
  651. }