अतुल्यकालिकता के बारे में सुपर क्लासिक शुरुआती गलती :)
क्या हो रहा है :
var name; // FIRST you declare the name variable
schema.findone({name : 'Bob'} , function(er , db){ // SECOND you launch a request to the DB
name = db; // FOURTH name is populated.
console.log(db);
});
console.log(name); // !! THIRD !! you log name - it's empty
आपको क्या करना चाहिए :
schema.findone({name : 'Bob'} , function(er , db){
doSomethingElse(db);
});
function doSomethingElse(name){
console.log(name); // It's defined.
}
आपको वैश्विक चर घोषित भी नहीं करना चाहिए, क्योंकि यह एक बुरा अभ्यास है। जैसे ही डेटा उपलब्ध होता है, इसे किसी अन्य फ़ंक्शन में पास करें और इसके साथ कुछ करें। इसलिए आप अपने वैश्विक दायरे को प्रदूषित नहीं करते हैं।
संपादित करें :चूंकि आप किसी कारण से पूरी तरह से वैश्विक चर चाहते हैं, तो ऐसा करें:
var name;
schema.findone({name : 'Bob'} , function(er , db){
name = db;
console.log(name); // works fine
doSomethingElse();
});
console.log(name); // name is empty here, because the DB request is still in progress at this stage
function doSomethingElse(){
console.log(name); // Tadaaaa! It's a global variable and is defined!
}