我有一些代码来检查我的MongoClient是否已经连接:
connect(): Promise<null> {
const self = this;
if (this.client && this.client.isConnected()) {
return Promise.resolve(null);
}
return MongoClient.connect(this.uri).then(function (client) {
const db = client.db('local');
self.client = client;
self.coll = db.collection('oplog.rs');
return null;
});
}
问题是isConnected方法需要一些必需参数:
isConnected(name: string, options?: MongoClientCommonOption): boolean;
这是信息:
http://mongodb.github.io/node-mongodb-native/3.0/api/MongoClient.html#isConnected
所以我需要传递除数据库名称之外的任何内容吗? 如果我不知道它可能连接到哪个数据库怎么办?
当我在运行时调试时,我只看到一个options参数(只有一个参数,而不是两个):
(查看图片最右侧的isConnected方法)。
答案 0 :(得分:6)
文档不正确。查看source code(第395行),唯一支持的参数是可选的options
对象。
MongoClient.prototype.isConnected = function(options) {
options = options || {};
if (!this.topology) return false;
return this.topology.isConnected(options);
};
因此请忽略文档,不要传递数据库名称。
答案 1 :(得分:1)
我有一个建议:
const MongoClient = require('mongodb').MongoClient
, async = require('async')
const state = {
db: null,
mode: null,
}
// In the real world it will be better if the production uri comes
// from an environment variable, instead of being hard coded.
const PRODUCTION_URI = 'mongodb://127.0.0.1:27018/production'
, TEST_URI = 'mongodb://127.0.0.1:27018/test'
exports.MODE_TEST = 'mode_test'
exports.MODE_PRODUCTION = 'mode_production'
// To connect to either the production or the test database.
exports.connect = (mode, done) => {
if (state.db) {
return done()
}
const uri = mode === exports.MODE_TEST ? TEST_URI : PRODUCTION_URI
MongoClient.connect(uri, (err, db) => {
if (err) {
return done(err)
}
state.db = db
state.mode = mode
done()
})
}
您可以在模型中调用数据库,如下所示:
const DB = require('../db')
const COLLECTION = 'comments'
let db
// Get all comments
exports.all = (cb) => {
db = DB.getDB()
db.collection(COLLECTION).find().toArray(cb)
}
...
请参阅完整节点测试项目: