NodeJS检测修改过的文件

时间:2016-12-02 23:22:42

标签: javascript json node.js file checksum

App加载用户的文本文件,用户可以更改每个文件。 在应用程序启动时,我想检查自上次以来是否有任何文件被更改。 我认为最有效的方法是计算每个文件的校验和并保存到一个json文件。 在应用程序启动时,我将检查每个文件校验和并将其与json文件中的数据进行比较 有没有更优/有效的方法呢?或者如何精确计算文件校验和?

2 个答案:

答案 0 :(得分:2)

像这篇博客这样的文章很适合你:http://blog.tompawlak.org/calculate-checksum-hash-nodejs-javascript

代码示例(来自博客):

var crypto = require('crypto');

function checksum (str, algorithm, encoding) {
    return crypto
        .createHash(algorithm || 'md5')
        .update(str, 'utf8')
        .digest(encoding || 'hex')
}

从文件中读取并显示其哈希值:

fs.readFile('test.dat', function (err, data) {
    checksum(data);         // e53815e8c095e270c6560be1bb76a65d
    checksum(data, 'sha1'); // cd5855be428295a3cc1793d6e80ce47562d23def
});

比较校验和以查找文件是否已更改有效,您还可以使用fs.stat

比较上次修改文件的时间

答案 1 :(得分:1)

我相信使用fs.stat并检查'最后一次修改'比阅读整个文件和比较校验和要快得多,因为它只是元数据(你实际上并没有读取整个文件)。

此外,如果您的文件位于不同的目录中,则可以测试文件夹是否已更改。这可以减少I / O调用(如果上次修改日期没有改变,您可以跳过检查该文件夹上的文件)。

您必须存储最后修改过的'约会,我会用Redis来做这个。你需要在每次修改和第一次修改时更新它。

这是一个函数(和函数调用)来测试文件或文件夹是否已更改:

let fs = require('fs');
let moment = require('moment');

let path = 'views'; //your folder path (views is an example folder)
wasFileChanged(path, (err,wasChanged) => {
  if (wasChanged){
    console.log('folder was changed, need to compare files');
    //need to update redis here
    //...comapre files to find what was changed
  }
  else{
    console.log('folder was not changed');
  }
});

/**
 * Checks if a file/folder was changed 
 */
function wasFileChanged(path, callback) {
  fs.open(path, 'r', (err, fd) => {
    if (err) {
      return callback (err);
    } else {

      //obtain previous modified date of the folder (I would use redis to store/retrieve this data)
      let lastModifed = '2016-12-03T00:41:12Z'; //put the string value here, this is just example

      fs.stat(path, (err, data) => {
        console.log('check if file/folder last modified date, was it after my last check ');

        //I use moment module to compare dates
        let previousLMM = moment(lastModifed);
        let folderLMM = moment(data.mtime.toISOString());
        let res = !(folderLMM.isSame(previousLMM, 'second')); //seconds granularity
        return callback (null, res);
      });
    }
  });
}