Skip to content
This repository was archived by the owner on Feb 4, 2022. It is now read-only.

Commit 8f797a7

Browse files
committed
feat(uri-parser): add initial implementation of uri parser for core
NODE-1295
1 parent 01c3120 commit 8f797a7

File tree

2 files changed

+242
-0
lines changed

2 files changed

+242
-0
lines changed

lib/uri_parser.js

+169
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,169 @@
1+
'use strict';
2+
const URL = require('url');
3+
const qs = require('querystring');
4+
const punycode = require('punycode');
5+
6+
const HOSTS_RX = /(mongodb(?:\+srv|)):\/\/(?: (?:[^:]*) (?: : ([^@]*) )? @ )?([^/?]*)(?:\/|)(.*)/;
7+
/*
8+
This regular expression has the following cpature groups: [
9+
protocol, username, password, hosts
10+
]
11+
*/
12+
13+
/**
14+
*
15+
* @param {*} value
16+
*/
17+
function parseQueryStringItemValue(value) {
18+
if (Array.isArray(value)) {
19+
// deduplicate and simplify arrays
20+
value = value.filter((value, idx) => value.indexOf(value) === idx);
21+
if (value.length === 1) value = value[0];
22+
} else if (value.indexOf(':') > 0) {
23+
value = value.split(',').reduce((result, pair) => {
24+
const parts = pair.split(':');
25+
result[parts[0]] = parseQueryStringItemValue(parts[1]);
26+
return result;
27+
}, {});
28+
} else if (value.toLowerCase() === 'true' || value.toLowerCase() === 'false') {
29+
value = value.toLowerCase() === 'true';
30+
} else if (!Number.isNaN(value)) {
31+
const numericValue = parseFloat(value);
32+
if (!Number.isNaN(numericValue)) {
33+
value = parseFloat(value);
34+
}
35+
}
36+
37+
return value;
38+
}
39+
40+
/**
41+
*
42+
* @param {*} query
43+
*/
44+
function parseQueryString(query) {
45+
const result = {};
46+
let parsedQueryString = qs.parse(query);
47+
for (const key in parsedQueryString) {
48+
const value = parsedQueryString[key];
49+
if (value === '' || value == null) {
50+
return new Error('Incomplete key value pair for option');
51+
}
52+
53+
result[key.toLowerCase()] = parseQueryStringItemValue(value);
54+
}
55+
56+
// special cases for known deprecated options
57+
if (result.wtimeout && result.wtimeoutms) {
58+
delete result.wtimeout;
59+
// TODO: emit a warning
60+
}
61+
62+
return Object.keys(result).length ? result : null;
63+
}
64+
65+
const SUPPORTED_PROTOCOLS = ['mongodb', 'mongodb+srv'];
66+
67+
/**
68+
* Parses a MongoDB Connection string
69+
*
70+
* @param {*} uri the MongoDB connection string to parse
71+
* @param {parseCallback} callback
72+
*/
73+
function parseConnectionString(uri, callback) {
74+
const cap = uri.match(HOSTS_RX);
75+
if (!cap) {
76+
return callback(new Error('Invalid connection string'));
77+
}
78+
79+
const protocol = cap[1];
80+
if (SUPPORTED_PROTOCOLS.indexOf(protocol) === -1) {
81+
return callback(new Error('Invalid protocol provided'));
82+
}
83+
84+
const dbAndQuery = cap[4].split('?');
85+
const db = dbAndQuery.length > 0 ? dbAndQuery[0] : null;
86+
const query = dbAndQuery.length > 1 ? dbAndQuery[1] : null;
87+
const options = parseQueryString(query);
88+
if (options instanceof Error) {
89+
return callback(options);
90+
}
91+
92+
const auth = { username: null, password: null, db: db && db !== '' ? qs.unescape(db) : null };
93+
if (cap[4].split('?')[0].indexOf('@') !== -1) {
94+
return callback(new Error('Unescaped slash in userinfo section'));
95+
}
96+
97+
const authorityParts = cap[3].split('@');
98+
if (authorityParts.length > 2) {
99+
return callback(new Error('Unescaped at-sign in authority section'));
100+
}
101+
102+
if (authorityParts.length > 1) {
103+
const authParts = authorityParts.shift().split(':');
104+
if (authParts.length > 2) {
105+
return callback(new Error('Unescaped colon in authority section'));
106+
}
107+
108+
auth.username = qs.unescape(authParts[0]);
109+
auth.password = authParts[1] ? qs.unescape(authParts[1]) : null;
110+
}
111+
112+
let hostParsingError = null;
113+
const hosts = authorityParts
114+
.shift()
115+
.split(',')
116+
.map(host => {
117+
let parsedHost = URL.parse(`mongodb://${host}`);
118+
if (parsedHost.path === '/:') {
119+
hostParsingError = new Error('Double colon in host identifier');
120+
return null;
121+
}
122+
123+
// heuristically determine if we're working with a domain socket
124+
if (host.match(/\.sock/)) {
125+
parsedHost.hostname = qs.unescape(host);
126+
parsedHost.port = null;
127+
}
128+
129+
if (Number.isNaN(parsedHost.port)) {
130+
hostParsingError = new Error('Invalid port (non-numeric string)');
131+
return;
132+
}
133+
134+
const result = {
135+
host: punycode.toUnicode(parsedHost.hostname),
136+
port: parsedHost.port ? parseInt(parsedHost.port) : null
137+
};
138+
139+
if (result.port === 0) {
140+
hostParsingError = new Error('Invalid port (zero) with hostname');
141+
return;
142+
}
143+
144+
if (result.port > 65535) {
145+
hostParsingError = new Error('Invalid port (larger than 65535) with hostname');
146+
return;
147+
}
148+
149+
if (result.port < 0) {
150+
hostParsingError = new Error('Invalid port (negative number)');
151+
return;
152+
}
153+
154+
return result;
155+
})
156+
.filter(host => !!host);
157+
158+
if (hostParsingError) {
159+
return callback(hostParsingError);
160+
}
161+
162+
if (hosts.length === 0 || hosts[0].host === '' || hosts[0].host === null) {
163+
return callback(new Error('No hostname or hostnames provided in connection string'));
164+
}
165+
166+
callback(null, { hosts: hosts, auth: auth.db || auth.username ? auth : null, options: options });
167+
}
168+
169+
module.exports = parseConnectionString;
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,73 @@
1+
'use strict';
2+
3+
const parseConnectionString = require('../../../lib/uri_parser'),
4+
fs = require('fs'),
5+
f = require('util').format,
6+
expect = require('chai').expect;
7+
8+
// NOTE: These are cases we could never check for unless we write out own
9+
// url parser. The node parser simply won't let these through, so we
10+
// are safe skipping them.
11+
const skipTests = [
12+
'Invalid port (negative number) with hostname',
13+
'Invalid port (non-numeric string) with hostname',
14+
'Missing delimiting slash between hosts and options',
15+
16+
// These tests are only relevant to the native driver which
17+
// cares about specific keys, and validating their values
18+
'Unrecognized option keys are ignored',
19+
'Unsupported option values are ignored'
20+
];
21+
22+
describe('Connection String (spec)', function() {
23+
const testFiles = fs
24+
.readdirSync(f('%s/../spec/connection-string', __dirname))
25+
.filter(x => x.indexOf('.json') !== -1)
26+
.map(x => JSON.parse(fs.readFileSync(f('%s/../spec/connection-string/%s', __dirname, x))));
27+
28+
// Execute the tests
29+
for (let i = 0; i < testFiles.length; i++) {
30+
const testFile = testFiles[i];
31+
32+
// Get each test
33+
for (let j = 0; j < testFile.tests.length; j++) {
34+
const test = testFile.tests[j];
35+
if (skipTests.indexOf(test.description) !== -1) {
36+
continue;
37+
}
38+
39+
it(test.description, {
40+
metadata: { requires: { topology: 'single' } },
41+
test: function(done) {
42+
const valid = test.valid;
43+
44+
parseConnectionString(test.uri, function(err, result) {
45+
if (valid === false) {
46+
expect(err).to.exist;
47+
expect(result).to.not.exist;
48+
} else {
49+
expect(err).to.not.exist;
50+
expect(result).to.exist;
51+
52+
// remove data we don't track
53+
if (test.auth && test.auth.password === '') {
54+
test.auth.password = null;
55+
}
56+
57+
test.hosts = test.hosts.map(host => {
58+
delete host.type;
59+
return host;
60+
});
61+
62+
expect(result.hosts).to.eql(test.hosts);
63+
expect(result.auth).to.eql(test.auth);
64+
expect(result.options).to.eql(test.options);
65+
}
66+
67+
done();
68+
});
69+
}
70+
});
71+
}
72+
}
73+
});

0 commit comments

Comments
 (0)