Answers:
根据seppo0010的评论,我使用了重命名功能。
http://nodejs.org/docs/latest/api/fs.html#fs_fs_rename_oldpath_newpath_callback
fs.rename(oldPath,newPath,回调)
在v0.0.2中添加
oldPath <String> | <Buffer> newPath <String> | <Buffer> callback <Function>异步重命名(2)。除了可能的异常外,没有其他参数被赋予完成回调。
此示例摘自:运行中的Node.js
一个move()函数,如果可能的话,该函数会重命名或退回复制
var fs = require('fs');
module.exports = function move(oldPath, newPath, callback) {
    fs.rename(oldPath, newPath, function (err) {
        if (err) {
            if (err.code === 'EXDEV') {
                copy();
            } else {
                callback(err);
            }
            return;
        }
        callback();
    });
    function copy() {
        var readStream = fs.createReadStream(oldPath);
        var writeStream = fs.createWriteStream(newPath);
        readStream.on('error', callback);
        writeStream.on('error', callback);
        readStream.on('close', function () {
            fs.unlink(oldPath, callback);
        });
        readStream.pipe(writeStream);
    }
}
原生使用nodejs
var fs = require('fs')
var oldPath = 'old/path/file.txt'
var newPath = 'new/path/file.txt'
fs.rename(oldPath, newPath, function (err) {
  if (err) throw err
  console.log('Successfully renamed - AKA moved!')
})
(注意:“如果您正在跨分区或使用不支持移动文件的虚拟文件系统,此操作将不起作用。[... – Flavien Volken 2015年9月2日,12:50“)
util.pump 在节点0.10中弃用并生成警告消息
 util.pump() is deprecated. Use readableStream.pipe() instead因此,使用流复制文件的解决方案是:
var source = fs.createReadStream('/path/to/source');
var dest = fs.createWriteStream('/path/to/dest');
source.pipe(dest);
source.on('end', function() { /* copied */ });
source.on('error', function(err) { /* error */ });
这是一个使用util.pump的示例,来自>> 如何将文件a移动到Node.js中的其他分区或设备?
var fs = require('fs'),
    util = require('util');
var is = fs.createReadStream('source_file')
var os = fs.createWriteStream('destination_file');
util.pump(is, os, function() {
    fs.unlinkSync('source_file');
});fs.rename()(在卷中重命名文件并移动它是同一件事)。
                    对大于8.0.0的Node版本使用Promise:
const {promisify} = require('util');
const fs = require('fs');
const {join} = require('path');
const mv = promisify(fs.rename);
const moveThem = async () => {
  // Move file ./bar/foo.js to ./baz/qux.js
  const original = join(__dirname, 'bar/foo.js');
  const target = join(__dirname, 'baz/qux.js'); 
  await mv(original, target);
}
moveThem();fs.rename如果您在具有卷的Docker环境中,仅需小心一点就行不通。
                    async向moveThem函数添加一个声明。
                    如上面答案中所述,只是我的2美分:copy()方法不能原样用于未经稍作调整即可复制文件:
function copy(callback) {
    var readStream = fs.createReadStream(oldPath);
    var writeStream = fs.createWriteStream(newPath);
    readStream.on('error', callback);
    writeStream.on('error', callback);
    // Do not callback() upon "close" event on the readStream
    // readStream.on('close', function () {
    // Do instead upon "close" on the writeStream
    writeStream.on('close', function () {
        callback();
    });
    readStream.pipe(writeStream);
}复制函数包装在Promise中:
function copy(oldPath, newPath) {
  return new Promise((resolve, reject) => {
    const readStream = fs.createReadStream(oldPath);
    const writeStream = fs.createWriteStream(newPath);
    readStream.on('error', err => reject(err));
    writeStream.on('error', err => reject(err));
    writeStream.on('close', function() {
      resolve();
    });
    readStream.pipe(writeStream);
  })但是,请记住,如果目标文件夹不存在,文件系统可能会崩溃。
我将所有涉及的功能(即rename,)彼此分开copy,unlink以获取灵活性并实现所有功能,当然:
const renameFile = (path, newPath) => 
  new Promise((res, rej) => {
    fs.rename(path, newPath, (err, data) =>
      err
        ? rej(err)
        : res(data));
  });
const copyFile = (path, newPath, flags) =>
  new Promise((res, rej) => {
    const readStream = fs.createReadStream(path),
      writeStream = fs.createWriteStream(newPath, {flags});
    readStream.on("error", rej);
    writeStream.on("error", rej);
    writeStream.on("finish", res);
    readStream.pipe(writeStream);
  });
const unlinkFile = path => 
  new Promise((res, rej) => {
    fs.unlink(path, (err, data) =>
      err
        ? rej(err)
        : res(data));
  });
const moveFile = (path, newPath, flags) =>
  renameFile(path, newPath)
    .catch(e => {
      if (e.code !== "EXDEV")
        throw new e;
      else
        return copyFile(path, newPath, flags)
          .then(() => unlinkFile(path));
    });moveFile 只是一个便捷函数,例如,当我们需要更细粒度的异常处理时,我们可以单独应用函数。
这是对teoman shipahi的回答的重新表达,其名称略有歧义,并遵循在尝试调用代码之前定义代码的设计原则。(虽然节点允许您执行其他操作,但是将手推车放在马前不是一个好习惯。)
function rename_or_copy_and_delete (oldPath, newPath, callback) {
    function copy_and_delete () {
        var readStream = fs.createReadStream(oldPath);
        var writeStream = fs.createWriteStream(newPath);
        readStream.on('error', callback);
        writeStream.on('error', callback);
        readStream.on('close', 
              function () {
                fs.unlink(oldPath, callback);
              }
        );
        readStream.pipe(writeStream);
    }
    fs.rename(oldPath, newPath, 
        function (err) {
          if (err) {
              if (err.code === 'EXDEV') {
                  copy_and_delete();
              } else {
                  callback(err);
              }
              return;// << both cases (err/copy_and_delete)
          }
          callback();
        }
    );
}借助以下URL的帮助,您可以将文件CURRENT Source复制或移动到Destination Source。
/*********Moves the $file to $dir2 Start *********/
var moveFile = (file, dir2)=>{
  //include the fs, path modules
  var fs = require('fs');
  var path = require('path');
  //gets file name and adds it to dir2
  var f = path.basename(file);
  var dest = path.resolve(dir2, f);
  fs.rename(file, dest, (err)=>{
    if(err) throw err;
    else console.log('Successfully moved');
  });
};
//move file1.htm from 'test/' to 'test/dir_1/'
moveFile('./test/file1.htm', './test/dir_1/');
/*********Moves the $file to $dir2 END *********/
/*********copy the $file to $dir2 Start *********/
var copyFile = (file, dir2)=>{
  //include the fs, path modules
  var fs = require('fs');
  var path = require('path');
  //gets file name and adds it to dir2
  var f = path.basename(file);
  var source = fs.createReadStream(file);
  var dest = fs.createWriteStream(path.resolve(dir2, f));
  source.pipe(dest);
  source.on('end', function() { console.log('Succesfully copied'); });
  source.on('error', function(err) { console.log(err); });
};
//example, copy file1.htm from 'test/dir_1/' to 'test/'
copyFile('./test/dir_1/file1.htm', './test/');
/*********copy the $file to $dir2 END *********/如果您要移动或重命名node.js源文件,请尝试以下https://github.com/viruschidai/node-mv。它将更新所有其他文件中对该文件的引用。
您可以使用move-filenpm软件包:
首先安装软件包:
$ npm install move-file用法:
const moveFile = require('move-file');
// moveFile Returns a Promise that resolves when the file has been moved
moveFile('source/unicorn.png', 'destination/unicorn.png')
  .then(() => {/* Handle success */})
  .catch((err) => {/* Handle failure */});
// Or use async/await
(async () => {
    try {
      await moveFile('source/unicorn.png', 'destination/unicorn.png');
      console.log('The file has been moved');
    } catch (err) {
      // Handle failure
      console.error(err);
    }
})();