-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmigration.go
429 lines (369 loc) · 9.83 KB
/
migration.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
package postgres
import (
"context"
"errors"
"hash/fnv"
"math"
"strings"
"unicode/utf8"
)
// -----------------------------------------------------------------------------
// MigrationStep contains details about the SQL sentence to execute in this step.
// Pass an empty struct to indicate the end.
type MigrationStep struct {
// Name is a user defined name for this migration step. I.e.: "v1->v2"
Name string
// The index of the SQL sentence within a named block.
SequenceNo int
// Actual SQL sentence to execute in this migration step.
Sql string
}
// MigrationStepCallback is called to get the migration step details at stepIdx position (starting from 1)
type MigrationStepCallback func(ctx context.Context, stepIdx int) (MigrationStep, error)
// -----------------------------------------------------------------------------
// CreateMigrationStepsFromSqlContent creates an array of migration steps based on the provided content
//
// The expected format is the following:
// # a comment with the step name (starting and ending spaces and dashes will be removed)
// A single SQL sentence
// (extra comment/sql sentence pairs)
func CreateMigrationStepsFromSqlContent(content string) ([]MigrationStep, error) {
steps := make([]MigrationStep, 0)
currentName := ""
currentSeqNo := 1
// Parse content
contentLen := len(content)
for ofs := 0; ofs < contentLen; {
// Check if we can ignore the current line
deltaOfs := shouldIgnoreLine(content[ofs:])
if deltaOfs > 0 {
ofs += deltaOfs
continue
}
// Is it a comment at the beginning of the line?
if content[ofs] == '#' {
// Yes, assume new zone if we are not in the middle of an sql sentence
startOfs := ofs
ofs += findEol(content[ofs:])
currentName = truncStrBytes(strings.Trim(content[startOfs:ofs], " \t-=#"), 255)
if len(currentName) == 0 {
return nil, errors.New("empty start of block comment")
}
currentSeqNo = 1
continue
}
// At this point we start to parse an SQL sentence
if len(currentName) == 0 {
return nil, errors.New("SQL sentence found outside a block")
}
currentSql := strings.Builder{}
addSpace := false
for ofs < contentLen {
deltaOfs = skipSpaces(content[ofs:])
if deltaOfs > 0 {
addSpace = true
ofs += deltaOfs
continue
}
deltaOfs = skipEol(content[ofs:])
if deltaOfs > 0 {
addSpace = true
ofs += deltaOfs
continue
}
if content[ofs] == '#' {
// We find a comment, skip until EOL
addSpace = true
ofs += 1
ofs += findEol(content[ofs:])
continue
}
if content[ofs] == ';' {
// Reached the end of the SQL sentence
if currentSql.Len() > 0 {
currentSql.WriteRune(';')
steps = append(steps, MigrationStep{
Name: currentName,
SequenceNo: currentSeqNo,
Sql: currentSql.String(),
})
// Reset
currentSql = strings.Builder{}
currentSeqNo += 1
}
addSpace = false
ofs += 1
break
}
if content[ofs] == '\'' {
// Start of a single-quote string
startOfs := ofs
ofs += 1
for {
if ofs >= contentLen {
// Open string found
return nil, errors.New("invalid SQL content (open string)")
}
r, rSize := utf8.DecodeRuneInString(content[ofs:])
if r == utf8.RuneError || rSize == 0 {
return nil, errors.New("invalid SQL content (invalid char)")
}
ofs += rSize
// Reached the end of the string or double single-quotes?
if r == '\'' {
if ofs >= contentLen || content[ofs] != '\'' {
break // End of string
}
// Double single-quotes
ofs += 1
}
}
if addSpace {
currentSql.WriteRune(' ')
addSpace = false
}
currentSql.WriteString(content[startOfs:ofs])
continue
}
if content[ofs] == '"' {
// Start of a double-quotes string
startOfs := ofs
ofs += 1
escapedCharacter := false
for {
if ofs >= contentLen {
// Open string found
return nil, errors.New("invalid SQL content (open string)")
}
r, rSize := utf8.DecodeRuneInString(content[ofs:])
if r == utf8.RuneError || rSize == 0 {
return nil, errors.New("invalid SQL content (invalid char)")
}
ofs += rSize
if escapedCharacter {
escapedCharacter = false
continue
}
// Reached the end of the string?
if r == '"' {
break
}
// Escaped character?
if r == '\\' {
escapedCharacter = true
}
}
if addSpace {
currentSql.WriteRune(' ')
addSpace = false
}
currentSql.WriteString(content[startOfs:ofs])
continue
}
if content[ofs] == '$' {
// Dollar tag
startOfs := ofs
ofs += 1
for {
if ofs >= contentLen {
return nil, errors.New("invalid SQL content (dollar tag)")
}
if content[ofs] == '$' {
ofs += 1
break
}
if !(content[ofs] == '_' || (content[ofs] >= '0' && content[ofs] <= '9') ||
(content[ofs] >= 'A' && content[ofs] <= 'Z') ||
(content[ofs] >= 'a' && content[ofs] <= 'z')) {
return nil, errors.New("invalid SQL content (dollar tag)")
}
ofs += 1
}
tag := content[startOfs:ofs]
// Find the next tag
deltaOfs = strings.Index(content[ofs:], tag)
if deltaOfs < 0 {
return nil, errors.New("invalid SQL content (open dollar tag)")
}
ofs += deltaOfs + len(tag)
if addSpace {
currentSql.WriteRune(' ')
addSpace = false
}
currentSql.WriteString(content[startOfs:ofs])
continue
}
// If we reached here, it is a single character of an sql sentence
r, rSize := utf8.DecodeRuneInString(content[ofs:])
if r == utf8.RuneError || rSize == 0 {
return nil, errors.New("invalid SQL content (invalid char)")
}
ofs += rSize
if addSpace {
currentSql.WriteRune(' ')
addSpace = false
}
currentSql.WriteRune(r)
}
// At this point we are at the end of the content or reached the end of an SQL sentence
if currentSql.Len() > 0 {
currentSql.WriteRune(';')
steps = append(steps, MigrationStep{
Name: currentName,
SequenceNo: currentSeqNo,
Sql: currentSql.String(),
})
// Reset
currentSql = strings.Builder{}
currentSeqNo += 1
}
}
// Done
return steps, nil
}
// -----------------------------------------------------------------------------
func (db *Database) RunMigrations(ctx context.Context, tableName string, cb MigrationStepCallback) error {
// Lock concurrent access from multiple instances/threads
lockId := db.getMigrationLockId(tableName)
// Quote table name
tableName = quoteIdentifier(tableName)
// We must execute migrations within a single connection
return db.WithinConn(ctx, func(ctx context.Context, conn Conn) error {
var stepIdx int32
_, err := conn.Exec(ctx, "SELECT pg_advisory_lock($1)", lockId)
if err != nil {
return err
}
defer func() {
_, _ = conn.Exec(ctx, "SELECT pg_advisory_unlock($1)", lockId)
}()
// Create migration table if it does not exist
_, err = conn.Exec(ctx,
`CREATE TABLE IF NOT EXISTS `+tableName+` (
id int NOT NULL PRIMARY KEY,
name varchar(255) NOT NULL,
sequence int NOT NULL,
executedAt timestamp NOT NULL
)`)
if err != nil {
return err
}
// Calculate the next step index to execute based on the last stored
row := conn.QueryRow(ctx, `SELECT id FROM `+tableName+` ORDER BY id DESC LIMIT 1`)
err = row.Scan(&stepIdx)
if err == nil {
stepIdx += 1
} else {
if !IsNoRowsError(err) {
return err
}
stepIdx = 1
}
// Run migrations
for {
var stepInfo MigrationStep
stepInfo, err = cb(ctx, int(stepIdx))
if err != nil {
return err
}
// If no name or sql sentence was provided, assume we finished
if len(stepInfo.Name) == 0 {
break
}
// Execute step
err = conn.WithinTx(ctx, func(ctx context.Context, tx Tx) error {
_, stepErr := tx.Exec(ctx, stepInfo.Sql)
if stepErr == nil {
_, stepErr = tx.Exec(
ctx,
`INSERT INTO `+tableName+` (id, name, sequence, executedAt) VALUES ($1, $2, $3, NOW());`,
stepIdx, stepInfo.Name, stepInfo.SequenceNo,
)
}
// Done
return stepErr
})
if err != nil {
return err
}
// Increment index
stepIdx += 1
}
// Done
return nil
})
}
func (db *Database) getMigrationLockId(tableName string) int64 {
h := fnv.New64a()
_, _ = h.Write(db.nameHash[:])
_, _ = h.Write([]byte(tableName))
return int64(h.Sum64() & math.MaxInt64)
}
func truncStrBytes(s string, maxBytes int) string {
if len(s) <= maxBytes {
return s
}
truncated := s[:maxBytes]
l := maxBytes
for l > 0 {
// Decode last rune. If it's invalid, we'll move back until we find a valid one.
r, size := utf8.DecodeLastRuneInString(truncated)
if r != utf8.RuneError {
break
}
if size == 0 {
return ""
}
// If the last rune is invalid, trim the string byte by byte until we get a valid rune.
l -= 1
truncated = truncated[:l]
}
return truncated
}
// This function returns > 0 if the line must be ignored. Ignored
func shouldIgnoreLine(s string) int {
ofs := skipSpaces(s)
if ofs >= len(s) {
return ofs // Yes
}
// End of line?
if s[ofs] == '\r' || s[ofs] == '\n' {
ofs += skipEol(s[ofs:])
return ofs // Yes
}
// Comment not at the beginning?
if s[ofs] == '#' && ofs > 0 {
ofs += findEol(s[ofs:])
ofs += skipEol(s[ofs:])
return ofs // Yes
}
// Do not skip this line
return 0
}
func findEol(s string) int {
eolOfs := strings.IndexByte(s, '\n')
if eolOfs < 0 {
eolOfs = len(s)
}
eolOfs2 := strings.IndexByte(s, '\r')
if eolOfs2 >= 0 && eolOfs2 < eolOfs {
eolOfs = eolOfs2
}
return eolOfs
}
func skipSpaces(s string) int {
count := 0
l := len(s)
for count < l && (s[count] == ' ' || s[count] == '\t') {
count += 1
}
return count
}
func skipEol(s string) int {
count := 0
l := len(s)
for count < l && (s[count] == '\r' || s[count] == '\n') {
count += 1
}
return count
}