var path;
for (var i = 0, c = paths.length; i < c; i++)
{
path = paths[i];
fs.lstat(path, function (error, stat)
{
console.log(path); // this outputs always the last element
});
}
How can I access the path
variable, that was passed to fs.lstat function?
This is a perfect reason to use .forEach()
instead of a for loop to iterate values.
paths.forEach(function( path ) {
fs.lstat( path, function(err, stat) {
console.log( path, stat );
});
});
Also, you could use a closure like @Aadit suggests:
for (var i = 0, c = paths.length; i < c; i++)
{
// creating an Immiedately Invoked Function Expression
(function( path ) {
fs.lstat(path, function (error, stat) {
console.log(path, stat);
});
})( paths[i] );
// passing paths[i] in as "path" in the closure
}
Classic problem. Put the contents of the for loop in another function and call it in the loop. Pass the path as a parameter.
Recursion works nicely here (especially if you have some i/o that must be executed in a synchronous manner):
(function outputFileStat(i) {
var path = paths[i];
fs.lstat(path, function(err, stat) {
console.log(path, stat);
i++;
if(i < paths.length) outputFileStat(i);
});
})(0)