fs 파일 옮기기 (file move)

Javascript 의 fs 모듈을 사용하여 파일을 옮기는 방법을 알아보자.

  • fs.readdir 을 사용하여 폴더의 파일 목록을 가져올 수 있다.
  • source 와 destination 을 지정하고 fs.rename 을 사용하여 파일을 옮길 수 있다.

아래의 예제는 markdown 파일을 헥소 사이트이 post 폴더로 옮기는 예제이다.

fs 파일 옮기기 (file move)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
import { createRequire } from "module";
const require = createRequire(import.meta.url);
const fs = require("fs");
// directory path
const sourceDirectory = "./posts/";
const destinationDirectory = "../blog-hexo6-next/source/_posts/game/nes/";

export const moveFile = async (filename) => {
let sourceFileFullPath = `${sourceDirectory}${filename}.md`;
let destinationFileFullPath = `${destinationDirectory}${filename}.md`;
// Check if folder exists before writing files there
if (!fs.existsSync(destinationDirectory)) {
fs.mkdirSync(destinationDirectory);
}

// save the file as pathname.md
fs.rename(sourceFileFullPath, destinationFileFullPath, (err) => {
if (err) {
console.log(err);
return false;
}
});
return true;
}

// fs read Directory files
// Language: javascript
fs.readdir(sourceDirectory, (err, files) => {
if (err) {
console.log(err);
} else {
files.forEach((file) => {
let filename = file.split(".")[0];
moveFile(filename);
});
}
});

fs 파일 옮기기 (async 버전)

async 버전으로도 구현할 수 있습니다

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
const fs = require('fs').promises;
const path = require('path');

const oldPath = '/source/file.js';
const newPath = '/another/directory/file.js';

async function moveFile(oldPath, newPath) {
await fs.mkdir(path.dirname(newPath), { recursive: true });

return fs.rename(oldPath, newPath);
}

moveFile(oldPath, newPath)
.then(console.log('File moved successfully'))
.catch(console.error);