Chciałbym znaleźć wszystkie pliki * .html w folderze src i wszystkie jego podfoldery przy użyciu nodejs. Jak najlepiej to zrobić?
var folder = '/project1/src';
var extension = 'html';
var cb = function(err, results) {
// results is an array of the files with path relative to the folder
console.log(results);
}
// This function is what I am looking for. It has to recursively traverse all sub folders.
findFiles(folder, extension, cb);
Myślę, że wielu programistów powinno mieć świetne i sprawdzone rozwiązanie i lepiej z niego korzystać niż pisać samodzielnie.
node.js
find
file-extension
Nicolas S.Xu
źródło
źródło
Odpowiedzi:
node.js, rekurencyjna prosta funkcja:
var path = require('path'), fs=require('fs'); function fromDir(startPath,filter){ //console.log('Starting from dir '+startPath+'/'); if (!fs.existsSync(startPath)){ console.log("no dir ",startPath); return; } var files=fs.readdirSync(startPath); for(var i=0;i<files.length;i++){ var filename=path.join(startPath,files[i]); var stat = fs.lstatSync(filename); if (stat.isDirectory()){ fromDir(filename,filter); //recurse } else if (filename.indexOf(filter)>=0) { console.log('-- found: ',filename); }; }; }; fromDir('../LiteScript','.html');
dodaj RegExp, jeśli chcesz uzyskać fantazyjny, i wywołanie zwrotne, aby uczynić go ogólnym.
var path = require('path'), fs=require('fs'); function fromDir(startPath,filter,callback){ //console.log('Starting from dir '+startPath+'/'); if (!fs.existsSync(startPath)){ console.log("no dir ",startPath); return; } var files=fs.readdirSync(startPath); for(var i=0;i<files.length;i++){ var filename=path.join(startPath,files[i]); var stat = fs.lstatSync(filename); if (stat.isDirectory()){ fromDir(filename,filter,callback); //recurse } else if (filter.test(filename)) callback(filename); }; }; fromDir('../LiteScript',/\.html$/,function(filename){ console.log('-- found: ',filename); });
źródło
lubię używać pakietu glob :
const glob = require('glob'); glob(__dirname + '/**/*.html', {}, (err, files)=>{ console.log(files) })
źródło
Co, poczekaj ?! ... Okej, może to ma większy sens również dla kogoś innego.
[ nodejs 7 mind you]
fs = import('fs'); let dirCont = fs.readdirSync( dir ); let files = dirCont.filter( function( elm ) {return elm.match(/.*\.(htm?html)/ig);});
Zrób cokolwiek z wyrażeniem regularnym, uczyń z niego argument, który ustawisz w funkcji z wartością domyślną itp.
źródło
wl
ma sens. Brakuje również importu dla fs. Trzy potrzebne linie to: 1.const fs = require('fs');
2.const dirCont = fs.readdirSync( dir );
3.const files = dirCont.filter( ( elm ) => /.*\.(htm?html)/gi.test(elm) );
Na podstawie kodu Lucio stworzyłem moduł. Zwróci plik z wszystkimi plikami z określonymi rozszerzeniami pod jednym. Po prostu opublikuj to tutaj, na wypadek gdyby ktoś tego potrzebował.
var path = require('path'), fs = require('fs'); /** * Find all files recursively in specific folder with specific extension, e.g: * findFilesInDir('./project/src', '.html') ==> ['./project/src/a.html','./project/src/build/index.html'] * @param {String} startPath Path relative to this file or other file which requires this files * @param {String} filter Extension name, e.g: '.html' * @return {Array} Result files with path string in an array */ function findFilesInDir(startPath,filter){ var results = []; if (!fs.existsSync(startPath)){ console.log("no dir ",startPath); return; } var files=fs.readdirSync(startPath); for(var i=0;i<files.length;i++){ var filename=path.join(startPath,files[i]); var stat = fs.lstatSync(filename); if (stat.isDirectory()){ results = results.concat(findFilesInDir(filename,filter)); //recurse } else if (filename.indexOf(filter)>=0) { console.log('-- found: ',filename); results.push(filename); } } return results; } module.exports = findFilesInDir;
źródło
Możesz to zrobić za pomocą Filehound .
Na przykład: znajdź wszystkie pliki .html w / tmp:
const Filehound = require('filehound'); Filehound.create() .ext('html') .paths("/tmp") .find((err, htmlFiles) => { if (err) return console.error("handle err", err); console.log(htmlFiles); });
Więcej informacji (i przykładów) można znaleźć w dokumentach: https://github.com/nspragg/filehound
Zastrzeżenie : jestem autorem.
źródło
Spojrzałem na powyższe odpowiedzi i wymieszałem ze sobą tę wersję, która działa dla mnie:
function getFilesFromPath(path, extension) { let files = fs.readdirSync( path ); return files.filter( file => file.match(new RegExp(`.*\.(${extension})`, 'ig'))); } console.log(getFilesFromPath("./testdata", ".txt"));
Ten test zwróci tablicę nazw plików z plików znalezionych w folderze w ścieżce
./testdata
. Praca na węźle w wersji 8.11.3.źródło
.*\.(${extension})$
Możesz w tym celu skorzystać z pomocy systemu operacyjnego. Oto rozwiązanie wieloplatformowe:
1. Funkcja poniżej używa
ls
idir
nie przeszukuje rekurencyjnie, ale ma ścieżki względnevar exec = require('child_process').exec; function findFiles(folder,extension,cb){ var command = ""; if(/^win/.test(process.platform)){ command = "dir /B "+folder+"\\*."+extension; }else{ command = "ls -1 "+folder+"/*."+extension; } exec(command,function(err,stdout,stderr){ if(err) return cb(err,null); //get rid of \r from windows stdout = stdout.replace(/\r/g,""); var files = stdout.split("\n"); //remove last entry because it is empty files.splice(-1,1); cb(err,files); }); } findFiles("folderName","html",function(err,files){ console.log("files:",files); })
2. Funkcja poniżej używa
find
idir
, wyszukuje rekurencyjnie, ale w oknach ma ścieżki bezwzględnevar exec = require('child_process').exec; function findFiles(folder,extension,cb){ var command = ""; if(/^win/.test(process.platform)){ command = "dir /B /s "+folder+"\\*."+extension; }else{ command = 'find '+folder+' -name "*.'+extension+'"' } exec(command,function(err,stdout,stderr){ if(err) return cb(err,null); //get rid of \r from windows stdout = stdout.replace(/\r/g,""); var files = stdout.split("\n"); //remove last entry because it is empty files.splice(-1,1); cb(err,files); }); } findFiles("folder","html",function(err,files){ console.log("files:",files); })
źródło
Poniższy kod wyszukuje rekursywnie wewnątrz ./ (odpowiednio go zmień) i zwraca tablicę bezwzględnych nazw plików kończących się na .html
var fs = require('fs'); var path = require('path'); var searchRecursive = function(dir, pattern) { // This is where we store pattern matches of all files inside the directory var results = []; // Read contents of directory fs.readdirSync(dir).forEach(function (dirInner) { // Obtain absolute path dirInner = path.resolve(dir, dirInner); // Get stats to determine if path is a directory or a file var stat = fs.statSync(dirInner); // If path is a directory, scan it and combine results if (stat.isDirectory()) { results = results.concat(searchRecursive(dirInner, pattern)); } // If path is a file and ends with pattern then push it onto results if (stat.isFile() && dirInner.endsWith(pattern)) { results.push(dirInner); } }); return results; }; var files = searchRecursive('./', '.html'); // replace dir and pattern // as you seem fit console.log(files);
źródło
Nie można dodać komentarza ze względu na reputację, ale zwróć uwagę na następujące kwestie:
Użycie fs.readdir lub node-glob do znalezienia zestawu symboli wieloznacznych w folderze zawierającym 500 000 plików zajęło około 2 s. Użycie exec z DIR zajęło ~ 0,05s (nierekurencyjne) lub ~ 0,45s (rekurencyjne). (Szukałem ~ 14 plików pasujących do mojego wzorca w jednym katalogu).
Do tej pory nie udało mi się znaleźć żadnej implementacji nodejs, która wykorzystuje niskopoziomowe symbole wieloznaczne systemu operacyjnego do wyszukiwania wydajności. Ale powyższy kod oparty na DIR / ls działa wspaniale w oknach pod względem wydajności. Jednak linux będzie działał bardzo wolno w przypadku dużych katalogów.
źródło
moje dwa pensy, używając mapy zamiast pętli for
var path = require('path'), fs = require('fs'); var findFiles = function(folder, pattern = /.*/, callback) { var flist = []; fs.readdirSync(folder).map(function(e){ var fname = path.join(folder, e); var fstat = fs.lstatSync(fname); if (fstat.isDirectory()) { // don't want to produce a new array with concat Array.prototype.push.apply(flist, findFiles(fname, pattern, callback)); } else { if (pattern.test(fname)) { flist.push(fname); if (callback) { callback(fname); } } } }); return flist; }; // HTML files var html_files = findFiles(myPath, /\.html$/, function(o) { console.log('look what we have found : ' + o} ); // All files var all_files = findFiles(myPath);
źródło
Spójrz na file-regex
let findFiles = require('file-regex') let pattern = '\.js' findFiles(__dirname, pattern, (err, files) => { console.log(files); })
Powyższy fragment spowoduje wydrukowanie wszystkich
js
plików w bieżącym katalogu.źródło
Właśnie zauważyłem, że używasz metod sync fs, które mogą blokować twoją aplikację, oto sposób asynchroniczny oparty na obietnicy z użyciem async i q , możesz go wykonać za pomocą START = / myfolder FILTER = ". Jpg" węzeł myfile.js, zakładając, że umieścisz następujący kod w pliku o nazwie myfile.js:
Q = require("q") async = require("async") path = require("path") fs = require("fs") function findFiles(startPath, filter, files){ var deferred; deferred = Q.defer(); //main deferred //read directory Q.nfcall(fs.readdir, startPath).then(function(list) { var ideferred = Q.defer(); //inner deferred for resolve of async each //async crawling through dir async.each(list, function(item, done) { //stat current item in dirlist return Q.nfcall(fs.stat, path.join(startPath, item)) .then(function(stat) { //check if item is a directory if (stat.isDirectory()) { //recursive!! find files in subdirectory return findFiles(path.join(startPath, item), filter, files) .catch(function(error){ console.log("could not read path: " + error.toString()); }) .finally(function() { //resolve async job after promise of subprocess of finding files has been resolved return done(); }); //check if item is a file, that matches the filter and add it to files array } else if (item.indexOf(filter) >= 0) { files.push(path.join(startPath, item)); return done(); //file is no directory and does not match the filefilter -> don't do anything } else { return done(); } }) .catch(function(error){ ideferred.reject("Could not stat: " + error.toString()); }); }, function() { return ideferred.resolve(); //async each has finished, so resolve inner deferred }); return ideferred.promise; }).then(function() { //here you could do anything with the files of this recursion step (otherwise you would only need ONE deferred) return deferred.resolve(files); //resolve main deferred }).catch(function(error) { deferred.reject("Could not read dir: " + error.toString()); return }); return deferred.promise; } findFiles(process.env.START, process.env.FILTER, []) .then(function(files){ console.log(files); }) .catch(function(error){ console.log("Problem finding files: " + error); })
źródło
zainstalować
możesz zainstalować ten pakiet walk-sync wg
Stosowanie
const walkSync = require("walk-sync"); const paths = walkSync("./project1/src", {globs: ["**/*.html"]}); console.log(paths); //all html file path array
źródło
Stary post, ale ES6 obsługuje teraz tę
includes
metodę po wyjęciu z pudełka .let files = ['file.json', 'other.js']; let jsonFiles = files.filter(file => file.includes('.json')); console.log("Files: ", jsonFiles) ==> //file.json
źródło
file.readdirSync
i potrzebowałem prostego sposobu na filtrowanie plików według rozszerzenia. Myślę, że to odpowiada na część pytania w tym wątku, ale może nie na wszystko. Nadal warto to rozważyć.