Maak een Connection
singleton-module om de app-databaseverbinding te beheren.
MongoClient biedt geen singleton-verbindingspool, dus u wilt MongoClient.connect()
niet aanroepen herhaaldelijk in uw app. Een singleton-klasse om de mongo-client in te pakken werkt voor de meeste apps die ik heb gezien.
const MongoClient = require('mongodb').MongoClient
class Connection {
static async open() {
if (this.db) return this.db
this.db = await MongoClient.connect(this.url, this.options)
return this.db
}
}
Connection.db = null
Connection.url = 'mongodb://127.0.0.1:27017/test_db'
Connection.options = {
bufferMaxEntries: 0,
reconnectTries: 5000,
useNewUrlParser: true,
useUnifiedTopology: true,
}
module.exports = { Connection }
Overal waar u require('./Connection')
, de Connection.open()
methode beschikbaar zal zijn, evenals de Connection.db
eigenschap als deze is geïnitialiseerd.
const router = require('express').Router()
const { Connection } = require('../lib/Connection.js')
// This should go in the app/server setup, and waited for.
Connection.open()
router.get('/files', async (req, res) => {
try {
const files = await Connection.db.collection('files').find({})
res.json({ files })
}
catch (error) {
res.status(500).json({ error })
}
})
module.exports = router