find file with wild card matching
If you don’t want to add a new dependency to your project (like glob ), you can use plain js/node functions, like:
var files = fs.readdirSync('C:/tmp').filter(fn => fn.endsWith('.csv'));
Regex may help in more complex comparisons
Great solution! The glob libraries that I’ve checked, also use readdirSync() and parse the results. But in most cases, a 1-line solution is faster instead of adding a new dependency to the project
This is not covered by Node core. You can check out this module for what you are after.
Setup
Usage
var glob = require("glob") // options is optional glob("**/*.js", options, function (er, files) < // files is an array of filenames. // If the `nonull` option is set, and nothing // was found, then files is ["**/*.js"] // er is an error object or null. >)
It is not better. Better is getting people using the resources associated with the topic. In this case, learning to use NPM/npmjs.org.
It’s not necessarily a Node thing, I feel like it is better to point out resources that can be used in the future rather than just showing someone how to do something. I do the same with MDN for straight JS questions.
@MorganARR: I was just following policy. Feel free to re-edit. The review system will do it’s work. By the way: edits made through the review page are not going for +2.
In case you are looking for a synchronous solution the mentioned glob library above also has a sync method github.com/isaacs/node-glob#globsyncpattern-options
@MorganARRAllen While I agree that folks should use the linked resources, it’s also part of the standard on Stackoverflow to include a sample of what you’re describing in your answer. I tend to do both, as this answer does after edits, having both the link as well as a code snippet. Links can be broken over time, after all.
If glob is not quite what you want, or a little confusing, there is also glob-fs. The documentation covers many usage scenarios with examples.
// sync var files = glob.readdirSync('*.js', <>); // async glob.readdir('*.js', function(err, files) < console.log(files); >); // stream glob.readdirStream('*.js', <>) .on('data', function(file) < console.log(file); >); // promise glob.readdirPromise('*.js') .then(function(files) < console.log(file); >);
Unfortunately glob-fs is not working well with wild cards. See github.com/micromatch/glob-fs/issues/22
@GokceAkcan The post was made before the bug was introduced, but it would probably be better to find something more current. There haven’t been any package updates since 2017.
Pretty straightforward with match out of the box
import fs from 'fs' fs.readdirSync('C:/tmp/').filter((allFilesPaths:string) => allFilesPaths.match(/\.csv$/) !== null)
Just in case you want to search files by regex (for complex matches), then consider using file-regex, which supports recursive search and concurrency control (for faster results).
import FindFiles from 'file-regex' // This will find all the files with extension .js // in the given directory const result = await FindFiles(__dirname, /\.js$/); console.log(result)
dont reinvent the wheel, if you are on *nix the ls tool can easily do this (node api docs)
var options = < cwd: process.cwd(), >require('child_process') .exec('ls -1 *.csv', options, function(err, stdout, stderr)< if(err)< console.log(stderr); throw err >; // remove any trailing newline, otherwise last element will be "": stdout = stdout.replace(/\n$/, ''); var files = stdout.split('\n'); >);
i have never tried but you can attempt a similar result with the windows dir /B command, you may also need to split on \r\n , not positive
I strongly against this way of doing things. Invoking command line tools from program code and parsing the result will turn out into maintenance disaster. I inherited project like this once.
I object to the downvote; certainly there are use cases where glob or some other module would be preferable (e.g. if you want to deploy across many platforms and are unsure about whether ls will behave the same,) but I don’t consider my answer sloppy or «clearly or dangerously incorrect». «Use your downvotes whenever you encounter an egregiously sloppy, no-effort-expended post, or an answer that is clearly and perhaps dangerously incorrect.»
What if the user is on an unconventional Linux distribution and ls generates funny log? What if the user aliased ls to something else? What if the user runs other stuff that write to stdout at the same time this block runs? The list goes on and on. I think this answer deserves a downvote, in that it’s perhaps dangerously incorrect.
Как найти файл javascript
Привет! Как в Node.js найти файл(ы) (или проверить его/их существование), зная только часть его имени? :help:
Н-р, мы хотим узнать существует ли в директории «/path/» файл(ы) с именем, в котором присутствует строка «298AA5B8». :yes:
В зависимости от ситуации требуется вывести либо только самый последний файл, либо список всех файлов в названии которых есть указанная строка (отсортированный по времени). :thanks:
- AJSDA484_LFK4883G_20049562.txt
- AJSDA484_LFK4883G_20037853.txt
- LFK4883G_AJSDA484_20037853.txt
- 298AA5B8_AJSDA484_18477588.txt
- LFK4883G_298AA5B8_93874223.txt
const fs = require("fs"); const string = '298AA5B8'; fs.findFile('/path/', string, function(error, result) < if (error) < console.log("Файл не найден"); >else < console.log(result); //298AA5B8_AJSDA484_18477588.txt — самый последний добавленный файл с разыскиваемой строкой в имени >>);
Важно чтобы функция сразу заканчивала свою работу как найдёт первое вхождение.
Если надо все файлы, где встречается строка в имени, то предполагаемая реализация такая:
const fs = require("fs"); const string = '298AA5B8'; fs.findFiles('/path/', string, function(error, result) < if (error) < console.log("Файл не найден"); >else < console.log(result); //Выведет массив файлов //['298AA5B8_AJSDA484_18477588.txt','LFK4883G_298AA5B8_93874223.txt']; >>);
В настоящий момент удалось найти только поиск по конкретному названию файла: :no:
const fs = require("fs"); fs.access("filename.txt", function(error) < if (error) < console.log("Файл не найден"); >else < console.log("Файл найден"); >>);
const fs = require("fs"); fs.stat("filename.txt", function(err, stats) < if (err) < console.log("Файл не найден"); >else < console.log("Файл найден"); >>);
Существует ли в Node.js функциональность, чтобы найти файл/ы (или проверить их существование), зная только часть их имени? 😀
P.S. аналогия здесь может быть с SQL:
"SELECT * FROM files WHERE param1 = 'string' OR param2 = 'string' ORDER BY time DESC LIMIT 1";
"SELECT * FROM files WHERE param1 = 'string' OR param2 = 'string' ORDER BY time DESC";
Существует ли в Node.js функциональность, чтобы найти файл/ы (или проверить их существование), зная только часть их имени?
Найдите все файлы в директории и ищите среди них те, которые вам нужны.
Я бы сделал как-то так (код накидал на коленке и не проверял вовсе):
import from 'node:fs/promises'; let index = <>; export function clearCache() < index = <>; > export async function findFiles(path, needle, amountOfFiles = null, shouldThrowAnError = false) < let result = []; try < index[path] ??= await readdir(path); if (index[path] instanceof Error) < throw index[path]; >for (const file of index[path]) < if (file.includes(needle)) < result.push(file); >if (amountOfFiles != null && result.length >= amountOfFiles) < break; >> > catch (err) < index[path] = err; if (shouldThrowAnError) < throw err; >> return result; > findFiles('/path', '298AA5B8'); // ['298AA5B8_AJSDA484_18477588.txt','LFK4883G_298AA5B8_93874223.txt'] findFiles('/path', '298AA5B8', 1); // ['298AA5B8_AJSDA484_18477588.txt'] clearCache();