I have tried this in nodejs but i am getting undefined as output in my console
// Connect using a MongoClient instance
const MongoClient = require("mongodb").MongoClient;
const test = require("assert");
// Connection url
const url = "mongodb://localhost:27017";
// Database Name
const dbName = "test";
// Connect using MongoClient
const mongoClient = new MongoClient(url);
mongoClient.connect(function (err, client) {
const db = client.db(dbName);
try {
db.collection("employeeDetails")
.find({})
.toArray(function (err, res) {
console.log(res);
});
} catch (e) {
console.log(e);
} finally {
client.close();
}
});
How do i get my employee details in my console Any help would be appreciated
You're closing the connection before getting the results. If you print
err
insidetoArray()
along with result, you will see below error -This is happening because the
db.collection("employeeDetails")...
is getting called but waits for results in callback, till then it moves ahead and since after that statement you are exitingtry-catch
, you enter intofinally
which closes the session. When thedb.collection...
call is processed, this session is already ended and you see this error.You can use async await. Modify your code as below -
In the line
mongoClient.connect(async function (err, client)..
we're using async before the callback function and later inside, we can just get the result using -After this
console.log
will print your results correctly.