-
Notifications
You must be signed in to change notification settings - Fork 903
/
Copy pathclient_test.go
1281 lines (1152 loc) · 42.3 KB
/
client_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
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright (C) MongoDB, Inc. 2017-present.
//
// Licensed under the Apache License, Version 2.0 (the "License"); you may
// not use this file except in compliance with the License. You may obtain
// a copy of the License at http://www.apache.org/licenses/LICENSE-2.0
package integration
import (
"context"
"fmt"
"net"
"os"
"reflect"
"strings"
"sync"
"testing"
"time"
"go.mongodb.org/mongo-driver/v2/bson"
"go.mongodb.org/mongo-driver/v2/event"
"go.mongodb.org/mongo-driver/v2/internal/assert"
"go.mongodb.org/mongo-driver/v2/internal/eventtest"
"go.mongodb.org/mongo-driver/v2/internal/failpoint"
"go.mongodb.org/mongo-driver/v2/internal/handshake"
"go.mongodb.org/mongo-driver/v2/internal/integration/mtest"
"go.mongodb.org/mongo-driver/v2/internal/integtest"
"go.mongodb.org/mongo-driver/v2/internal/require"
"go.mongodb.org/mongo-driver/v2/mongo"
"go.mongodb.org/mongo-driver/v2/mongo/options"
"go.mongodb.org/mongo-driver/v2/mongo/readpref"
"go.mongodb.org/mongo-driver/v2/mongo/writeconcern"
"go.mongodb.org/mongo-driver/v2/x/bsonx/bsoncore"
"go.mongodb.org/mongo-driver/v2/x/mongo/driver"
"go.mongodb.org/mongo-driver/v2/x/mongo/driver/wiremessage"
"golang.org/x/sync/errgroup"
)
var noClientOpts = mtest.NewOptions().CreateClient(false)
type negateCodec struct {
ID int64 `bson:"_id"`
}
func (e *negateCodec) EncodeValue(_ bson.EncodeContext, vw bson.ValueWriter, val reflect.Value) error {
return vw.WriteInt64(val.Int())
}
// DecodeValue negates the value of ID when reading
func (e *negateCodec) DecodeValue(_ bson.DecodeContext, vr bson.ValueReader, val reflect.Value) error {
i, err := vr.ReadInt64()
if err != nil {
return err
}
val.SetInt(i * -1)
return nil
}
type intKey int
func (i intKey) MarshalKey() (string, error) {
return fmt.Sprintf("key_%d", i), nil
}
var _ options.ContextDialer = &slowConnDialer{}
// A slowConnDialer dials connections that delay network round trips by the given delay duration.
type slowConnDialer struct {
dialer *net.Dialer
delay time.Duration
}
var slowConnDialerDelay = 300 * time.Millisecond
var reducedHeartbeatInterval = 500 * time.Millisecond
func newSlowConnDialer(delay time.Duration) *slowConnDialer {
return &slowConnDialer{
dialer: &net.Dialer{},
delay: delay,
}
}
func (scd *slowConnDialer) DialContext(ctx context.Context, network, address string) (net.Conn, error) {
conn, err := scd.dialer.DialContext(ctx, network, address)
if err != nil {
return nil, err
}
return &slowConn{
Conn: conn,
delay: scd.delay,
}, nil
}
var _ net.Conn = &slowConn{}
// slowConn is a net.Conn that delays all calls to Read() by given delay durations. All other
// net.Conn functions behave identically to the embedded net.Conn.
type slowConn struct {
net.Conn
delay time.Duration
}
func (sc *slowConn) Read(b []byte) (n int, err error) {
time.Sleep(sc.delay)
return sc.Conn.Read(b)
}
func TestClient(t *testing.T) {
mt := mtest.New(t, noClientOpts)
reg := bson.NewRegistry()
reg.RegisterTypeEncoder(reflect.TypeOf(int64(0)), &negateCodec{})
reg.RegisterTypeDecoder(reflect.TypeOf(int64(0)), &negateCodec{})
registryOpts := options.Client().
SetRegistry(reg)
mt.RunOpts("registry passed to cursors", mtest.NewOptions().ClientOptions(registryOpts), func(mt *mtest.T) {
_, err := mt.Coll.InsertOne(context.Background(), negateCodec{ID: 10})
assert.Nil(mt, err, "InsertOne error: %v", err)
var got negateCodec
err = mt.Coll.FindOne(context.Background(), bson.D{}).Decode(&got)
assert.Nil(mt, err, "Find error: %v", err)
assert.Equal(mt, int64(-10), got.ID, "expected ID -10, got %v", got.ID)
})
mt.RunOpts("tls connection", mtest.NewOptions().MinServerVersion("3.0").SSL(true), func(mt *mtest.T) {
var result bson.Raw
err := mt.Coll.Database().RunCommand(context.Background(), bson.D{
{"serverStatus", 1},
}).Decode(&result)
assert.Nil(mt, err, "serverStatus error: %v", err)
security := result.Lookup("security")
assert.Equal(mt, bson.TypeEmbeddedDocument, security.Type,
"expected security field to be type %v, got %v", bson.TypeMaxKey, security.Type)
_, found := security.Document().LookupErr("SSLServerSubjectName")
assert.Nil(mt, found, "SSLServerSubjectName not found in result")
})
mt.RunOpts("x509", mtest.NewOptions().Auth(true).SSL(true), func(mt *mtest.T) {
testCases := []struct {
certificate string
password string
}{
{
"MONGO_GO_DRIVER_KEY_FILE",
"",
},
{
"MONGO_GO_DRIVER_PKCS8_ENCRYPTED_KEY_FILE",
"&sslClientCertificateKeyPassword=password",
},
{
"MONGO_GO_DRIVER_PKCS8_UNENCRYPTED_KEY_FILE",
"",
},
}
for _, tc := range testCases {
mt.Run(tc.certificate, func(mt *mtest.T) {
const user = "C=US,ST=New York,L=New York City,O=MDB,OU=Drivers,CN=client"
db := mt.Client.Database("$external")
// We don't care if the user doesn't already exist.
_ = db.RunCommand(
context.Background(),
bson.D{{"dropUser", user}},
)
err := db.RunCommand(
context.Background(),
bson.D{
{"createUser", user},
{"roles", bson.A{
bson.D{{"role", "readWrite"}, {"db", "test"}},
}},
},
).Err()
assert.Nil(mt, err, "createUser error: %v", err)
baseConnString := mtest.ClusterURI()
// remove username/password from base conn string
revisedConnString := "mongodb://"
split := strings.Split(baseConnString, "@")
assert.Equal(t, 2, len(split), "expected 2 parts after split, got %v (connstring %v)", split, baseConnString)
revisedConnString += split[1]
cs := fmt.Sprintf(
"%s&sslClientCertificateKeyFile=%s&authMechanism=MONGODB-X509&authSource=$external%s",
revisedConnString,
os.Getenv(tc.certificate),
tc.password,
)
authClientOpts := options.Client().ApplyURI(cs)
integtest.AddTestServerAPIVersion(authClientOpts)
authClient, err := mongo.Connect(authClientOpts)
assert.Nil(mt, err, "authClient Connect error: %v", err)
defer func() { _ = authClient.Disconnect(context.Background()) }()
rdr, err := authClient.Database("test").RunCommand(context.Background(), bson.D{
{"connectionStatus", 1},
}).Raw()
assert.Nil(mt, err, "connectionStatus error: %v", err)
users, err := rdr.LookupErr("authInfo", "authenticatedUsers")
assert.Nil(mt, err, "authenticatedUsers not found in response")
elems, err := bson.Raw(users.Array()).Elements()
assert.Nil(mt, err, "error getting users elements: %v", err)
for _, userElem := range elems {
rdr := userElem.Value().Document()
var u struct {
User string
DB string
}
if err := bson.Unmarshal(rdr, &u); err != nil {
continue
}
if u.User == user && u.DB == "$external" {
return
}
}
mt.Fatal("unable to find authenticated user")
})
}
})
mt.RunOpts("list databases", noClientOpts, func(mt *mtest.T) {
mt.RunOpts("filter", noClientOpts, func(mt *mtest.T) {
testCases := []struct {
name string
filter bson.D
hasTestDb bool
minServerVersion string
}{
{"empty", bson.D{}, true, ""},
{"non-empty", bson.D{{"name", "foobar"}}, false, "3.6"},
}
for _, tc := range testCases {
opts := mtest.NewOptions()
if tc.minServerVersion != "" {
opts.MinServerVersion(tc.minServerVersion)
}
mt.RunOpts(tc.name, opts, func(mt *mtest.T) {
res, err := mt.Client.ListDatabases(context.Background(), tc.filter)
assert.Nil(mt, err, "ListDatabases error: %v", err)
var found bool
for _, db := range res.Databases {
if db.Name == mtest.TestDb {
found = true
break
}
}
assert.Equal(mt, tc.hasTestDb, found, "expected to find test db: %v, found: %v", tc.hasTestDb, found)
})
}
})
mt.Run("options", func(mt *mtest.T) {
allOpts := options.ListDatabases().SetNameOnly(true).SetAuthorizedDatabases(true)
mt.ClearEvents()
_, err := mt.Client.ListDatabases(context.Background(), bson.D{}, allOpts)
assert.Nil(mt, err, "ListDatabases error: %v", err)
evt := mt.GetStartedEvent()
assert.Equal(mt, "listDatabases", evt.CommandName, "expected ")
expectedDoc := bsoncore.BuildDocumentFromElements(nil,
bsoncore.AppendBooleanElement(nil, "nameOnly", true),
bsoncore.AppendBooleanElement(nil, "authorizedDatabases", true),
)
err = compareDocs(mt, expectedDoc, evt.Command)
assert.Nil(mt, err, "compareDocs error: %v", err)
})
})
mt.RunOpts("list database names", noClientOpts, func(mt *mtest.T) {
mt.RunOpts("filter", noClientOpts, func(mt *mtest.T) {
testCases := []struct {
name string
filter bson.D
hasTestDb bool
minServerVersion string
}{
{"no filter", bson.D{}, true, ""},
{"filter", bson.D{{"name", "foobar"}}, false, "3.6"},
}
for _, tc := range testCases {
opts := mtest.NewOptions()
if tc.minServerVersion != "" {
opts.MinServerVersion(tc.minServerVersion)
}
mt.RunOpts(tc.name, opts, func(mt *mtest.T) {
dbs, err := mt.Client.ListDatabaseNames(context.Background(), tc.filter)
assert.Nil(mt, err, "ListDatabaseNames error: %v", err)
var found bool
for _, db := range dbs {
if db == mtest.TestDb {
found = true
break
}
}
assert.Equal(mt, tc.hasTestDb, found, "expected to find test db: %v, found: %v", tc.hasTestDb, found)
})
}
})
mt.Run("options", func(mt *mtest.T) {
allOpts := options.ListDatabases().SetNameOnly(true).SetAuthorizedDatabases(true)
mt.ClearEvents()
_, err := mt.Client.ListDatabaseNames(context.Background(), bson.D{}, allOpts)
assert.Nil(mt, err, "ListDatabaseNames error: %v", err)
evt := mt.GetStartedEvent()
assert.Equal(mt, "listDatabases", evt.CommandName, "expected ")
expectedDoc := bsoncore.BuildDocumentFromElements(nil,
bsoncore.AppendBooleanElement(nil, "nameOnly", true),
bsoncore.AppendBooleanElement(nil, "authorizedDatabases", true),
)
err = compareDocs(mt, expectedDoc, evt.Command)
assert.Nil(mt, err, "compareDocs error: %v", err)
})
})
mt.RunOpts("ping", noClientOpts, func(mt *mtest.T) {
mt.Run("default read preference", func(mt *mtest.T) {
err := mt.Client.Ping(context.Background(), nil)
assert.Nil(mt, err, "Ping error: %v", err)
})
mt.Run("invalid host", func(mt *mtest.T) {
// manually create client rather than using RunOpts with ClientOptions because the testing lib will
// apply the correct URI.
invalidClientOpts := options.Client().
SetServerSelectionTimeout(100 * time.Millisecond).SetHosts([]string{"invalid:123"}).
SetConnectTimeout(500 * time.Millisecond).SetTimeout(500 * time.Millisecond)
integtest.AddTestServerAPIVersion(invalidClientOpts)
client, err := mongo.Connect(invalidClientOpts)
assert.Nil(mt, err, "Connect error: %v", err)
err = client.Ping(context.Background(), readpref.Primary())
assert.NotNil(mt, err, "expected error for pinging invalid host, got nil")
_ = client.Disconnect(context.Background())
})
})
mt.RunOpts("disconnect", noClientOpts, func(mt *mtest.T) {
mt.Run("nil context", func(mt *mtest.T) {
err := mt.Client.Disconnect(nil)
assert.Nil(mt, err, "Disconnect error: %v", err)
})
})
mt.RunOpts("end sessions", mtest.NewOptions().MinServerVersion("3.6"), func(mt *mtest.T) {
_, err := mt.Client.ListDatabases(context.Background(), bson.D{})
assert.Nil(mt, err, "ListDatabases error: %v", err)
mt.ClearEvents()
err = mt.Client.Disconnect(context.Background())
assert.Nil(mt, err, "Disconnect error: %v", err)
started := mt.GetStartedEvent()
assert.Equal(mt, "endSessions", started.CommandName, "expected cmd name endSessions, got %v", started.CommandName)
})
mt.RunOpts("hello lastWriteDate", mtest.NewOptions().Topologies(mtest.ReplicaSet), func(mt *mtest.T) {
_, err := mt.Coll.InsertOne(context.Background(), bson.D{{"x", 1}})
assert.Nil(mt, err, "InsertOne error: %v", err)
})
sessionOpts := mtest.NewOptions().MinServerVersion("3.6.0").CreateClient(false)
mt.RunOpts("causal consistency", sessionOpts, func(mt *mtest.T) {
testCases := []struct {
name string
opts *options.SessionOptionsBuilder
consistent bool
}{
{"default", options.Session(), true},
{"true", options.Session().SetCausalConsistency(true), true},
{"false", options.Session().SetCausalConsistency(false), false},
}
for _, tc := range testCases {
mt.Run(tc.name, func(mt *mtest.T) {
sess, err := mt.Client.StartSession(tc.opts)
assert.Nil(mt, err, "StartSession error: %v", err)
defer sess.EndSession(context.Background())
consistent := sess.ClientSession().Consistent
assert.Equal(mt, tc.consistent, consistent, "expected consistent to be %v, got %v", tc.consistent, consistent)
})
}
})
retryOpts := mtest.NewOptions().MinServerVersion("3.6.0").ClientType(mtest.Mock)
mt.RunOpts("retry writes error 20 wrapped", retryOpts, func(mt *mtest.T) {
writeErrorCode20 := mtest.CreateWriteErrorsResponse(mtest.WriteError{
Message: "Transaction numbers",
Code: 20,
})
writeErrorCode19 := mtest.CreateWriteErrorsResponse(mtest.WriteError{
Message: "Transaction numbers",
Code: 19,
})
writeErrorCode20WrongMsg := mtest.CreateWriteErrorsResponse(mtest.WriteError{
Message: "Not transaction numbers",
Code: 20,
})
cmdErrCode20 := mtest.CreateCommandErrorResponse(mtest.CommandError{
Message: "Transaction numbers",
Code: 20,
})
cmdErrCode19 := mtest.CreateCommandErrorResponse(mtest.CommandError{
Message: "Transaction numbers",
Code: 19,
})
cmdErrCode20WrongMsg := mtest.CreateCommandErrorResponse(mtest.CommandError{
Message: "Not transaction numbers",
Code: 20,
})
testCases := []struct {
name string
errResponse bson.D
expectUnsupportedMsg bool
}{
{"write error code 20", writeErrorCode20, true},
{"write error code 20 wrong msg", writeErrorCode20WrongMsg, false},
{"write error code 19 right msg", writeErrorCode19, false},
{"command error code 20", cmdErrCode20, true},
{"command error code 20 wrong msg", cmdErrCode20WrongMsg, false},
{"command error code 19 right msg", cmdErrCode19, false},
}
for _, tc := range testCases {
mt.Run(tc.name, func(mt *mtest.T) {
mt.ClearMockResponses()
mt.AddMockResponses(tc.errResponse)
sess, err := mt.Client.StartSession()
assert.Nil(mt, err, "StartSession error: %v", err)
defer sess.EndSession(context.Background())
_, err = mt.Coll.InsertOne(context.Background(), bson.D{{"x", 1}})
assert.NotNil(mt, err, "expected err but got nil")
if tc.expectUnsupportedMsg {
assert.Equal(mt, driver.ErrUnsupportedStorageEngine.Error(), err.Error(),
"expected error %v, got %v", driver.ErrUnsupportedStorageEngine, err)
return
}
assert.NotEqual(mt, driver.ErrUnsupportedStorageEngine.Error(), err.Error(),
"got ErrUnsupportedStorageEngine but wanted different error")
})
}
})
testAppName := "foo"
appNameClientOpts := options.Client().
SetAppName(testAppName)
appNameMtOpts := mtest.NewOptions().
ClientType(mtest.Proxy).
ClientOptions(appNameClientOpts).
Topologies(mtest.Single)
mt.RunOpts("app name is always sent", appNameMtOpts, func(mt *mtest.T) {
err := mt.Client.Ping(context.Background(), mtest.PrimaryRp)
assert.Nil(mt, err, "Ping error: %v", err)
msgPairs := mt.GetProxiedMessages()
assert.True(mt, len(msgPairs) >= 2, "expected at least 2 events sent, got %v", len(msgPairs))
// First two messages should be connection handshakes: one for the heartbeat connection and the other for the
// application connection.
for idx, pair := range msgPairs[:2] {
helloCommand := handshake.LegacyHello
// Expect "hello" command name with API version.
if os.Getenv("REQUIRE_API_VERSION") == "true" {
helloCommand = "hello"
}
assert.Equal(mt, pair.CommandName, helloCommand, "expected command name %s at index %d, got %s", helloCommand, idx,
pair.CommandName)
sent := pair.Sent
appNameVal, err := sent.Command.LookupErr("client", "application", "name")
assert.Nil(mt, err, "expected command %s at index %d to contain app name", sent.Command, idx)
appName := appNameVal.StringValue()
assert.Equal(mt, testAppName, appName, "expected app name %v at index %d, got %v", testAppName, idx,
appName)
}
})
// Test that direct connections work as expected.
firstServerAddr := mtest.GlobalTopology().Description().Servers[0].Addr
directConnectionOpts := options.Client().
ApplyURI(fmt.Sprintf("mongodb://%s", firstServerAddr)).
SetReadPreference(readpref.Primary()).
SetDirect(true)
mtOpts := mtest.NewOptions().
ClientOptions(directConnectionOpts).
CreateCollection(false).
MinServerVersion("3.6"). // Minimum server version 3.6 to force OP_MSG.
Topologies(mtest.ReplicaSet) // Read preference isn't sent to standalones so we can test on replica sets.
mt.RunOpts("direct connection made", mtOpts, func(mt *mtest.T) {
_, err := mt.Coll.Find(context.Background(), bson.D{})
assert.Nil(mt, err, "Find error: %v", err)
// When connected directly, the primary read preference should be overwritten to primaryPreferred.
evt := mt.GetStartedEvent()
assert.Equal(mt, "find", evt.CommandName, "expected 'find' event, got '%s'", evt.CommandName)
// A direct connection will result in a single topology, and so
// the default readPreference mode should be "primaryPrefered".
modeVal, err := evt.Command.LookupErr("$readPreference", "mode")
assert.Nil(mt, err, "expected command %s to include $readPreference", evt.Command)
mode := modeVal.StringValue()
assert.Equal(mt, mode, "primaryPreferred", "expected read preference mode primaryPreferred, got %v", mode)
})
// Test that using a client with minPoolSize set doesn't cause a data race.
mtOpts = mtest.NewOptions().ClientOptions(options.Client().SetMinPoolSize(5))
mt.RunOpts("minPoolSize", mtOpts, func(mt *mtest.T) {
err := mt.Client.Ping(context.Background(), readpref.Primary())
assert.Nil(t, err, "unexpected error calling Ping: %v", err)
})
mt.Run("minimum RTT is monitored", func(mt *mtest.T) {
mt.Parallel()
// Reset the client with a dialer that delays all network round trips by 300ms and set the
// heartbeat interval to 500ms to reduce the time it takes to collect RTT samples.
mt.ResetClient(options.Client().
SetDialer(newSlowConnDialer(slowConnDialerDelay)).
SetHeartbeatInterval(reducedHeartbeatInterval))
// Assert that the minimum RTT is eventually >250ms.
topo := getTopologyFromClient(mt.Client)
callback := func() bool {
// Wait for all of the server's minimum RTTs to be >250ms.
for _, desc := range topo.Description().Servers {
server, err := topo.FindServer(desc)
assert.NoError(mt, err, "FindServer error: %v", err)
if server.RTTMonitor().Min() <= 250*time.Millisecond {
return false // the tick should wait for 100ms in this case
}
}
return true
}
assert.Eventually(t,
callback,
10*time.Second,
100*time.Millisecond,
"expected that the minimum RTT is eventually >250ms")
})
// Test that if the minimum RTT is greater than the remaining timeout for an operation, the
// operation is not sent to the server and no connections are closed.
mt.Run("minimum RTT used to prevent sending requests", func(mt *mtest.T) {
mt.Parallel()
// Assert that we can call Ping with a 250ms timeout.
ctx, cancel := context.WithTimeout(context.Background(), 250*time.Millisecond)
defer cancel()
err := mt.Client.Ping(ctx, nil)
assert.Nil(mt, err, "Ping error: %v", err)
// Reset the client with a dialer that delays all network round trips by 300ms and set the
// heartbeat interval to 500ms to reduce the time it takes to collect RTT samples.
tpm := eventtest.NewTestPoolMonitor()
mt.ResetClient(options.Client().
SetPoolMonitor(tpm.PoolMonitor).
SetDialer(newSlowConnDialer(slowConnDialerDelay)).
SetHeartbeatInterval(reducedHeartbeatInterval))
// Assert that the minimum RTT is eventually >250ms.
topo := getTopologyFromClient(mt.Client)
callback := func() bool {
// Wait for all of the server's minimum RTTs to be >250ms.
for _, desc := range topo.Description().Servers {
server, err := topo.FindServer(desc)
assert.NoError(mt, err, "FindServer error: %v", err)
if server.RTTMonitor().Min() <= 250*time.Millisecond {
return false
}
}
return true
}
assert.Eventually(t,
callback,
10*time.Second,
100*time.Millisecond,
"expected that the minimum RTT is eventually >250ms")
// Once we've waited for the minimum RTT for the single server to be >250ms, run a bunch of
// Ping operations with a timeout of 250ms and expect that they return errors.
for i := 0; i < 10; i++ {
ctx, cancel = context.WithTimeout(context.Background(), 250*time.Millisecond)
err := mt.Client.Ping(ctx, nil)
cancel()
assert.NotNil(mt, err, "expected Ping to return an error")
}
// Assert that the Ping timeouts result in no connections being closed.
closed := len(tpm.Events(func(e *event.PoolEvent) bool { return e.Type == event.ConnectionClosed }))
assert.Equal(t, 0, closed, "expected no connections to be closed")
})
// Test that OP_MSG is used for authentication-related commands on 3.6+ (WV 6+). Do not test when API version is
// set, as handshakes will always use OP_MSG.
opMsgOpts := mtest.NewOptions().ClientType(mtest.Proxy).MinServerVersion("3.6").Auth(true).RequireAPIVersion(false)
mt.RunOpts("OP_MSG used for authentication on 3.6+", opMsgOpts, func(mt *mtest.T) {
err := mt.Client.Ping(context.Background(), mtest.PrimaryRp)
assert.Nil(mt, err, "Ping error: %v", err)
msgPairs := mt.GetProxiedMessages()
assert.True(mt, len(msgPairs) >= 3, "expected at least 3 events, got %v", len(msgPairs))
// The first message should be a connection handshake.
pair := msgPairs[0]
assert.Equal(mt, handshake.LegacyHello, pair.CommandName, "expected command name %s at index 0, got %s",
handshake.LegacyHello, pair.CommandName)
assert.Equal(mt, wiremessage.OpQuery, pair.Sent.OpCode,
"expected 'OP_QUERY' OpCode in wire message, got %q", pair.Sent.OpCode.String())
// Look for a saslContinue in the remaining proxied messages and assert that it uses the OP_MSG OpCode, as wire
// version is now known to be >= 6.
var saslContinueFound bool
for _, pair := range msgPairs[1:] {
if pair.CommandName == "saslContinue" {
saslContinueFound = true
assert.Equal(mt, wiremessage.OpMsg, pair.Sent.OpCode,
"expected 'OP_MSG' OpCode in wire message, got %s", pair.Sent.OpCode.String())
break
}
}
assert.True(mt, saslContinueFound, "did not find 'saslContinue' command in proxied messages")
})
// Test that OP_MSG is used for handshakes when API version is declared.
opMsgSAPIOpts := mtest.NewOptions().ClientType(mtest.Proxy).MinServerVersion("5.0").RequireAPIVersion(true)
mt.RunOpts("OP_MSG used for handshakes when API version declared", opMsgSAPIOpts, func(mt *mtest.T) {
err := mt.Client.Ping(context.Background(), mtest.PrimaryRp)
assert.Nil(mt, err, "Ping error: %v", err)
msgPairs := mt.GetProxiedMessages()
assert.True(mt, len(msgPairs) >= 3, "expected at least 3 events, got %v", len(msgPairs))
// First three messages should be connection handshakes: one for the heartbeat connection, another for the
// application connection, and a final one for the RTT monitor connection.
for idx, pair := range msgPairs[:3] {
assert.Equal(mt, "hello", pair.CommandName, "expected command name 'hello' at index %d, got %s", idx,
pair.CommandName)
// Assert that appended OpCode is OP_MSG when API version is set.
assert.Equal(mt, wiremessage.OpMsg, pair.Sent.OpCode,
"expected 'OP_MSG' OpCode in wire message, got %q", pair.Sent.OpCode.String())
}
})
opts := mtest.NewOptions().
// Blocking failpoints don't work on pre-4.2 and sharded clusters.
Topologies(mtest.Single, mtest.ReplicaSet).
MinServerVersion("4.2").
// Expliticly enable retryable reads and retryable writes.
ClientOptions(options.Client().SetRetryReads(true).SetRetryWrites(true))
mt.RunOpts("operations don't retry after a context timeout", opts, func(mt *mtest.T) {
testCases := []struct {
desc string
operation func(context.Context, *mongo.Collection) error
}{
{
desc: "read op",
operation: func(ctx context.Context, coll *mongo.Collection) error {
return coll.FindOne(ctx, bson.D{}).Err()
},
},
{
desc: "write op",
operation: func(ctx context.Context, coll *mongo.Collection) error {
_, err := coll.InsertOne(ctx, bson.D{})
return err
},
},
}
_, err := mt.Coll.InsertOne(context.Background(), bson.D{})
for _, tc := range testCases {
mt.Run(tc.desc, func(mt *mtest.T) {
require.NoError(mt, err)
mt.SetFailPoint(failpoint.FailPoint{
ConfigureFailPoint: "failCommand",
Mode: failpoint.ModeAlwaysOn,
Data: failpoint.Data{
FailCommands: []string{"find", "insert"},
BlockConnection: true,
BlockTimeMS: 500,
},
})
mt.ClearEvents()
wg := sync.WaitGroup{}
wg.Add(50)
for i := 0; i < 50; i++ {
// Run 50 concurrent operations, each with a timeout of 50ms. Expect
// them to all return a timeout error because the failpoint
// blocks find operations for 50ms. Run 50 to increase the
// probability that an operation will time out in a way that
// can cause a retry.
go func() {
ctx, cancel := context.WithTimeout(context.Background(), 150*time.Millisecond)
err := tc.operation(ctx, mt.Coll)
cancel()
assert.ErrorIs(mt, err, context.DeadlineExceeded)
assert.True(mt, mongo.IsTimeout(err), "expected mongo.IsTimeout(err) to be true")
wg.Done()
}()
}
wg.Wait()
// Since an operation requires checking out a connection and because we
// attempt a pending read for socket timeouts and since the test forces
// 50 concurrent socket timeouts, then it's possible that an
// operation checks out a connection that has a pending read. In this
// case the operation will time out when checking out a connection, and
// a started event will not be propagated. So instead of
// checking that we got exactly 50 started events, we should instead
// ensure that the number of started events is equal to the number of
// unique connections used to process the operations.
pendingReadConns := mt.NumberConnectionsPendingReadStarted()
evts := mt.GetAllStartedEvents()
require.Equal(mt,
len(evts)+pendingReadConns,
50,
"expected exactly 1 command started event per operation (50), but got %d",
len(evts)+pendingReadConns)
mt.ClearEvents()
mt.ClearFailPoints()
})
}
})
}
func TestClient_BulkWrite(t *testing.T) {
mt := mtest.New(t, noClientOpts)
mtBulkWriteOpts := mtest.NewOptions().MinServerVersion("8.0").AtlasDataLake(false).ClientType(mtest.Pinned)
mt.RunOpts("bulk write with nil filter", mtBulkWriteOpts, func(mt *mtest.T) {
mt.Parallel()
testCases := []struct {
name string
writes []mongo.ClientBulkWrite
errorString string
}{
{
name: "DeleteOne",
writes: []mongo.ClientBulkWrite{{
Database: "foo",
Collection: "bar",
Model: mongo.NewClientDeleteOneModel(),
}},
errorString: "delete filter cannot be nil",
},
{
name: "DeleteMany",
writes: []mongo.ClientBulkWrite{{
Database: "foo",
Collection: "bar",
Model: mongo.NewClientDeleteManyModel(),
}},
errorString: "delete filter cannot be nil",
},
{
name: "UpdateOne",
writes: []mongo.ClientBulkWrite{{
Database: "foo",
Collection: "bar",
Model: mongo.NewClientUpdateOneModel(),
}},
errorString: "update filter cannot be nil",
},
{
name: "UpdateMany",
writes: []mongo.ClientBulkWrite{{
Database: "foo",
Collection: "bar",
Model: mongo.NewClientUpdateManyModel(),
}},
errorString: "update filter cannot be nil",
},
}
for _, tc := range testCases {
tc := tc
mt.Run(tc.name, func(mt *mtest.T) {
mt.Parallel()
_, err := mt.Client.BulkWrite(context.Background(), tc.writes)
require.EqualError(mt, err, tc.errorString)
})
}
})
mt.RunOpts("bulk write with write concern", mtBulkWriteOpts, func(mt *mtest.T) {
mt.Parallel()
testCases := []struct {
name string
opts *options.ClientBulkWriteOptionsBuilder
want bool
}{
{
name: "unacknowledged",
opts: options.ClientBulkWrite().SetWriteConcern(writeconcern.Unacknowledged()).SetOrdered(false),
want: false,
},
{
name: "acknowledged",
want: true,
},
}
for _, tc := range testCases {
tc := tc
mt.Run(tc.name, func(mt *mtest.T) {
mt.Parallel()
insertOneModel := mongo.NewClientInsertOneModel().SetDocument(bson.D{{"x", 1}})
writes := []mongo.ClientBulkWrite{{
Database: "foo",
Collection: "bar",
Model: insertOneModel,
}}
res, err := mt.Client.BulkWrite(context.Background(), writes, tc.opts)
require.NoError(mt, err, "BulkWrite error: %v", err)
require.NotNil(mt, res, "expected a ClientBulkWriteResult")
assert.Equal(mt, res.Acknowledged, tc.want, "expected Acknowledged: %v, got: %v", tc.want, res.Acknowledged)
})
}
})
var bulkWrites int
cmdMonitor := &event.CommandMonitor{
Started: func(_ context.Context, evt *event.CommandStartedEvent) {
if evt.CommandName == "bulkWrite" {
bulkWrites++
}
},
}
clientOpts := options.Client().SetMonitor(cmdMonitor)
mt.RunOpts("bulk write with large messages", mtBulkWriteOpts.ClientOptions(clientOpts), func(mt *mtest.T) {
mt.Parallel()
document := bson.D{{"largeField", strings.Repeat("a", 16777216-100)}} // Adjust size to account for BSON overhead
writes := []mongo.ClientBulkWrite{
{"db", "x", mongo.NewClientInsertOneModel().SetDocument(document)},
{"db", "x", mongo.NewClientInsertOneModel().SetDocument(document)},
{"db", "x", mongo.NewClientInsertOneModel().SetDocument(document)},
}
_, err := mt.Client.BulkWrite(context.Background(), writes)
require.NoError(t, err)
assert.Equal(t, 2, bulkWrites, "expected %d bulkWrites, got %d", 2, bulkWrites)
})
}
func TestClient_BSONOptions(t *testing.T) {
t.Parallel()
mt := mtest.New(t, noClientOpts)
type jsonTagsTest struct {
A string
B string `json:"x"`
C string `json:"y" bson:"3"`
}
type omitemptyTest struct {
X jsonTagsTest `bson:"x,omitempty"`
}
type truncatingDoublesTest struct {
X int
}
type timeZoneTest struct {
X time.Time
}
timestamp, _ := time.Parse(time.RFC3339, "2006-01-02T15:04:05+07:00")
testCases := []struct {
name string
bsonOpts *options.BSONOptions
doc interface{}
decodeInto func() interface{}
want interface{}
wantRaw bson.Raw
}{
{
name: "UseJSONStructTags",
bsonOpts: &options.BSONOptions{
UseJSONStructTags: true,
},
doc: jsonTagsTest{
A: "apple",
B: "banana",
C: "carrot",
},
decodeInto: func() interface{} { return &jsonTagsTest{} },
want: &jsonTagsTest{
A: "apple",
B: "banana",
C: "carrot",
},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendString("a", "apple").
AppendString("x", "banana").
AppendString("3", "carrot").
Build()),
},
{
name: "IntMinSize",
bsonOpts: &options.BSONOptions{
IntMinSize: true,
},
doc: bson.D{{Key: "x", Value: int64(1)}},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{{Key: "x", Value: int32(1)}},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendInt32("x", 1).
Build()),
},
{
name: "NilMapAsEmpty",
bsonOpts: &options.BSONOptions{
NilMapAsEmpty: true,
},
doc: bson.D{{Key: "x", Value: map[string]string(nil)}},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{{Key: "x", Value: bson.D{}}},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendDocument("x", bsoncore.NewDocumentBuilder().Build()).
Build()),
},
{
name: "NilSliceAsEmpty",
bsonOpts: &options.BSONOptions{
NilSliceAsEmpty: true,
},
doc: bson.D{{Key: "x", Value: []int(nil)}},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{{Key: "x", Value: bson.A{}}},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendArray("x", bsoncore.NewDocumentBuilder().Build()).
Build()),
},
{
name: "NilByteSliceAsEmpty",
bsonOpts: &options.BSONOptions{
NilByteSliceAsEmpty: true,
},
doc: bson.D{{Key: "x", Value: []byte(nil)}},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{{Key: "x", Value: bson.Binary{Data: []byte{}}}},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendBinary("x", 0, nil).
Build()),
},
{
name: "OmitZeroStruct",
bsonOpts: &options.BSONOptions{
OmitZeroStruct: true,
},
doc: omitemptyTest{},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().Build()),
},
{
name: "OmitEmpty with non-zeroer struct",
bsonOpts: &options.BSONOptions{
OmitZeroStruct: true,
OmitEmpty: true,
},
doc: struct {
X jsonTagsTest `bson:"x"`
}{},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().Build()),
},
{
name: "StringifyMapKeysWithFmt",
bsonOpts: &options.BSONOptions{
StringifyMapKeysWithFmt: true,
},
doc: map[intKey]string{intKey(42): "foo"},
decodeInto: func() interface{} { return &bson.D{} },
want: &bson.D{{"42", "foo"}},
wantRaw: bson.Raw(bsoncore.NewDocumentBuilder().
AppendString("42", "foo").
Build()),