-
Notifications
You must be signed in to change notification settings - Fork 69
/
Copy pathcli-repl.spec.ts
2749 lines (2474 loc) · 98.8 KB
/
cli-repl.spec.ts
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
import { MongoshInternalError } from '@mongosh/errors';
import { bson } from '@mongosh/service-provider-core';
import { once } from 'events';
import { promises as fs } from 'fs';
import type { Server as HTTPServer } from 'http';
import http, { createServer as createHTTPServer } from 'http';
import path from 'path';
import type { Duplex } from 'stream';
import { PassThrough } from 'stream';
import { promisify } from 'util';
import { eventually } from '../../../testing/eventually';
import type { MongodSetup } from '../../../testing/integration-testing-hooks';
import {
skipIfServerVersion,
startSharedTestServer,
startTestServer,
} from '../../../testing/integration-testing-hooks';
import {
expect,
fakeTTYProps,
readReplLogFile,
tick,
useTmpdir,
waitBus,
waitCompletion,
waitEval,
} from '../test/repl-helpers';
import ConnectionString from 'mongodb-connection-string-url';
import type { CliReplOptions } from './cli-repl';
import { CliRepl } from './cli-repl';
import { CliReplErrors } from './error-codes';
import type { DevtoolsConnectOptions } from '@mongosh/service-provider-node-driver';
import type { AddressInfo } from 'net';
import sinon from 'sinon';
import type { CliUserConfig } from '@mongosh/types';
import { MongoLogWriter, MongoLogManager } from 'mongodb-log-writer';
const { EJSON } = bson;
const delay = promisify(setTimeout);
describe('CliRepl', function () {
let cliReplOptions: CliReplOptions;
let cliRepl: CliRepl & {
start(
cstr: string,
options: Partial<DevtoolsConnectOptions>
): Promise<void>;
};
let input: Duplex;
let outputStream: Duplex;
let output = '';
let exitCode: null | number;
let exitPromise: Promise<void>;
const tmpdir = useTmpdir();
async function log(): Promise<any[]> {
if (!cliRepl.logWriter?.logFilePath) return [];
await cliRepl.logWriter.flush(); // Ensure any pending data is written first
return readReplLogFile(cliRepl.logWriter.logFilePath);
}
async function startWithExpectedImmediateExit(
cliRepl: CliRepl,
host: string
): Promise<void> {
try {
await cliRepl.start(host, {} as any);
expect.fail('Expected start() to also exit immediately');
} catch (err: any) {
expect(err.message).to.include('onExit() unexpectedly returned');
}
}
beforeEach(function () {
input = new PassThrough();
outputStream = new PassThrough();
output = '';
outputStream.setEncoding('utf8').on('data', (chunk) => {
output += chunk;
});
exitCode = null;
let resolveExitPromise!: () => void;
exitPromise = new Promise<void>((resolve) => {
resolveExitPromise = resolve;
});
cliReplOptions = {
shellCliOptions: {},
input: input,
output: outputStream,
shellHomePaths: {
shellRoamingDataPath: tmpdir.path,
shellLocalDataPath: tmpdir.path,
shellRcPath: tmpdir.path,
},
onExit: (code?: number) => {
exitCode = code ?? 0;
resolveExitPromise();
return Promise.resolve() as never;
},
};
});
context('with a broken output stream', function () {
beforeEach(async function () {
cliReplOptions.shellCliOptions = { nodb: true };
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
cliReplOptions.output.end();
});
it("doesn't throw errors", async function () {
input.write('21 + 13\n');
await waitEval(cliRepl.bus);
});
});
context('with nodb', function () {
beforeEach(function () {
cliReplOptions.shellCliOptions = { nodb: true };
});
context('when ready', function () {
beforeEach(async function () {
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
});
it('evaluates javascript', async function () {
input.write('21 + 13\n');
await waitEval(cliRepl.bus);
expect(output).to.include('34');
});
it('toggling telemetry changes config', async function () {
const updateUser = waitBus(cliRepl.bus, 'mongosh:update-user');
const evalComplete = waitBus(cliRepl.bus, 'mongosh:eval-complete');
input.write('disableTelemetry()\n');
const [telemetryUserIdentity] = await updateUser;
expect(typeof telemetryUserIdentity).to.equal('object');
await evalComplete; // eval-complete includes the fs.writeFile() call.
const content = await fs.readFile(path.join(tmpdir.path, 'config'), {
encoding: 'utf8',
});
expect(EJSON.parse(content).enableTelemetry).to.be.false;
});
it('does not store config options on disk that have not been changed', async function () {
let content = await fs.readFile(path.join(tmpdir.path, 'config'), {
encoding: 'utf8',
});
expect(Object.keys(EJSON.parse(content))).to.deep.equal([
'userId',
'telemetryAnonymousId',
'enableTelemetry',
'disableGreetingMessage',
]);
input.write('config.set("inspectDepth", config.get("inspectDepth"))\n');
await waitEval(cliRepl.bus);
content = await fs.readFile(path.join(tmpdir.path, 'config'), {
encoding: 'utf8',
});
expect(Object.keys(EJSON.parse(content))).to.deep.equal([
'userId',
'telemetryAnonymousId',
'enableTelemetry',
'disableGreetingMessage',
'inspectDepth',
]);
// When a new REPL is created:
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
content = await fs.readFile(path.join(tmpdir.path, 'config'), {
encoding: 'utf8',
});
expect(Object.keys(EJSON.parse(content))).to.deep.equal([
'userId',
'telemetryAnonymousId',
'enableTelemetry',
'disableGreetingMessage',
'inspectDepth',
]);
});
it('stores config options on disk cannot be represented in traditional JSON', async function () {
input.write('config.set("inspectDepth", Infinity)\n');
await waitEval(cliRepl.bus);
const content = await fs.readFile(path.join(tmpdir.path, 'config'), {
encoding: 'utf8',
});
expect(EJSON.parse(content).inspectDepth).equal(Infinity);
});
it('emits exit when asked to, Node.js-style', async function () {
input.write('.exit\n');
await exitPromise;
expect(exitCode).to.equal(0);
});
it('emits exit when asked to, mongosh-style', async function () {
input.write('exit\n');
await exitPromise;
expect(exitCode).to.equal(0);
});
it('emits exit when asked to, mongosh-style with an exit code + exit', async function () {
input.write('exit(3)\n');
await exitPromise;
expect(exitCode).to.equal(3);
});
it('emits exit when asked to, mongosh-style with an exit code + quit', async function () {
input.write('exit(3)\n');
await exitPromise;
expect(exitCode).to.equal(3);
});
it('writes syntax errors to the log file', async function () {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('SyntaxError:')
)
).to.have.lengthOf(0);
input.write('<cat>\n');
await waitBus(cliRepl.bus, 'mongosh:error');
await eventually(async () => {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('SyntaxError:')
)
).to.have.lengthOf(1);
});
});
it('does not write to log syntax errors if logging is disabled', async function () {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('SyntaxError:')
)
).to.have.lengthOf(0);
input.write('config.set("disableLogging", true)\n');
await waitEval(cliRepl.bus);
expect(output).includes('Setting "disableLogging" has been changed');
input.write('<cat>\n');
await waitBus(cliRepl.bus, 'mongosh:error');
await eventually(async () => {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('SyntaxError:')
)
).to.have.lengthOf(0);
});
});
it('writes JS errors to the log file', async function () {
input.write('throw new Error("plain js error")\n');
await waitBus(cliRepl.bus, 'mongosh:error');
await eventually(async () => {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('Error: plain js error')
)
).to.have.lengthOf(1);
});
});
it('writes Mongosh errors to the log file', async function () {
input.write('db.auth()\n');
await waitBus(cliRepl.bus, 'mongosh:error');
await eventually(async () => {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('MongoshInvalidInputError:')
)
).to.have.lengthOf(1);
});
});
it('emits the error event when exit() fails', async function () {
const onerror = waitBus(cliRepl.bus, 'mongosh:error');
try {
// calling exit will not "exit" since we are not stopping the process
await cliRepl.exit(1);
} catch (e: any) {
const [emitted] = await onerror;
expect(emitted).to.be.instanceOf(MongoshInternalError);
await eventually(async () => {
expect(
(await log()).filter((entry) =>
entry.attr?.stack?.startsWith('MongoshInternalError:')
)
).to.have.lengthOf(1);
});
return;
}
expect.fail('expected error');
});
it('returns the list of available config options when asked to', function () {
expect(cliRepl.listConfigOptions()).to.deep.equal([
'displayBatchSize',
'maxTimeMS',
'enableTelemetry',
'editor',
'snippetIndexSourceURLs',
'snippetRegistryURL',
'snippetAutoload',
'inspectCompact',
'inspectDepth',
'historyLength',
'showStackTraces',
'redactHistory',
'oidcRedirectURI',
'oidcTrustedEndpoints',
'browser',
'updateURL',
'disableLogging',
'logLocation',
] satisfies (keyof CliUserConfig)[]);
});
it('fails when trying to overwrite mongosh-owned config settings', async function () {
output = '';
input.write('config.set("telemetryAnonymousId", "foo")\n');
await waitEval(cliRepl.bus);
expect(output).to.include(
'Option "telemetryAnonymousId" is not available in this environment'
);
output = '';
input.write('config.get("telemetryAnonymousId")\n');
await waitEval(cliRepl.bus);
expect(output).to.match(/^[a-z0-9]{24}\n> $/);
});
it('can restore previous config settings', async function () {
output = '';
input.write('config.set("editor", "vim")\n');
await waitEval(cliRepl.bus);
expect(output).to.include('Setting "editor" has been changed');
output = '';
input.write('config.reset("editor")\n');
await waitEval(cliRepl.bus);
expect(output).to.include(
'Setting "editor" has been reset to its default value'
);
output = '';
input.write('config.get("editor")\n');
await waitEval(cliRepl.bus);
expect(output).to.include('null');
});
context('loading JS files from disk', function () {
it('allows loading a file from the disk', async function () {
const filenameA = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'a.js'
);
input.write(`load(${JSON.stringify(filenameA)})\n`);
await waitEval(cliRepl.bus);
expect(output).to.contain('Hi!');
input.write('variableFromA\n');
await waitEval(cliRepl.bus);
expect(output).to.include('yes from A');
});
it('allows nested loading', async function () {
const filenameB = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'b.js'
);
input.write(`load(${JSON.stringify(filenameB)})\n`);
await waitEval(cliRepl.bus);
expect(output).to.contain('Hi!');
input.write('variableFromA + " " + variableFromB\n');
await waitEval(cliRepl.bus);
expect(output).to.include('yes from A yes from A from B');
});
it('allows async operations', async function () {
const filenameC = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'c.js'
);
input.write(`load(${JSON.stringify(filenameC)})\n`);
await waitEval(cliRepl.bus);
output = '';
input.write('diff >= 50\n');
await waitEval(cliRepl.bus);
expect(output).to.include('true');
});
});
});
context('during startup', function () {
it('persists userId and telemetryAnonymousId', async function () {
const telemetryUserIdentitys: {
userId?: string;
anonymousId?: string;
}[] = [];
for (let i = 0; i < 2; i++) {
cliRepl = new CliRepl(cliReplOptions);
cliRepl.bus.on('mongosh:new-user', (telemetryUserIdentity) =>
telemetryUserIdentitys.push(telemetryUserIdentity)
);
cliRepl.bus.on('mongosh:update-user', (telemetryUserIdentity) =>
telemetryUserIdentitys.push(telemetryUserIdentity)
);
await cliRepl.start('', {});
}
expect(telemetryUserIdentitys).to.have.lengthOf(2);
expect(telemetryUserIdentitys[0]).to.deep.equal(
telemetryUserIdentitys[1]
);
});
it('emits error for invalid config', async function () {
await fs.writeFile(path.join(tmpdir.path, 'config'), 'notjson');
cliRepl = new CliRepl(cliReplOptions);
const onerror = waitBus(cliRepl.bus, 'mongosh:error');
try {
await cliRepl.start('', {});
} catch {
/* not empty */
}
await onerror;
});
it('emits error for inaccessible home directory', async function () {
if (process.platform === 'win32') {
this.skip(); // TODO: Figure out why this doesn't work on Windows.
}
cliReplOptions.shellHomePaths.shellRoamingDataPath =
'/nonexistent/inaccesible';
cliReplOptions.shellHomePaths.shellLocalDataPath =
'/nonexistent/inaccesible';
cliRepl = new CliRepl(cliReplOptions);
const onerror = waitBus(cliRepl.bus, 'mongosh:error');
try {
await cliRepl.start('', {});
} catch {
/* not empty */
}
await onerror;
});
it('removes old log files', async function () {
const oldlogfile = path.join(
tmpdir.path,
'60a0064774d771e863d9a1e1_log'
);
const newerlogfile = path.join(
tmpdir.path,
`${new bson.ObjectId()}_log`
);
await fs.writeFile(oldlogfile, 'ignoreme');
await fs.writeFile(newerlogfile, 'ignoreme');
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
await fs.stat(newerlogfile);
await eventually(async () => {
try {
await fs.stat(oldlogfile);
expect.fail('missed exception');
} catch (err: any) {
expect(err.code).to.equal('ENOENT');
}
});
});
it('verifies the Node.js version', async function () {
const origVersionCheckEnvVar =
process.env.MONGOSH_SKIP_NODE_VERSION_CHECK;
delete process.env.MONGOSH_SKIP_NODE_VERSION_CHECK;
delete (process as any).version;
process.version = 'v8.0.0';
try {
cliRepl = new CliRepl(cliReplOptions);
const onerror = waitBus(cliRepl.bus, 'mongosh:error');
try {
await cliRepl.start('', {});
} catch {
/* not empty */
}
const [e] = await onerror;
expect(e.name).to.equal('MongoshWarning');
expect((e as any).code).to.equal(CliReplErrors.NodeVersionMismatch);
} finally {
process.version = `v${process.versions.node}`;
process.env.MONGOSH_SKIP_NODE_VERSION_CHECK =
origVersionCheckEnvVar || '';
}
});
context('mongoshrc', function () {
it('loads .mongoshrc if it is present', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongoshrc.js'),
'print("hi from mongoshrc")'
);
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).to.include('hi from mongoshrc');
});
it('does not load .mongoshrc if --norc is passed', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongoshrc.js'),
'print("hi from mongoshrc")'
);
cliReplOptions.shellCliOptions.norc = true;
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).not.to.include('hi from mongoshrc');
});
it('warns if .mongorc.js is present but not .mongoshrc.js', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongorc.js'),
'print("hi from mongorc")'
);
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).to.include(
'Found ~/.mongorc.js, but not ~/.mongoshrc.js. ~/.mongorc.js will not be loaded.'
);
expect(output).to.include(
'You may want to copy or rename ~/.mongorc.js to ~/.mongoshrc.js.'
);
expect(output).not.to.include('hi from mongorc');
});
it('warns if .mongoshrc is present but not .mongoshrc.js', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongoshrc'),
'print("hi from misspelled")'
);
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).to.include(
'Found ~/.mongoshrc, but not ~/.mongoshrc.js.'
);
expect(output).not.to.include('hi from misspelled');
});
it('does not warn with --quiet if .mongorc.js is present but not .mongoshrc.js', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongorc.js'),
'print("hi from mongorc")'
);
cliReplOptions.shellCliOptions.quiet = true;
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).not.to.include(
'Found ~/.mongorc.js, but not ~/.mongoshrc.js'
);
expect(output).not.to.include('hi from mongorc');
});
it('does not warn with --quiet if .mongoshrc is present but not .mongoshrc.js', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongoshrc'),
'print("hi from misspelled")'
);
cliReplOptions.shellCliOptions.quiet = true;
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).not.to.include(
'Found ~/.mongoshrc, but not ~/.mongoshrc.js'
);
expect(output).not.to.include('hi from misspelled');
});
it('loads .mongoshrc recursively if wanted', async function () {
const rcPath = path.join(tmpdir.path, '.mongoshrc.js');
await fs.writeFile(
rcPath,
`globalThis.a = (globalThis.a + 1 || 0);
if (a === 5) {
print('reached five');
} else {
load(JSON.stringify(${rcPath})
}`
);
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).to.include('reached five');
});
it('if an exception is thrown, indicates that it comes from mongoshrc', async function () {
await fs.writeFile(
path.join(tmpdir.path, '.mongoshrc.js'),
'throw new Error("bananas")'
);
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
expect(output).to.include('Error while running ~/.mongoshrc.js:');
expect(output).to.include('Error: bananas');
});
});
for (const jsContext of ['repl', 'plain-vm', undefined] as const) {
context(
`files loaded from command line (jsContext: ${
jsContext ?? 'default'
})`,
function () {
beforeEach(function () {
cliReplOptions.shellCliOptions.jsContext = jsContext;
});
it('load a file if it has been specified on the command line', async function () {
const filename1 = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'hello1.js'
);
cliReplOptions.shellCliOptions.fileNames = [filename1];
cliReplOptions.shellCliOptions.quiet = false;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).to.include(`Loading file: ${filename1}`);
expect(output).to.include('hello one');
expect(exitCode).to.equal(0);
});
it('load two files if it has been specified on the command line', async function () {
const filename1 = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'hello1.js'
);
const filename2 = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'hello2.js'
);
cliReplOptions.shellCliOptions.fileNames = [filename1, filename2];
cliReplOptions.shellCliOptions.quiet = false;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).to.include(`Loading file: ${filename1}`);
expect(output).to.include('hello one');
expect(output).to.include(`Loading file: ${filename2}`);
expect(output).to.include('hello two');
expect(exitCode).to.equal(0);
});
it('does not print filenames if --quiet is implied', async function () {
const filename1 = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'hello1.js'
);
cliReplOptions.shellCliOptions.fileNames = [filename1];
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).not.to.include('Loading file');
expect(output).to.include('hello one');
expect(exitCode).to.equal(0);
});
it('forwards the error it if loading the file throws', async function () {
const filename1 = path.resolve(
__dirname,
'..',
'test',
'fixtures',
'load',
'throw.js'
);
cliReplOptions.shellCliOptions.fileNames = [filename1];
cliReplOptions.shellCliOptions.quiet = false;
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
} catch (err: any) {
expect(err.message).to.include('uh oh');
}
expect(output).to.include('Loading file');
expect(output).not.to.include('uh oh');
});
it('evaluates code passed through --eval (single argument)', async function () {
cliReplOptions.shellCliOptions.eval = [
'"i am" + " being evaluated"',
];
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).to.include('i am being evaluated');
expect(exitCode).to.equal(0);
});
it('forwards the error if the script passed to --eval throws (single argument)', async function () {
cliReplOptions.shellCliOptions.eval = [
'throw new Error("oh no")',
];
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
} catch (err: any) {
expect(err.message).to.include('oh no');
}
expect(output).not.to.include('oh no');
});
it('evaluates code passed through --eval (multiple arguments)', async function () {
cliReplOptions.shellCliOptions.eval = [
'X = "i am"; "asdfghjkl"',
'X + " being evaluated"',
];
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).to.not.include('asdfghjkl');
expect(output).to.include('i am being evaluated');
expect(exitCode).to.equal(0);
});
it('forwards the error if the script passed to --eval throws (multiple arguments)', async function () {
cliReplOptions.shellCliOptions.eval = [
'throw new Error("oh no")',
'asdfghjkl',
];
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
} catch (err: any) {
expect(err.message).to.include('oh no');
}
expect(output).to.not.include('asdfghjkl');
expect(output).not.to.include('oh no');
});
it('evaluates code in the expected environment (non-interactive)', async function () {
cliReplOptions.shellCliOptions.eval = [
'print(":::" + (globalThis[Symbol.for("@@mongosh.usingPlainVMContext")] ? "plain-vm" : "repl"))',
];
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(output).to.include(`:::${jsContext ?? 'plain-vm'}`);
expect(exitCode).to.equal(0);
});
if (jsContext !== 'plain-vm') {
it('evaluates code in the expected environment (interactive)', async function () {
cliReplOptions.shellCliOptions.eval = [
'print(":::" + (globalThis[Symbol.for("@@mongosh.usingPlainVMContext")] ? "plain-vm" : "repl"))',
];
cliReplOptions.shellCliOptions.shell = true;
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
input.write('exit\n');
await waitBus(cliRepl.bus, 'mongosh:closed');
expect(output).to.include(`:::${jsContext ?? 'repl'}`);
expect(exitCode).to.equal(0);
});
}
}
);
}
context('in --json mode', function () {
beforeEach(function () {
cliReplOptions.shellCliOptions.quiet = true;
});
it('serializes results as EJSON with --json', async function () {
cliReplOptions.shellCliOptions.eval = ['({ a: Long("0") })'];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(JSON.parse(output)).to.deep.equal({ a: { $numberLong: '0' } });
expect(exitCode).to.equal(0);
});
it('serializes results as EJSON with --json=canonical', async function () {
cliReplOptions.shellCliOptions.eval = ['({ a: Long("0") })'];
cliReplOptions.shellCliOptions.json = 'canonical';
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(JSON.parse(output)).to.deep.equal({ a: { $numberLong: '0' } });
expect(exitCode).to.equal(0);
});
it('serializes results as EJSON with --json=relaxed', async function () {
cliReplOptions.shellCliOptions.eval = ['({ a: Long("0") })'];
cliReplOptions.shellCliOptions.json = 'relaxed';
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
expect(JSON.parse(output)).to.deep.equal({ a: 0 });
expect(exitCode).to.equal(0);
});
it('serializes user errors as EJSON with --json', async function () {
cliReplOptions.shellCliOptions.eval = ['throw new Error("asdf")'];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
const parsed = JSON.parse(output);
expect(parsed).to.haveOwnProperty('message', 'asdf');
expect(parsed).to.haveOwnProperty('name', 'Error');
expect(parsed.stack).to.be.a('string');
expect(exitCode).to.equal(1);
});
it('serializes mongosh errors as EJSON with --json', async function () {
cliReplOptions.shellCliOptions.eval = ['db'];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
const parsed = JSON.parse(output);
expect(parsed).to.haveOwnProperty(
'message',
'[SHAPI-10004] No connected database'
);
expect(parsed).to.haveOwnProperty('name', 'MongoshInvalidInputError');
expect(parsed).to.haveOwnProperty('code', 'SHAPI-10004');
expect(parsed.stack).to.be.a('string');
expect(exitCode).to.equal(1);
});
it('serializes primitive exceptions as EJSON with --json', async function () {
cliReplOptions.shellCliOptions.eval = ['throw null'];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
const parsed = JSON.parse(output);
expect(parsed).to.haveOwnProperty('message', 'null');
expect(parsed).to.haveOwnProperty('name', 'Error');
expect(parsed.stack).to.be.a('string');
expect(exitCode).to.equal(1);
});
it('handles first-attempt EJSON serialization errors', async function () {
cliReplOptions.shellCliOptions.eval = [
'({ toJSON() { throw new Error("nested error"); }})',
];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
await startWithExpectedImmediateExit(cliRepl, '');
const parsed = JSON.parse(output);
expect(parsed).to.haveOwnProperty('message', 'nested error');
expect(parsed).to.haveOwnProperty('name', 'Error');
expect(parsed.stack).to.be.a('string');
expect(exitCode).to.equal(1);
});
it('does not handle second-attempt EJSON serialization errors', async function () {
cliReplOptions.shellCliOptions.eval = [
'({ toJSON() { throw ({ toJSON() { throw new Error("nested error") }}) }})',
];
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
expect.fail('missed exception');
} catch (err: any) {
expect(err.message).to.equal('nested error');
}
});
it('rejects --json without --eval specifications', async function () {
cliReplOptions.shellCliOptions.json = true;
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
expect.fail('missed exception');
} catch (err: any) {
expect(err.message).to.equal(
'Cannot use --json without --eval or with --shell or with extra files'
);
}
});
it('rejects --json with --shell specifications', async function () {
cliReplOptions.shellCliOptions.eval = ['1'];
cliReplOptions.shellCliOptions.json = true;
cliReplOptions.shellCliOptions.shell = true;
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
expect.fail('missed exception');
} catch (err: any) {
expect(err.message).to.equal(
'Cannot use --json without --eval or with --shell or with extra files'
);
}
});
it('rejects --json with --file specifications', async function () {
cliReplOptions.shellCliOptions.eval = ['1'];
cliReplOptions.shellCliOptions.json = true;
cliReplOptions.shellCliOptions.fileNames = ['a.js'];
cliRepl = new CliRepl(cliReplOptions);
try {
await cliRepl.start('', {});
expect.fail('missed exception');
} catch (err: any) {
expect(err.message).to.equal(
'Cannot use --json without --eval or with --shell or with extra files'
);
}
});
});
context('with a global configuration file', function () {
it('loads a global config file as YAML if present', async function () {
const globalConfigFile = path.join(tmpdir.path, 'globalconfig.conf');
await fs.writeFile(
globalConfigFile,
'mongosh:\n redactHistory: remove-redact'
);
cliReplOptions.globalConfigPaths = [globalConfigFile];
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
output = '';
input.write('config.get("redactHistory")\n');
await waitEval(cliRepl.bus);
expect(output).to.include('remove-redact');
});
it('lets the local config file have preference over the global one', async function () {
const localConfigFile = path.join(tmpdir.path, 'config');
await fs.writeFile(localConfigFile, '{"redactHistory":"remove"}');
const globalConfigFile = path.join(tmpdir.path, 'globalconfig.conf');
await fs.writeFile(
globalConfigFile,
'mongosh:\n redactHistory: remove-redact'
);
cliReplOptions.globalConfigPaths = [globalConfigFile];
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
output = '';
input.write('config.get("redactHistory")\n');
await waitEval(cliRepl.bus);
expect(output).to.include('remove');
});
it('loads a global config file as EJSON if present', async function () {
const globalConfigFile = path.join(tmpdir.path, 'globalconfig.conf');
await fs.writeFile(
globalConfigFile,
'{ "redactHistory": "remove-redact" }'
);
cliReplOptions.globalConfigPaths = [globalConfigFile];
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});
output = '';
input.write('config.get("redactHistory")\n');
await waitEval(cliRepl.bus);
expect(output).to.include('remove-redact');
});
it('warns if a global config file is present but could not be parsed', async function () {
const globalConfigFile = path.join(tmpdir.path, 'globalconfig.conf');
await fs.writeFile(globalConfigFile, 'a: b: c\n');
cliReplOptions.globalConfigPaths = [globalConfigFile];
cliRepl = new CliRepl(cliReplOptions);
await cliRepl.start('', {});