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

Commit 19b42ce

Browse files
committed
feat(mongodb+srv): add support for mongodb+srv to the uri parser
NODE-1295
1 parent b513019 commit 19b42ce

File tree

2 files changed

+139
-17
lines changed

2 files changed

+139
-17
lines changed

lib/uri_parser.js

+135-13
Original file line numberDiff line numberDiff line change
@@ -2,17 +2,123 @@
22
const URL = require('url');
33
const qs = require('querystring');
44
const punycode = require('punycode');
5+
const dns = require('dns');
56

7+
/**
8+
* The following regular expression validates a connection string and breaks the
9+
* provide string into the following capture groups: [protocol, username, password, hosts]
10+
*/
611
const HOSTS_RX = /(mongodb(?:\+srv|)):\/\/(?: (?:[^:]*) (?: : ([^@]*) )? @ )?([^/?]*)(?:\/|)(.*)/;
7-
/*
8-
This regular expression has the following cpature groups: [
9-
protocol, username, password, hosts
10-
]
11-
*/
1212

1313
/**
14+
* Determines whether a provided address matches the provided parent domain in order
15+
* to avoid certain attack vectors.
1416
*
15-
* @param {*} value
17+
* @param {String} srvAddress The address to check against a domain
18+
* @param {String} parentDomain The domain to check the provided address against
19+
* @return {Boolean} Whether the provided address matches the parent domain
20+
*/
21+
function matchesParentDomain(srvAddress, parentDomain) {
22+
const regex = /^.*?\./;
23+
const srv = `.${srvAddress.replace(regex, '')}`;
24+
const parent = `.${parentDomain.replace(regex, '')}`;
25+
return srv.endsWith(parent);
26+
}
27+
28+
/**
29+
* Lookup an `mongodb+srv` connection string, combine the parts and reparse it as a normal
30+
* connection string.
31+
*
32+
* @param {string} uri The connection string to parse
33+
* @param {object} options Optional user provided connection string options
34+
* @param {function} callback
35+
*/
36+
function parseSrvConnectionString(uri, options, callback) {
37+
const result = URL.parse(uri);
38+
39+
// Otherwise parse this as an SRV record
40+
if (result.hostname.split('.').length < 3) {
41+
return callback(new Error('URI does not have hostname, domain name and tld'));
42+
}
43+
44+
result.domainLength = result.hostname.split('.').length;
45+
46+
if (result.pathname && result.pathname.match(',')) {
47+
return callback(new Error('Invalid URI, cannot contain multiple hostnames'));
48+
}
49+
50+
if (result.port) {
51+
return callback(new Error('Ports not accepted with `mongodb+srv` URIs'));
52+
}
53+
54+
let srvAddress = `_mongodb._tcp.${result.host}`;
55+
dns.resolveSrv(srvAddress, (err, addresses) => {
56+
if (err) return callback(err);
57+
58+
if (addresses.length === 0) {
59+
return callback(new Error('No addresses found at host'));
60+
}
61+
62+
for (let i = 0; i < addresses.length; i++) {
63+
if (!matchesParentDomain(addresses[i].name, result.hostname, result.domainLength)) {
64+
return callback(new Error('Server record does not share hostname with parent URI'));
65+
}
66+
}
67+
68+
let base = result.auth ? `mongodb://${result.auth}@` : `mongodb://`;
69+
let connectionStrings = addresses.map(
70+
(address, i) =>
71+
i === 0 ? `${base}${address.name}:${address.port}` : `${address.name}:${address.port}`
72+
);
73+
74+
let connectionString = connectionStrings.join(',') + '/';
75+
let connectionStringOptions = [];
76+
77+
// Default to SSL true
78+
if (!options.ssl && !result.search) {
79+
connectionStringOptions.push('ssl=true');
80+
} else if (!options.ssl && result.search && !result.search.match('ssl')) {
81+
connectionStringOptions.push('ssl=true');
82+
}
83+
84+
// Keep original uri options
85+
if (result.search) {
86+
connectionStringOptions.push(result.search.replace('?', ''));
87+
}
88+
89+
dns.resolveTxt(result.host, (err, record) => {
90+
if (err && err.code !== 'ENODATA') return callback(err);
91+
if (err && err.code === 'ENODATA') record = null;
92+
93+
if (record) {
94+
if (record.length > 1) {
95+
return callback(new Error('Multiple text records not allowed'));
96+
}
97+
98+
record = record[0];
99+
record = record.length > 1 ? record.join('') : record[0];
100+
if (!record.includes('authSource') && !record.includes('replicaSet')) {
101+
return callback(new Error('Text record must only set `authSource` or `replicaSet`'));
102+
}
103+
104+
connectionStringOptions.push(record);
105+
}
106+
107+
// Add any options to the connection string
108+
if (connectionStringOptions.length) {
109+
connectionString += `?${connectionStringOptions.join('&')}`;
110+
}
111+
112+
parseConnectionString(connectionString, callback);
113+
});
114+
});
115+
}
116+
117+
/**
118+
* Parses a query string item according to the connection string spec
119+
*
120+
* @param {Array|String} value The value to parse
121+
* @return {Array|Object|String} The parsed value
16122
*/
17123
function parseQueryStringItemValue(value) {
18124
if (Array.isArray(value)) {
@@ -38,12 +144,15 @@ function parseQueryStringItemValue(value) {
38144
}
39145

40146
/**
147+
* Parses a query string according the connection string spec.
41148
*
42-
* @param {*} query
149+
* @param {String} query The query string to parse
150+
* @return {Object} The parsed query string as an object
43151
*/
44152
function parseQueryString(query) {
45153
const result = {};
46154
let parsedQueryString = qs.parse(query);
155+
47156
for (const key in parsedQueryString) {
48157
const value = parsedQueryString[key];
49158
if (value === '' || value == null) {
@@ -65,12 +174,16 @@ function parseQueryString(query) {
65174
const SUPPORTED_PROTOCOLS = ['mongodb', 'mongodb+srv'];
66175

67176
/**
68-
* Parses a MongoDB Connection string
177+
* Parses a MongoDB connection string
69178
*
70179
* @param {*} uri the MongoDB connection string to parse
180+
* @param {object} [options] Optional settings.
71181
* @param {parseCallback} callback
72182
*/
73-
function parseConnectionString(uri, callback) {
183+
function parseConnectionString(uri, options, callback) {
184+
if (typeof options === 'function') (callback = options), (options = {});
185+
options = options || {};
186+
74187
const cap = uri.match(HOSTS_RX);
75188
if (!cap) {
76189
return callback(new Error('Invalid connection string'));
@@ -81,14 +194,19 @@ function parseConnectionString(uri, callback) {
81194
return callback(new Error('Invalid protocol provided'));
82195
}
83196

197+
if (protocol === 'mongodb+srv') {
198+
return parseSrvConnectionString(uri, options, callback);
199+
}
200+
84201
const dbAndQuery = cap[4].split('?');
85202
const db = dbAndQuery.length > 0 ? dbAndQuery[0] : null;
86203
const query = dbAndQuery.length > 1 ? dbAndQuery[1] : null;
87-
const options = parseQueryString(query);
88-
if (options instanceof Error) {
89-
return callback(options);
204+
let parsedOptions = parseQueryString(query);
205+
if (parsedOptions instanceof Error) {
206+
return callback(parsedOptions);
90207
}
91208

209+
parsedOptions = Object.assign({}, parsedOptions, options);
92210
const auth = { username: null, password: null, db: db && db !== '' ? qs.unescape(db) : null };
93211
if (cap[4].split('?')[0].indexOf('@') !== -1) {
94212
return callback(new Error('Unescaped slash in userinfo section'));
@@ -163,7 +281,11 @@ function parseConnectionString(uri, callback) {
163281
return callback(new Error('No hostname or hostnames provided in connection string'));
164282
}
165283

166-
callback(null, { hosts: hosts, auth: auth.db || auth.username ? auth : null, options: options });
284+
callback(null, {
285+
hosts: hosts,
286+
auth: auth.db || auth.username ? auth : null,
287+
options: Object.keys(parsedOptions).length ? parsedOptions : null
288+
});
167289
}
168290

169291
module.exports = parseConnectionString;

test/tests/unit/connection_string_spec_tests.js

+4-4
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
'use strict';
22

3-
const parseConnectionString = require('../../../lib/uri_parser'),
4-
fs = require('fs'),
5-
f = require('util').format,
6-
expect = require('chai').expect;
3+
const parseConnectionString = require('../../../lib/uri_parser');
4+
const fs = require('fs');
5+
const f = require('util').format;
6+
const expect = require('chai').expect;
77

88
// NOTE: These are cases we could never check for unless we write out own
99
// url parser. The node parser simply won't let these through, so we

0 commit comments

Comments
 (0)