我是MongoDB的新手,对于任何pebkac,我们深表歉意。
对于每个this article,统一拓扑范式脱离了“连接”的概念,而是简单地建立连接字符串并开始进行操作。然后,每个操作将失败还是成功,具体取决于执行该操作时驱动程序是否可以访问服务器。
我正在尝试实现以下示例代码,以在测试计算机上建立与本地MongoDB服务器的“连接”,但无法正常工作:节点抛出了未捕获的Promise Reject消息,这显然是因为它在办法。
但是,示例代码并未显示如何使用Promises实现新的范例。我假设这是主要问题,所以我尝试了如下所示的第二个代码,但仍未获得允许我检索记录的对象。您能否告知我我在做什么错,以及在Express应用程序中执行此操作的建议/最佳方法,以确保它尽可能稳定?
首次尝试: index.js:
async function init(){
console.log("Starting...");
const MongoClient = require('mongodb');
const client = MongoClient('mongodb://test:test@localhost:27017', { useUnifiedTopology: true });
const coll = client.db('test').collection('foo');
await coll.insert({ test: 'document' });
const docs = coll.find({ test: 1 }, { readPreference: 'secondary' }).toArray();
console.dir({ docs });
await client.close();
}
init();
错误:
Starting...
(node:15328) UnhandledPromiseRejectionWarning: TypeError: client.db is not a function
at init (index.js:5:22)
at Object.<anonymous> (index.js:13:1)
at Module._compile (internal/modules/cjs/loader.js:1128:30)
at Object.Module._extensions..js (internal/modules/cjs/loader.js:1167:10)
at Module.load (internal/modules/cjs/loader.js:983:32)
at Function.Module._load (internal/modules/cjs/loader.js:891:14)
at Function.executeUserEntryPoint [as runMain] (internal/modules/run_main.js:71:12)
at internal/main/run_main_module.js:17:47
(node:15328) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 1)
(node:15328) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
因此,显然,这是在尝试使用Promises,但是示例并未以这种方式实现。
这是第二次尝试:
index.js:
async function init(){
console.log("Starting...");
const MongoClient = require('mongodb');
const client = MongoClient('mongodb://test:test@localhost:27017', { useUnifiedTopology: true })
.then(async (result) => {
console.log("Connected: result = ", result);
const db = result('test'); // Get the 'test' database
const coll = db.collection('foo'); // Ge the 'foo' collection
await coll.insert( { test: 'document' }); // Create a new document
const docs = coll.find({}, { readPreference: 'secondary'}) // Retrieve all docs
.then((results) => {
const data = results.toArray();
console.log('Results: ', data);
});
await client.close();
})
.catch((err) => {
console.log('Caught error: ', err);
});
}
init();
输出:
Starting...
Connected: result = MongoClient {
_events: [Object: null prototype] { newListener: [Function (anonymous)] },
_eventsCount: 1,
_maxListeners: undefined,
s: {
url: 'mongodb://test:test@localhost:27017',
options: {
servers: [Array],
caseTranslate: true,
useUnifiedTopology: true,
checkServerIdentity: true,
sslValidate: true,
auth: [Object],
authSource: 'admin',
dbName: 'test',
socketTimeoutMS: 360000,
connectTimeoutMS: 30000,
retryWrites: true,
useRecoveryToken: true,
readPreference: [ReadPreference],
credentials: [MongoCredentials],
promiseLibrary: [Function: Promise]
},
promiseLibrary: [Function: Promise],
dbCache: Map {},
sessions: Set {},
writeConcern: undefined,
namespace: MongoDBNamespace { db: 'admin', collection: undefined }
},
topology: NativeTopology {
_events: [Object: null prototype] {
authenticated: [Function (anonymous)],
error: [Function (anonymous)],
timeout: [Function (anonymous)],
close: [Function (anonymous)],
parseError: [Function (anonymous)],
fullsetup: [Function],
all: [Function],
reconnect: [Function (anonymous)],
serverOpening: [Function (anonymous)],
serverDescriptionChanged: [Function (anonymous)],
serverHeartbeatStarted: [Function (anonymous)],
serverHeartbeatSucceeded: [Function (anonymous)],
serverHeartbeatFailed: [Function (anonymous)],
serverClosed: [Function (anonymous)],
topologyOpening: [Function (anonymous)],
topologyClosed: [Function (anonymous)],
topologyDescriptionChanged: [Function (anonymous)],
commandStarted: [Function (anonymous)],
commandSucceeded: [Function (anonymous)],
commandFailed: [Function (anonymous)],
joined: [Function (anonymous)],
left: [Function (anonymous)],
ping: [Function (anonymous)],
ha: [Function (anonymous)]
},
_eventsCount: 24,
_maxListeners: Infinity,
s: {
id: 0,
options: [Object],
seedlist: [Array],
state: 'connected',
description: [TopologyDescription],
serverSelectionTimeoutMS: 30000,
heartbeatFrequencyMS: 10000,
minHeartbeatFrequencyMS: 500,
Cursor: [Function: Cursor],
bson: BSON {},
servers: [Map],
sessionPool: [ServerSessionPool],
sessions: Set {},
promiseLibrary: [Function: Promise],
credentials: [MongoCredentials],
clusterTime: null,
iterationTimers: Set {},
connectionTimers: Set {},
clientInfo: [Object]
}
}
}
Caught error: TypeError: result is not a function
at index.js:8:15
at processTicksAndRejections (internal/process/task_queues.js:97:5)
答案 0 :(得分:0)
这是使用统一拓扑范例(无显式connect
命令)从Node.JS连接到MongoDB数据库的完整示例。感谢@MaheshBhatnagar指出我的错误。
此示例使用Promises,并在建立连接后开始以每5秒一次的频率插入记录。如果您禁用或断开MongoDB数据库的连接,它将一直缓存插入直到(a。它超时,默认为30秒,或b。恢复连接)。如果超时,插入的内容将丢失,但是如果服务器重新联机,则后续请求将得到正确处理。
让我知道我是否做错了什么或任何建议。
index.js:
const url = 'mongodb://test:test@localhost:27017';
async function init(){
console.log("init...");
const MongoClient = require('mongodb');
return MongoClient(url, { useUnifiedTopology: true}); // Return a Promise
}
async function go(db_result) {
// Do an insert and output the last-inserted document.
console.log("Go...");
const db = db_result.db('test'); // Get the 'test' database
const coll = db.collection('foo'); // Ge the 'foo' collection
// Create a new document:
await coll.insertOne({ test: 'document' }, (err, response) => {
if (err) {
console.log("Error inserting", err);
}
else
{
console.log("New record: ", response.ops[0]) // Output newly inserted record (thanks to https://stackoverflow.com/questions/40766654)
}
});
}
// Sleep for a specified time:
function sleep(ms) {
return new Promise( resolve => {
setTimeout(resolve,ms)
})
}
init() // Set up connection, then start doing inserts.
.then( async (db_result) => {
// When MongoClient is instantiated:
while(true) {
console.log("Going...")
go(db_result)
console.log("Sleeping")
await sleep(5000);
}
})
.catch((err) => {
console.log("Caught error: ", err)
})