The Mongoose method is asynchronous , which means you have to use a callback so that you can wrap the request from . For example, in your case, you can define a callback as find() find()
function getChildrenQuery(parentId, callback){
    Parent.find({"_id": parentId}, "children", function(err, docs){
        if (err) {
          callback(err, null);
        } else {
          callback(null, docs);
        }
    }); 
}
which you can call as follows:
var id = "562676a04787a98217d1c81e";
getChildrenQuery(id, function(err, children) {
    if (err) console.log(err);
    
    children.forEach(function(child){
      console.log(child.name);
    });
});
, , - promises, exec() Promise, :
function getChildrenPromise(parentId){
   var promise = Parent.find({_id: parentId}).select("children").exec();
   return promise;
}
, , async:
var promise = getChildrenPromise("562676a04787a98217d1c81e");
promise.then(function(children){
    children.forEach(function(child){
        console.log(child.name);
    });
}).error(function(error){
    console.log(error);
});