This repository has been archived by the owner on May 31, 2022. It is now read-only.
forked from skeema/tengo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
instance_test.go
841 lines (762 loc) · 33.7 KB
/
instance_test.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
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
package tengo
import (
"database/sql"
"fmt"
"net/url"
"reflect"
"strings"
"testing"
"github.com/jmoiron/sqlx"
)
func TestNewInstance(t *testing.T) {
assertError := func(driver, dsn string) {
instance, err := NewInstance(driver, dsn)
if instance != nil || err == nil {
t.Errorf("Expected NewInstance(\"%s\", \"%s\") to return nil,err; instead found %v, %v", driver, dsn, instance, err)
}
}
assertError("btrieve", "username:password@tcp(some.host)/dbname?param=value")
assertError("", "username:password@tcp(some.host:1234)/dbname?param=value")
assertError("mysql", "username:password@tcp(some.host:1234) i like zebras")
assertInstance := func(dsn string, expectedInstance Instance) {
expectedInstance.connectionPool = make(map[string]*sqlx.DB)
instance, err := NewInstance("mysql", dsn)
if err != nil {
t.Fatalf("Unexpectedly received error %s from NewInstance(\"mysql\", \"%s\")", err, dsn)
}
expectedInstance.m = instance.m // cheat to satisfy DeepEqual
if !reflect.DeepEqual(expectedInstance, *instance) {
t.Errorf("NewInstance(\"mysql\", \"%s\"): Returned instance %#v does not match expected instance %#v", dsn, *instance, expectedInstance)
}
}
dsn := "username:password@tcp(some.host:1234)/dbname"
expected := Instance{
BaseDSN: "username:password@tcp(some.host:1234)/",
Driver: "mysql",
User: "username",
Password: "password",
Host: "some.host",
Port: 1234,
defaultParams: map[string]string{},
}
assertInstance(dsn, expected)
dsn = "username:password@tcp(1.2.3.4:3306)/?param1=value1&readTimeout=5s&interpolateParams=0"
expected = Instance{
BaseDSN: "username:password@tcp(1.2.3.4:3306)/",
Driver: "mysql",
User: "username",
Password: "password",
Host: "1.2.3.4",
Port: 3306,
defaultParams: map[string]string{
"param1": "value1",
"readTimeout": "5s",
"interpolateParams": "0",
},
}
assertInstance(dsn, expected)
dsn = "root@unix(/var/lib/mysql/mysql.sock)/dbname?param1=value1"
expected = Instance{
BaseDSN: "root@unix(/var/lib/mysql/mysql.sock)/",
Driver: "mysql",
User: "root",
Host: "localhost",
SocketPath: "/var/lib/mysql/mysql.sock",
defaultParams: map[string]string{
"param1": "value1",
},
}
assertInstance(dsn, expected)
}
func TestInstanceBuildParamString(t *testing.T) {
assertParamString := func(defaultOptions, addOptions, expectOptions string) {
t.Helper()
dsn := "username:password@tcp(1.2.3.4:3306)/"
if defaultOptions != "" {
dsn += "?" + defaultOptions
}
instance, err := NewInstance("mysql", dsn)
if err != nil {
t.Fatalf("NewInstance(\"mysql\", \"%s\") returned error: %s", dsn, err)
}
// can't compare strings directly since order may be different
result := instance.buildParamString(addOptions)
parsedResult, err := url.ParseQuery(result)
if err != nil {
t.Fatalf("url.ParseQuery(\"%s\") returned error: %s", result, err)
}
parsedExpected, err := url.ParseQuery(expectOptions)
if err != nil {
t.Fatalf("url.ParseQuery(\"%s\") returned error: %s", expectOptions, err)
}
if !reflect.DeepEqual(parsedResult, parsedExpected) {
t.Errorf("Expected param map %v, instead found %v", parsedExpected, parsedResult)
}
}
assertParamString("", "", "")
assertParamString("param1=value1", "", "param1=value1")
assertParamString("", "param1=value1", "param1=value1")
assertParamString("param1=value1", "param1=value1", "param1=value1")
assertParamString("param1=value1", "param1=hello", "param1=hello")
assertParamString("param1=value1&readTimeout=5s&interpolateParams=0", "param2=value2", "param1=value1&readTimeout=5s&interpolateParams=0¶m2=value2")
assertParamString("param1=value1&readTimeout=5s&interpolateParams=0", "param1=value3", "param1=value3&readTimeout=5s&interpolateParams=0")
}
func TestInstanceIntrospectionParams(t *testing.T) {
instance, err := NewInstance("mysql", "username:password@tcp(1.2.3.4:3306)/")
instance.valid = true // prevent calls like Flavor() from actually attempting a conn
if err != nil {
t.Fatalf("NewInstance returned unexpected error: %v", err)
}
assertParams := func(flavor Flavor, sqlMode, expectOptions string) {
t.Helper()
instance.flavor = flavor
instance.sqlMode = strings.Split(sqlMode, ",")
// can't compare strings directly since order may be different
result := instance.introspectionParams()
parsedResult, err := url.ParseQuery(result)
if err != nil {
t.Fatalf("url.ParseQuery(\"%s\") returned error: %s", result, err)
}
parsedExpected, err := url.ParseQuery(expectOptions)
if err != nil {
t.Fatalf("url.ParseQuery(\"%s\") returned error: %s", expectOptions, err)
}
if !reflect.DeepEqual(parsedResult, parsedExpected) {
t.Errorf("Expected param map %v, instead found %v", parsedExpected, parsedResult)
}
}
assertParams(FlavorMySQL57, "", "sql_quote_show_create=1")
assertParams(FlavorMySQL80, "", "sql_quote_show_create=1&information_schema_stats_expiry=0")
assertParams(FlavorMySQL57, "STRICT_TRANS_TABLES,NO_ZERO_IN_DATE,NO_ZERO_DATE", "sql_quote_show_create=1")
assertParams(FlavorPercona80, "STRICT_TRANS_TABLES,NO_ZERO_IN_DATE,NO_ZERO_DATE", "sql_quote_show_create=1&information_schema_stats_expiry=0")
assertParams(FlavorMariaDB105, "ANSI_QUOTES", "sql_quote_show_create=1&sql_mode=%27%27")
assertParams(FlavorMySQL57, "REAL_AS_FLOAT,PIPES_AS_CONCAT,ANSI_QUOTES,IGNORE_SPACE,ONLY_FULL_GROUP_BY,ANSI", "sql_quote_show_create=1&sql_mode=%27REAL_AS_FLOAT%2CPIPES_AS_CONCAT%2CIGNORE_SPACE%2CONLY_FULL_GROUP_BY%27")
assertParams(FlavorMySQL80, "NO_FIELD_OPTIONS,NO_BACKSLASH_ESCAPES,NO_KEY_OPTIONS,NO_TABLE_OPTIONS", "sql_quote_show_create=1&information_schema_stats_expiry=0&sql_mode=%27NO_BACKSLASH_ESCAPES%27")
}
func (s TengoIntegrationSuite) TestInstanceConnect(t *testing.T) {
// Connecting to invalid schema should return an error
db, err := s.d.Connect("does-not-exist", "")
if err == nil {
t.Error("err is unexpectedly nil")
} else if db != nil {
t.Error("db is unexpectedly non-nil")
}
// Connecting without specifying a default schema should be successful
db, err = s.d.Connect("", "")
if err != nil {
t.Errorf("Unexpected connection error: %s", err)
} else if db == nil {
t.Error("db is unexpectedly nil")
}
// Connecting again with same schema and params should return the existing connection pool
db2, err := s.d.Connect("", "")
if err != nil {
t.Errorf("Unexpected connection error: %s", err)
} else if db2 != db {
t.Errorf("Expected same DB pool to be returned from identical Connect call; instead db=%v and db2=%v", db, db2)
}
// Connecting again with different schema should return a different connection pool
db3, err := s.d.Connect("information_schema", "")
if err != nil {
t.Errorf("Unexpected connection error: %s", err)
} else if db3 == db {
t.Error("Expected different DB pool to be returned from Connect with different default db; instead was same")
}
// Connecting again with different params should return a different connection pool
db4, err := s.d.Connect("information_schema", "foreign_key_checks=0&wait_timeout=20")
if err != nil {
t.Errorf("Unexpected connection error: %s", err)
} else if db4 == db || db4 == db3 {
t.Error("Expected different DB pool to be returned from Connect with different params; instead was same")
}
}
func (s TengoIntegrationSuite) TestInstanceCanConnect(t *testing.T) {
// Force a connection that has defaultParams
dsn := fmt.Sprintf("%s?wait_timeout=5&timeout=1s", s.d.DSN())
inst, err := NewInstance("mysql", dsn)
if err != nil {
t.Fatalf("Unexpected error from NewInstance: %s", err)
}
if ok, err := inst.CanConnect(); !ok || err != nil {
t.Fatalf("Unexpected return from CanConnect(): %t / %s", ok, err)
}
if ok, err := inst.Valid(); !ok || err != nil {
t.Fatalf("Unexpected return from Valid(): %t / %s", ok, err)
}
// Stop the DockerizedInstance and confirm CanConnect result matches
// expectation
if err := s.d.Stop(); err != nil {
t.Fatalf("Failed to Stop instance: %s", err)
}
ok, connErr := inst.CanConnect()
valid, validErr := inst.Valid()
if err := s.d.Start(); err != nil {
t.Fatalf("Failed to re-Start() instance: %s", err)
}
if err := s.d.TryConnect(); err != nil {
t.Fatalf("Failed to reconnect after restarting instance: %s", err)
}
if ok || connErr == nil {
t.Errorf("Unexpected return from TryConnect(): %t / %s", ok, connErr)
}
if !valid || validErr != nil { // Instance is still considered Valid since it was reachable earlier
t.Errorf("Unexpected return from Valid(): %t / %s", ok, connErr)
}
}
func (s TengoIntegrationSuite) TestInstanceValid(t *testing.T) {
if ok, err := s.d.Valid(); !ok || err != nil {
t.Fatalf("Valid() unexpectedly returned %t / %v", ok, err)
}
dsn := s.d.DSN()
dsn = strings.Replace(dsn, s.d.Password, "wrongpass", 1)
inst, err := NewInstance("mysql", dsn)
if err != nil {
t.Fatalf("Unexpected error from NewInstance: %s", err)
}
if ok, err := inst.Valid(); ok || err == nil {
t.Fatalf("Valid() unexpectedly returned %t / %v despite wrong password", ok, err)
}
inst, err = NewInstance("mysql", s.d.DSN())
if err != nil {
t.Fatalf("Unexpected error from NewInstance: %s", err)
}
if ok, err := inst.Valid(); !ok || err != nil {
t.Fatalf("Valid() unexpectedly returned %t / %v", ok, err)
}
}
func (s TengoIntegrationSuite) TestInstanceCloseAll(t *testing.T) {
makePool := func(defaultSchema, params string) {
t.Helper()
db, err := s.d.Connect(defaultSchema, params)
if err != nil {
t.Fatalf("Unexpected connection error: %s", err)
} else if db == nil {
t.Fatal("db is unexpectedly nil")
}
}
assertPoolCount := func(expected int) {
t.Helper()
if actual := len(s.d.Instance.connectionPool); actual != expected {
t.Errorf("Expected instance to have %d connection pools; instead found %d", expected, actual)
}
}
s.d.CloseAll()
assertPoolCount(0)
makePool("", "")
makePool("information_schema", "")
assertPoolCount(2)
s.d.CloseAll()
assertPoolCount(0)
makePool("", "")
assertPoolCount(1)
}
func (s TengoIntegrationSuite) TestInstanceFlavorVersion(t *testing.T) {
imageToFlavor := map[string]Flavor{
"mysql:5.5": FlavorMySQL55,
"mysql:5.6": FlavorMySQL56,
"mysql:5.7": FlavorMySQL57,
"mysql:8.0": FlavorMySQL80,
"percona:5.5": FlavorPercona55,
"percona:5.6": FlavorPercona56,
"percona:5.7": FlavorPercona57,
"percona:8.0": FlavorPercona80,
"mariadb:10.1": FlavorMariaDB101,
"mariadb:10.2": FlavorMariaDB102,
"mariadb:10.3": FlavorMariaDB103,
"mariadb:10.4": FlavorMariaDB104,
"mariadb:10.5": FlavorMariaDB105,
"mariadb:10.6": FlavorMariaDB106,
}
// Determine expected Flavor value of the Dockerized instance being tested
var expected Flavor
if result, ok := imageToFlavor[s.d.Image]; ok {
expected = result
} else {
for image, result := range imageToFlavor {
tokens := strings.SplitN(image, ":", 2)
if len(tokens) < 2 {
continue
}
repository, tag := tokens[0], tokens[1]
if strings.Contains(s.d.Image, repository) && strings.Contains(s.d.Image, tag) {
expected = result
break
}
}
}
if expected == FlavorUnknown {
t.Skip("SKIPPING TEST - no image map defined for", s.d.Image)
}
actualFlavor := s.d.Flavor()
if actualFlavor.Family() != expected {
t.Errorf("Expected image=%s to yield flavor=%s, instead found %s", s.d.Image, expected, actualFlavor.Family())
}
if actualMajor, actualMinor, _ := s.d.Version(); actualMajor != expected.Major || actualMinor != expected.Minor {
t.Errorf("Expected image=%s to yield major=%d minor=%d, instead found major=%d minor=%d", s.d.Image, expected.Major, expected.Minor, actualMajor, actualMinor)
}
// Confirm that SetFlavor does not work once flavor hydrated
if err := s.d.SetFlavor(FlavorMariaDB102); err == nil {
t.Error("Expected SetFlavor to return an error, but it was nil")
}
// Nuke the hydrated flavor, and confirm SetFlavor now works
s.d.ForceFlavor(FlavorUnknown)
if err := s.d.SetFlavor(expected); err != nil || s.d.Flavor() != expected {
t.Errorf("Unexpected outcome from SetFlavor: error=%v, flavor=%s", err, s.d.Flavor())
}
s.d.ForceFlavor(actualFlavor)
}
func (s TengoIntegrationSuite) TestInstanceCanSkipBinlog(t *testing.T) {
// The dockerized instance in the test should always use root creds
if !s.d.CanSkipBinlog() {
t.Fatal("Expected all Dockerized instances to be able to skip binlogs, but CanSkipBinlogs returned false")
}
if _, err := s.d.Connect("", "sql_log_bin=0"); err != nil {
t.Errorf("Error connecting with sql_log_bin=0: %v", err)
}
// Next, we'll manipulate the value of the hydrated grants. But first defer
// a func to nuke the cached grants, to ensure any future tests will re-hydrate
// the true value properly.
defer func() { s.d.grants = nil }()
// Empty grants should cause the method to return false
s.d.grants = []string{}
if s.d.CanSkipBinlog() {
t.Error("Expected empty grants to cause CanSkipBinlogs to return false, but it did not")
}
// This set of grants should not contain anything causing the method to return true
noBinlogSkipGrants := []string{
"GRANT USAGE ON *.* TO `foo`@`%`",
"GRANT SELECT, INSERT, UPDATE, DELETE, CREATE, DROP, RELOAD, SHUTDOWN, PROCESS, FILE, REFERENCES, INDEX, ALTER, SHOW DATABASES, CREATE TEMPORARY TABLES, LOCK TABLES, EXECUTE, REPLICATION SLAVE, REPLICATION CLIENT, CREATE VIEW, SHOW VIEW, CREATE ROUTINE, ALTER ROUTINE, CREATE USER, EVENT, TRIGGER, CREATE TABLESPACE, CREATE ROLE, DROP ROLE ON *.* TO `foo`@`%`",
"GRANT APPLICATION_PASSWORD_ADMIN,AUDIT_ADMIN,BACKUP_ADMIN,BINLOG_ADMIN,BINLOG_ENCRYPTION_ADMIN,CLONE_ADMIN,CONNECTION_ADMIN,ENCRYPTION_KEY_ADMIN,GROUP_REPLICATION_ADMIN,INNODB_REDO_LOG_ARCHIVE,PERSIST_RO_VARIABLES_ADMIN,REPLICATION_APPLIER,REPLICATION_SLAVE_ADMIN,RESOURCE_GROUP_ADMIN,RESOURCE_GROUP_USER,ROLE_ADMIN,SERVICE_CONNECTION_ADMIN,SET_USER_ID,SYSTEM_USER,TABLE_ENCRYPTION_ADMIN,XA_RECOVER_ADMIN ON *.* TO `foo`@`%`",
"GRANT ALL PRIVILEGES ON `blarg`.* TO `foo`@`%`",
"GRANT PROXY ON ''@'' TO 'foo'@'%' WITH GRANT OPTION",
}
s.d.grants = noBinlogSkipGrants
if s.d.CanSkipBinlog() {
t.Fatal("Expected CanSkipBinlogs to return false with only noBinlogSkipGrants, but it did not")
}
// Any of these grants should be sufficient for the method to return true
binlogSkipGrants := []string{
"GRANT ALL PRIVILEGES ON *.* TO `foo`@`%`",
"GRANT SELECT, INSERT, UPDATE, DELETE, CREATE, DROP, RELOAD, SHUTDOWN, PROCESS, FILE, REFERENCES, INDEX, ALTER, SHOW DATABASES, SUPER, CREATE TEMPORARY TABLES, LOCK TABLES, EXECUTE, REPLICATION SLAVE, REPLICATION CLIENT, CREATE VIEW, SHOW VIEW, CREATE ROUTINE, ALTER ROUTINE, CREATE USER, EVENT, TRIGGER, CREATE TABLESPACE, CREATE ROLE, DROP ROLE ON *.* TO `foo`@`%`",
"GRANT APPLICATION_PASSWORD_ADMIN,AUDIT_ADMIN,BACKUP_ADMIN,BINLOG_ADMIN,BINLOG_ENCRYPTION_ADMIN,CLONE_ADMIN,CONNECTION_ADMIN,ENCRYPTION_KEY_ADMIN,GROUP_REPLICATION_ADMIN,INNODB_REDO_LOG_ARCHIVE,PERSIST_RO_VARIABLES_ADMIN,REPLICATION_APPLIER,REPLICATION_SLAVE_ADMIN,RESOURCE_GROUP_ADMIN,RESOURCE_GROUP_USER,ROLE_ADMIN,SERVICE_CONNECTION_ADMIN,SESSION_VARIABLES_ADMIN,SET_USER_ID,SYSTEM_USER,SYSTEM_VARIABLES_ADMIN,TABLE_ENCRYPTION_ADMIN,XA_RECOVER_ADMIN ON *.* TO `foo`@`%`",
"GRANT BINLOG ADMIN ON *.* TO 'foo'@'%'", // MariaDB 10.5+, not to be confused with MySQL 8.0's BINLOG_ADMIN with an underscore!
"GRANT SUPER ON *.* TO 'foo'@'%'",
}
for n, grant := range binlogSkipGrants {
s.d.grants = []string{}
s.d.grants = append(s.d.grants, noBinlogSkipGrants...)
s.d.grants = append(s.d.grants, grant)
if !s.d.CanSkipBinlog() {
t.Errorf("Expected binlogSkipGrants[%d] to cause CanSkipBinlogs to return true, but it did not", n)
}
}
}
func (s TengoIntegrationSuite) TestInstanceSchemas(t *testing.T) {
assertSame := func(s1, s2 *Schema) {
t.Helper()
if s1.Name != s2.Name {
t.Errorf("Schema names do not match: %q vs %q", s1.Name, s2.Name)
} else {
diff := s1.Diff(s2)
if diffCount := len(diff.ObjectDiffs()); diffCount > 0 {
t.Errorf("Schemas do not match: %d object diffs found", diffCount)
}
}
}
// Currently at least 4 schemas in testdata/integration.sql
schemas, err := s.d.Schemas()
if err != nil || len(schemas) < 4 {
t.Errorf("Expected at least 4 schemas, instead found %d, err=%s", len(schemas), err)
}
// Ensure SchemasByName is returning the same set of schemas
byName, err := s.d.SchemasByName()
if err != nil {
t.Errorf("SchemasByName returned error: %s", err)
} else if len(byName) != len(schemas) {
t.Errorf("len(byName) != len(schemas): %d vs %d", len(byName), len(schemas))
}
seen := make(map[string]bool, len(byName))
for _, schema := range schemas {
if seen[schema.Name] {
t.Errorf("Schema %s returned multiple times from call to instance.Schemas", schema.Name)
}
seen[schema.Name] = true
assertSame(schema, byName[schema.Name])
if schema2, err := s.d.Schema(schema.Name); err != nil {
t.Errorf("Unexpected error from Schema(%q): %v", schema.Name, err)
} else {
assertSame(schema, schema2)
}
if has, err := s.d.HasSchema(schema.Name); !has || err != nil {
t.Errorf("Expected HasSchema(%s)==true, instead found false / %v", schema.Name, err)
}
}
// Test SchemasByName with args
byName, err = s.d.SchemasByName("testcharset", "doesnt_exist", "testcharcoll")
if err != nil {
t.Errorf("SchemasByName returned error: %s", err)
}
if len(byName) != 2 {
t.Errorf("SchemasByName returned wrong number of results; expected 2, found %d", len(byName))
}
for name, schema := range byName {
if name != schema.Name || (name != "testcharset" && name != "testcharcoll") {
t.Errorf("SchemasByName returned mismatching schema: key=%s, name=%s", name, schema.Name)
}
}
// Test negative responses
if has, err := s.d.HasSchema("doesnt_exist"); has || err != nil {
t.Error("HasSchema(doesnt_exist) unexpectedly returning true")
}
if schema, err := s.d.Schema("doesnt_exist"); schema != nil || err != sql.ErrNoRows {
t.Errorf("Expected Schema(doesnt_exist) to return nil,sql.ErrNoRows; instead found %v,%s", schema, err)
}
}
func (s TengoIntegrationSuite) TestInstanceShowCreateTable(t *testing.T) {
t1create, err1 := s.d.ShowCreateTable("testing", "actor")
t2create, err2 := s.d.ShowCreateTable("testing", "actor_in_film")
t4create, err4 := s.d.ShowCreateTable("testing", "actor_spatial")
if err1 != nil || err2 != nil || err4 != nil || t1create == "" || t2create == "" {
t.Fatalf("Unable to obtain SHOW CREATE TABLE output: err1=%s, err2=%s, err4=%s", err1, err2, err4)
}
// 8.0.24+ hacky handling for utf8mb3 conversion at table level
if s.d.Flavor().MySQLishMinVersion(8, 0, 24) {
t1create = strings.Replace(t1create, "ENGINE=InnoDB DEFAULT CHARSET=utf8mb3", "ENGINE=InnoDB DEFAULT CHARSET=utf8", 1)
}
t1expected := aTableForFlavor(s.d.Flavor(), 1)
if t1create != t1expected.CreateStatement {
t.Errorf("Mismatch for SHOW CREATE TABLE\nActual return from %s:\n%s\n----------\nExpected output: %s", s.d.Image, t1create, t1expected.CreateStatement)
}
t2expected := anotherTableForFlavor(s.d.Flavor())
if t2create != t2expected.CreateStatement {
t.Errorf("Mismatch for SHOW CREATE TABLE\nActual return from %s:\n%s\n----------\nExpected output: %s", s.d.Image, t2create, t2expected.CreateStatement)
}
// Test nonexistent table
t3create, err3 := s.d.ShowCreateTable("testing", "doesnt_exist")
if t3create != "" || err3 == nil {
t.Errorf("Expected ShowCreateTable on invalid table to return empty string and error, instead err=%s, output=%s", err3, t3create)
}
t4expected := spatialTableForFlavor(s.d.Flavor())
if t4create != t4expected.CreateStatement {
t.Errorf("Mismatch for SHOW CREATE TABLE\nActual return from %s:\n%s\n----------\nExpected output: %s", s.d.Image, t4create, t4expected.CreateStatement)
}
}
func (s TengoIntegrationSuite) TestInstanceTableSize(t *testing.T) {
size, err := s.d.TableSize("testing", "has_rows")
if err != nil {
t.Errorf("Error from TableSize: %s", err)
} else if size < 1 {
t.Errorf("TableSize returned a non-positive result: %d", size)
}
// Test nonexistent table
size, err = s.d.TableSize("testing", "doesnt_exist")
if size > 0 || err == nil {
t.Errorf("Expected TableSize to return 0 size and non-nil err for missing table, instead size=%d and err=%s", size, err)
}
}
func (s TengoIntegrationSuite) TestInstanceTableHasRows(t *testing.T) {
if hasRows, err := s.d.TableHasRows("testing", "has_rows"); err != nil {
t.Errorf("Error from TableHasRows: %s", err)
} else if !hasRows {
t.Error("Expected TableHasRows to return true for has_rows, instead returned false")
}
if hasRows, err := s.d.TableHasRows("testing", "no_rows"); err != nil {
t.Errorf("Error from TableHasRows: %s", err)
} else if hasRows {
t.Error("Expected TableHasRows to return false for no_rows, instead returned true")
}
// Test nonexistent table
if _, err := s.d.TableHasRows("testing", "doesnt_exist"); err == nil {
t.Error("Expected TableHasRows to return error for nonexistent table, but it did not")
}
}
func (s TengoIntegrationSuite) TestInstanceCreateSchema(t *testing.T) {
opts := SchemaCreationOptions{
DefaultCharSet: "utf8mb4",
DefaultCollation: "utf8mb4_unicode_ci",
SkipBinlog: true,
}
_, err := s.d.CreateSchema("foobar", opts)
if err != nil {
t.Fatalf("CreateSchema returned unexpected error: %s", err)
}
if refetch, err := s.d.Schema("foobar"); err != nil {
t.Errorf("Unable to fetch newly created schema: %s", err)
} else if refetch.CharSet != "utf8mb4" || refetch.Collation != "utf8mb4_unicode_ci" {
t.Errorf("Unexpected charset or collation on refetched schema: %+v", refetch)
}
// Ensure creation of duplicate schema fails with error
if _, err := s.d.CreateSchema("foobar", opts); err == nil {
t.Error("Expected creation of duplicate schema to return an error, but it did not")
}
// Creation of schema without specifying charset and collation should use
// instance defaults
defCharSet, defCollation, err := s.d.DefaultCharSetAndCollation()
if err != nil {
t.Fatalf("Unable to obtain instance default charset and collation")
}
if schema, err := s.d.CreateSchema("barfoo", SchemaCreationOptions{}); err != nil {
t.Errorf("Failed to create schema with default charset and collation: %s", err)
} else if schema.CharSet != defCharSet || schema.Collation != defCollation {
t.Errorf("Expected charset/collation to be %s/%s, instead found %s/%s", defCharSet, defCollation, schema.CharSet, schema.Collation)
}
}
func (s TengoIntegrationSuite) TestInstanceDropSchema(t *testing.T) {
opts := BulkDropOptions{
MaxConcurrency: 10,
OnlyIfEmpty: true,
PartitionsFirst: true,
}
// Dropping a schema with non-empty tables when OnlyIfEmpty==true should fail
if err := s.d.DropSchema("testing", opts); err == nil {
t.Error("Expected dropping a schema with tables to fail when OnlyIfEmpty==true, but it did not")
}
// Dropping a schema without tables when OnlyIfEmpty==true should succeed
if err := s.d.DropSchema("testcollate", opts); err != nil {
t.Errorf("Expected dropping a schema without tables to succeed when OnlyIfEmpty==true, but error=%s", err)
}
// Dropping a schema with only empty tables when OnlyIfEmpty==true should succeed
if err := s.d.DropSchema("testcharcoll", opts); err != nil {
t.Errorf("Expected dropping a schema with only empty tables to succeed when OnlyIfEmpty==true, but error=%s", err)
}
// Dropping a schema with non-empty tables when OnlyIfEmpty==false should succeed
opts.OnlyIfEmpty = false
if err := s.d.DropSchema("testing", opts); err != nil {
t.Errorf("Expected dropping a schema with tables to succeed when OnlyIfEmpty==false, but error=%s", err)
}
// Dropping a schema that doesn't exist should fail
if err := s.d.DropSchema("testing", opts); err == nil {
t.Error("Expected dropping a nonexistent schema to fail, but error was nil")
}
}
func (s TengoIntegrationSuite) TestInstanceDropViewsInSchemaByRef(t *testing.T) {
schema := s.GetSchema(t, "testing")
if len(schema.Views) == 0 {
t.Fatal("Assertion failure: schema `testing` has no tables to start")
}
opts := BulkDropOptions{
MaxConcurrency: 10,
SkipBinlog: true,
Schema: schema,
}
if err := s.d.DropViewsInSchema("testing", opts); err != nil {
t.Fatalf("Unexpected error from DropViewsInSchema: %v", err)
}
if schema = s.GetSchema(t, "testing"); len(schema.Views) > 0 {
t.Errorf("Expected schema `testing` to have no tables after DropViewsInSchema, instead found %d", len(schema.Views))
}
// Repeated call SHOULD error, because the tables in schema.Views no
// longer exist!
if err := s.d.DropViewsInSchema("testing", opts); err == nil {
t.Error("Expected error from DropViewsInSchema, but return was nil")
}
}
func (s TengoIntegrationSuite) TestInstanceDropTablesInSchemaByRef(t *testing.T) {
schema := s.GetSchema(t, "testing")
if len(schema.Tables) == 0 {
t.Fatal("Assertion failure: schema `testing` has no tables to start")
}
opts := BulkDropOptions{
MaxConcurrency: 10,
SkipBinlog: true,
Schema: schema,
}
if err := s.d.DropTablesInSchema("testing", opts); err != nil {
t.Fatalf("Unexpected error from DropTablesInSchema: %v", err)
}
if schema = s.GetSchema(t, "testing"); len(schema.Tables) > 0 {
t.Errorf("Expected schema `testing` to have no tables after DropTablesInSchema, instead found %d", len(schema.Tables))
}
// Repeated call SHOULD error, because the tables in schema.Tables no
// longer exist!
if err := s.d.DropTablesInSchema("testing", opts); err == nil {
t.Error("Expected error from DropTablesInSchema, but return was nil")
}
}
func (s TengoIntegrationSuite) TestInstanceDropTablesDeadlock(t *testing.T) {
// With the new data dictionary, attempting to drop 2 tables concurrently can
// deadlock if the tables have a foreign key constraint between them. This
// deadlock did not occur in prior releases.
if !s.d.Flavor().HasDataDictionary() {
t.Skip("Test only relevant for flavors that have the new data dictionary")
}
db, err := s.d.Connect("", "foreign_key_checks=0")
if err != nil {
t.Fatalf("Unable to connect to DockerizedInstance: %s", err)
}
// Add a FK relation, drop all tables in the schema, and then restore the
// test database to its previous state. Without the fix in DropTablesInSchema,
// this tends to hit a deadlock within just a few loop iterations.
opts := BulkDropOptions{MaxConcurrency: 10, SkipBinlog: true}
for n := 0; n < 10; n++ {
_, err = db.Exec("ALTER TABLE testing.actor_in_film ADD CONSTRAINT actor FOREIGN KEY (actor_id) REFERENCES testing.actor (actor_id)")
if err != nil {
t.Fatalf("Error running query on DockerizedInstance: %s", err)
}
if err = s.d.DropTablesInSchema("testing", opts); err != nil {
t.Fatalf("Error dropping tables: %s", err)
}
if err = s.BeforeTest(""); err != nil {
t.Fatalf("Error nuking and re-sourcing data: %s", err)
}
}
}
// TestInstanceDropTablesSkipsViews tests the behavior of
// Instance.DropTablesInSchema when views are present in the schema. Although
// this package does not support views, presence of them should not break
// behavior. This test also confirms some assumptions regarding views and
// information_schema.partitions for the current flavor.
func (s TengoIntegrationSuite) TestInstanceDropTablesSkipsViews(t *testing.T) {
// Create two views, including one with an invalid DEFINER, which intentionally
// prevents queries on the view from working.
if _, err := s.d.SourceSQL("testdata/views.sql"); err != nil {
t.Fatalf("Unexpected error sourcing testdata/views.sql: %v", err)
}
// Confirm I_S assumptions present in logic similar to tablesToPartitions:
// no views there except in MySQL 8 / PS 8; if views are there, they have
// data_length 0.
// Explicit AS clauses needed for compatibility with MySQL 8 data dictionary,
// otherwise results come back with uppercase col names, breaking Select
var partitions []struct {
TableName string `db:"table_name"`
DataLength int64 `db:"data_length"`
}
query := `
SELECT p.table_name AS table_name,
p.data_length AS data_length
FROM information_schema.partitions p
WHERE p.table_schema = 'testing' AND
p.table_name LIKE 'view%'`
db, err := s.d.Connect("", "")
if err != nil {
t.Fatalf("Unexpected error obtaining connection pool: %v", err)
}
if err := db.Select(&partitions, query); err != nil {
t.Fatalf("Unexpected error querying information_schema.partitions: %v", err)
}
if flavor := s.d.Flavor(); flavor.HasDataDictionary() {
if len(partitions) != 2 {
t.Fatalf("Expected flavor %s to have 2 views present in information_schema.partitions; instead found %d", flavor, len(partitions))
}
for _, part := range partitions {
if part.DataLength != 0 {
t.Fatalf("Expected view %s to have data_length of 0, instead found %d", part.TableName, part.DataLength)
}
}
} else if len(partitions) != 0 {
t.Fatalf("Expected flavor %s to have no views present in information_schema.partitions; instead found %d", flavor, len(partitions))
}
// Now drop all tables in testing, and confirm this does not return an error.
// If views weren't ignored, there are two ways this could error: DROP TABLE
// will error on a view; and even before that, since we use OnlyIfEmpty, the
// SELECT on a view with a bad definer will also error.
opts := BulkDropOptions{
MaxConcurrency: 10,
OnlyIfEmpty: true,
PartitionsFirst: true,
}
if err := s.d.DropTablesInSchema("testing", opts); err != nil {
t.Errorf("Unexpected error from DropTablesInSchema with views present: %v", err)
}
}
func (s TengoIntegrationSuite) TestInstanceDropRoutinesInSchema(t *testing.T) {
// testing schema contains several routines in testdata/integration.sql
schema := s.GetSchema(t, "testing")
if len(schema.Routines) == 0 {
t.Fatal("Assertion failure: schema `testing` has no routines to start")
}
opts := BulkDropOptions{
MaxConcurrency: 10,
SkipBinlog: true,
}
if err := s.d.DropRoutinesInSchema("testing", opts); err != nil {
t.Fatalf("Unexpected error from DropRoutinesInSchema: %v", err)
}
if schema = s.GetSchema(t, "testing"); len(schema.Routines) > 0 {
t.Errorf("Expected schema `testing` to have no routines after DropRoutinesInSchema, instead found %d", len(schema.Routines))
}
// Repeated calls should have no effect, no error.
if err := s.d.DropRoutinesInSchema("testing", opts); err != nil {
t.Errorf("Unexpected error from DropRoutinesInSchema: %v", err)
}
// Calling on a nonexistent schema name should return an error.
if err := s.d.DropRoutinesInSchema("doesntexist", opts); err == nil {
t.Error("Expected error from DropRoutinesInSchema on nonexistent schema; instead err was nil")
}
}
func (s TengoIntegrationSuite) TestInstanceDropRoutinesInSchemaByRef(t *testing.T) {
// testing schema contains several routines in testdata/integration.sql
schema := s.GetSchema(t, "testing")
if len(schema.Routines) == 0 {
t.Fatal("Assertion failure: schema `testing` has no routines to start")
}
opts := BulkDropOptions{
MaxConcurrency: 10,
SkipBinlog: true,
Schema: schema,
}
if err := s.d.DropRoutinesInSchema("testing", opts); err != nil {
t.Fatalf("Unexpected error from DropRoutinesInSchema: %v", err)
}
if schema = s.GetSchema(t, "testing"); len(schema.Routines) > 0 {
t.Errorf("Expected schema `testing` to have no routines after DropRoutinesInSchema, instead found %d", len(schema.Routines))
}
// Repeated call SHOULD error, because the routines in schema.Routines no
// longer exist!
if err := s.d.DropRoutinesInSchema("testing", opts); err == nil {
t.Error("Expected error from DropRoutinesInSchema, but return was nil")
}
}
func (s TengoIntegrationSuite) TestInstanceAlterSchema(t *testing.T) {
assertNoError := func(schemaName, newCharSet, newCollation, expectCharSet, expectCollation string) {
t.Helper()
opts := SchemaCreationOptions{
DefaultCharSet: newCharSet,
DefaultCollation: newCollation,
}
if err := s.d.AlterSchema(schemaName, opts); err != nil {
t.Errorf("Expected alter of %s to (%s,%s) would not error, but returned %s", schemaName, newCharSet, newCollation, err)
} else {
schema, err := s.d.Schema(schemaName)
if err != nil {
t.Fatalf("Unexpected error fetching schema: %s", err)
}
if schema.CharSet != expectCharSet {
t.Errorf("Expected post-alter charset to be %s, instead found %s", expectCharSet, schema.CharSet)
}
if schema.Collation != expectCollation {
t.Errorf("Expected post-alter collation to be %s, instead found %s", expectCollation, schema.Collation)
}
}
}
assertError := func(schemaName, newCharSet, newCollation string) {
t.Helper()
opts := SchemaCreationOptions{
DefaultCharSet: newCharSet,
DefaultCollation: newCollation,
}
if err := s.d.AlterSchema(schemaName, opts); err == nil {
t.Errorf("Expected alter of %s to (%s,%s) would return error, but returned nil instead", schemaName, newCharSet, newCollation)
}
}
instCharSet, instCollation, err := s.d.DefaultCharSetAndCollation()
if err != nil {
t.Fatalf("Unable to fetch instance default charset and collation: %s", err)
}
// `testing` has instance-default charset and collation
// `testcharset` has utf8mb4 charset with its default collation (utf8mb4_general_ci)
// `testcharcoll` has utf8mb4 with utf8mb4_unicode_ci
// Test no-op conditions
assertNoError("testing", "", "", instCharSet, instCollation)
assertNoError("testcharset", "utf8mb4", "", "utf8mb4", s.d.Flavor().DefaultUtf8mb4Collation())
assertNoError("testcharset", "", "utf8mb4_general_ci", "utf8mb4", "utf8mb4_general_ci")
assertNoError("testcharcoll", "utf8mb4", "utf8mb4_unicode_ci", "utf8mb4", "utf8mb4_unicode_ci")
// Test known error conditions
assertError("testing", "badcharset", "badcollation") // charset and collation are invalid
assertError("testcharset", "utf8", "latin1_swedish_ci") // charset and collation do not match
assertError("nonexistent", "utf8mb4", "") // schema does not actually exist in instance
// Test successful alters
assertNoError("testcharset", "", "utf8mb4_unicode_ci", "utf8mb4", "utf8mb4_unicode_ci")
assertNoError("testcharcoll", "latin1", "", "latin1", "latin1_swedish_ci")
assertNoError("testing", "utf8mb4", "utf8mb4_general_ci", "utf8mb4", "utf8mb4_general_ci")
}