我正在尝试浏览目录(及其所有子目录)并重命名(移动)每个图像(如果它是.jpg
文件。我认为我的代码是正确的。我正在使用异步重命名和递增计数器来增加文件名。但是出于某种原因,在我的四个子文件夹的测试中,只有一半的图像被重命名。我不知道为什么会这样,因为我只是在回调文件(成功重命名图像)时递增,并检查控制台是否列出了rename
被调用的每个文件。
var fs = require('fs');
var filePrefix = 'new_Images';
var folderName = 'changed';
var counter = 0;
function examine (path) {
fs.readdir(path, function (err, files) {
files.forEach(function (file) {
var oldPath = path + file;
fs.stat(oldPath, function (err, stats) {
if (stats.isDirectory()) {
examine(oldPath + '/');
} else {
var suffix = oldPath.substr(oldPath.length - 3);
if (suffix === 'jpg') {
fs.rename(oldPath, './' + folderName + '/' + filePrefix + counter + '.jpg', function (e) {
if (e) throw new Error('something bad happened');
console.log('Renamed a .jpg file');
console.log(oldPath);
console.log(counter);
counter++;
});
} else if (suffix === 'png') {
fs.rename(oldPath, './' + folderName + './' + filePrefix + counter + '.png', function (e) {
if (e) throw new Error('something bad happened');
console.log('Renamed a .png file');
console.log(oldPath);
console.log(counter);
counter++;
});
}
}
});
});
});
}
examine('./');
此代码将记录每个文件已重命名,并且所有文件都将被删除,但实际上只有一半文件被移动(重命名)到新文件夹
答案 0 :(得分:3)
我猜测文件正在被覆盖。
由于在重命名时进行异步调用,因此在进行异步调用之前应该增加counter
,而不是在成功重命名之后。由于异步调用中没有顺序,因此在使用相同名称进行任何成功重命名操作之前,可能会有一半的调用。
您可以通过记录文件名来验证这一点:
if (suffix === 'jpg') {
console.log('renaming with file name ' + filePrefix + counter + '.jpg');
fs.rename(oldPath, './' + folderName + '/' + filePrefix + counter + '.jpg', function (e) {
...
});
} else if (suffix === 'png') {
console.log('renaming with file name ' + filePrefix + counter + '.png');
fs.rename(oldPath, './' + folderName + './' + filePrefix + counter + '.png', function (e) {
...
});
}
答案 1 :(得分:0)
该计划符合所有要求
var fs = require('fs'),
path = require('path');
var oldPath = 'G:\\oldPath\\oldPath';
var newPath = 'G:\\newPath\\newPath\\';
var ext = 'jpg';
var newPrefix = 'newPrefix';
var myFun = function(mypath) {
fs.readdir(mypath, function(error, files) {
if (error)
console.log('error ' + error.code + ' : ' + error.message);
else {
files.map(function(file) {
return path.join(mypath, file)
}).filter(function(file) {
if(fs.statSync(file).isFile())
return file;
else
return myFun(file);
}).forEach(function(file){
var path_file = file.split('\\');
var extension = path_file[path_file.length - 1].split('.');
if (extension[1] === ext) {
var source = fs.createReadStream(file);
var target = fs.createWriteStream(newPath + newPrefix + path_file[path_file.length - 1]);
source.pipe(target);
fs.unlink(file);
}
})
}
})
}