Node.js - 특정 패턴과 일치하는 모든 파일 찾기

특정 디렉토리의 파일들 중에서, 특정 패턴과 일치하는 파일 리스트를 찾는 방법을 소개합니다.

1. glob()을 이용한 방법

glob(path_pattern, callback)path_pattern에 해당하는 파일들을 찾아서 callback으로 결과를 전달합니다.

glob이 설치되어있지 않다면 아래와 같은 명령어로 추가할 수 있습니다.

$ npm install glob

glob을 이용하여 아래와 같이 /var/ 경로 아래의 파일들 중에 파일 이름이 .txt로 끝나는 모든 파일들을 찾을 수 있습니다.

const glob = require('glob')

glob('/var/*.txt', (err, files) => {
  if (err) {
    return console.error(err);
  }

  files.forEach(file => {
    console.log(file);
  });
})

Output:

/var/test.txt
/var/test2.txt

실행 환경에서, /var 경로 아래 파일들을 확인해보면 아래와 같은 디렉토리와 파일들이 있습니다.

$ ls /var
lib  local  lock  log  mail  metrics  opt  run  snap  spool  test.txt  test2.txt  www

1.1 하위의 모든 디렉토리 및 파일들 확인

특정 경로 하위의 디렉토리들의 하위 디렉토리까지, 그 디렉토리 아래의 모든 파일들까지 확인하려면 /var/**/*.log와 같이 /**/ 패턴을 추가하면 됩니다.

const glob = require('glob');

glob('/var/**/*.log', (err, files) => {
  if (err) {
    return console.error(err);
  }

  files.forEach(file => {
    console.log(file);
  });
});

Output:

/var/lib/dkms/nvidia/470.141.03/5.11.0-46-generic/x86_64/log/make.log
/var/lib/docker/containers/ef1758c3f211f839e0ba83d31ea038edddd2c0782e978a76f9f83336660cf270/ef1758c3f211f839e0ba83d31ea038edddd2c0782e978a76f9f83336660cf270-json.log
/var/lib/gems/2.7.0/extensions/x86_64-linux/2.7.0/eventmachine-1.2.7/mkmf.log
/var/lib/gems/2.7.0/extensions/x86_64-linux/2.7.0/ffi-1.15.5/mkmf.log
/var/lib/gems/2.7.0/gems/ffi-1.15.5/ext/ffi_c/libffi-x86_64-linux-gnu/config.log
/var/log/alternatives.log
/var/log/apache2/access.log
/var/log/apache2/error.log
/var/log/apache2/other_vhosts_access.log
/var/log/apport.log
/var/log/apt/history.log
/var/log/apt/term.log
/var/log/auth.log
/var/log/boot.log
/var/log/bootstrap.log
/var/log/dist-upgrade/apt.log
/var/log/dpkg.log
/var/log/fontconfig.log
/var/log/gpu-manager-switch.log

2. fs.readdir()을 이용한 방법

fs.readdir(path, callback)으로 path의 하위 파일 리스트를 가져올 수 있습니다. 파일 목록을 가져오고 파일 이름에 대해서 정규표현식으로 필터링하여 특정 패턴의 파일들을 찾을 수 있습니다.

const fs = require('fs');

fs.readdir("/var", (err, files) => {
  if (err) {
    throw err;
  }

  files.filter(file => /.*\.txt/.test(file))
    .forEach(file => {
      console.log(file);
    });
});

Output:

test.txt
test2.txt
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha