memos/store/sqlite/migration_history.go

84 lines
1.6 KiB
Go
Raw Normal View History

package sqlite
2022-05-22 00:59:22 +08:00
import (
"context"
2022-07-02 01:06:28 +08:00
"strings"
2022-05-22 00:59:22 +08:00
)
type MigrationHistory struct {
Version string
2022-05-22 00:59:22 +08:00
CreatedTs int64
}
type MigrationHistoryUpsert struct {
Version string
2022-05-22 00:59:22 +08:00
}
2022-07-02 01:06:28 +08:00
type MigrationHistoryFind struct {
Version *string
2022-07-02 01:06:28 +08:00
}
func (d *Driver) FindMigrationHistoryList(ctx context.Context, find *MigrationHistoryFind) ([]*MigrationHistory, error) {
where, args := []string{"1 = 1"}, []any{}
2022-07-02 01:06:28 +08:00
if v := find.Version; v != nil {
where, args = append(where, "version = ?"), append(args, *v)
}
2022-07-02 01:06:28 +08:00
query := `
2022-07-02 01:06:28 +08:00
SELECT
version,
created_ts
FROM
migration_history
WHERE ` + strings.Join(where, " AND ") + `
ORDER BY created_ts DESC
`
rows, err := d.db.QueryContext(ctx, query, args...)
2022-07-02 01:06:28 +08:00
if err != nil {
return nil, err
}
defer rows.Close()
list := make([]*MigrationHistory, 0)
2022-07-02 01:06:28 +08:00
for rows.Next() {
var migrationHistory MigrationHistory
if err := rows.Scan(
&migrationHistory.Version,
&migrationHistory.CreatedTs,
); err != nil {
return nil, err
}
list = append(list, &migrationHistory)
2022-07-02 01:06:28 +08:00
}
2022-08-24 21:53:12 +08:00
if err := rows.Err(); err != nil {
return nil, err
}
return list, nil
2022-07-02 01:06:28 +08:00
}
func (d *Driver) UpsertMigrationHistory(ctx context.Context, upsert *MigrationHistoryUpsert) (*MigrationHistory, error) {
stmt := `
2022-05-22 00:59:22 +08:00
INSERT INTO migration_history (
version
2022-05-22 00:59:22 +08:00
)
VALUES (?)
2022-07-01 20:08:25 +08:00
ON CONFLICT(version) DO UPDATE
SET
version=EXCLUDED.version
RETURNING version, created_ts
`
var migrationHistory MigrationHistory
if err := d.db.QueryRowContext(ctx, stmt, upsert.Version).Scan(
2022-07-01 20:08:25 +08:00
&migrationHistory.Version,
&migrationHistory.CreatedTs,
); err != nil {
return nil, err
2022-05-22 00:59:22 +08:00
}
2022-07-01 20:08:25 +08:00
return &migrationHistory, nil
2022-05-22 00:59:22 +08:00
}