2

我正在寻找猴子补丁 require() 用我自己的函数替换它的文件加载。我想在内部 require(module_id) 做了类似的事情:

  1. 将 module_id 转换为文件路径
  2. 将文件路径加载为字符串
  3. 将字符串编译成模块对象并正确设置各种全局变量

我希望在不重新实现步骤 1 + 3 的情况下替换步骤 2。查看公共 API,有执行 1-3 的 require() 和执行 1 的 require.resolve()。有没有办法将步骤 2 与第 3 步?

我查看了诸如mockery之类的 require 模拟工具的来源——他们似乎所做的只是用一个函数替换 require() ,该函数拦截某些调用并返回用户提供的对象,并将其他调用传递给本机要求()函数。

对于上下文,我正在尝试编写一个函数 require_at_commit(module_id, git_commit_id),它加载一个模块以及该模块的任何要求,就像它们在给定提交时一样。

我想要这个函数,因为我希望能够编写某些函数 a) 依赖于我的代码库的各个部分,并且 b) 保证在我发展我的代码库时不会改变。我想在不同的时间点“冻结”我的代码,所以认为这可能是一种避免打包我的代码库的 20 个副本的简单方法(另一种方法是使用 "my_code_v1": "git://.. ." 在我的 package.json 中,但我觉得 20 个版本会显得臃肿且缓慢)。

更新:

所以模块加载的源代码在这里:https ://github.com/joyent/node/blob/master/lib/module.js 。具体来说,要执行此类操作,您需要重新实现 Module._load,这非常简单。但是,还有一个更大的障碍,即第 1 步,将 module_id 转换为文件路径,实际上比我想象的要难,因为 resolveFilename 需要能够调用 fs.exists() 才能知道在哪里终止其搜索...所以我不能只替换单个文件,我必须替换整个目录,这意味着将整个 git 修订版导出到一个目录并将 require() 指向该目录可能更容易,而不是覆盖 require() .

更新 2:

最终完全使用了不同的方法......请参阅我在下面添加的答案

4

2 回答 2

1

您可以使用该require.extensions机制。这就是 coffee-scriptcoffee命令.coffee无需将.js文件写入磁盘即可加载文件的方式。

以下是它的工作原理:

https://github.com/jashkenas/coffee-script/blob/1.6.2/lib/coffee-script/coffee-script.js#L20

  loadFile = function(module, filename) {
    var raw, stripped;
    raw = fs.readFileSync(filename, 'utf8');
    stripped = raw.charCodeAt(0) === 0xFEFF ? raw.substring(1) : raw;
    return module._compile(compile(stripped, {
      filename: filename,
      literate: helpers.isLiterate(filename)
    }), filename);
  };

  if (require.extensions) {
    _ref = ['.coffee', '.litcoffee', '.md', '.coffee.md'];
    for (_i = 0, _len = _ref.length; _i < _len; _i++) {
      ext = _ref[_i];
      require.extensions[ext] = loadFile;
    }
  }

基本上,假设您的模块具有一组众所周知的扩展,您应该能够使用这种模式的函数,该函数采用模块和文件名,执行您需要的任何加载/转换,然后返回一个作为模块的对象。

这可能足以满足您的要求,也可能不足以满足您的要求,但老实说,从您的问题来看,您听起来像是在远离编程世界其他地方的杂草丛生(不要那么苛刻,这只是我最初的反应)。

于 2013-05-31T23:45:09.560 回答
0

因此,我没有弄乱 node require() 模块,而是将我需要的给定提交归档到一个文件夹中。我的代码看起来像这样:

# commit_id is the commit we want
# (note that if we don't need the whole repository, 
# we can pass "commit_id path_to_folder_we_need")
#
# path is the path to the file you want to require starting from the repository root 
# (ie 'lib/module.coffee')
#
# cb is called with (err, loaded_module)
#
require_at_commit = (commit_id, path, cb) ->
    dir = 'old_versions' #make sure this is in .gitignore!
    dir += '/' + commit_id

    do_require = -> cb null, require dir + '/' + path

    if not fs.existsSync(dir)   
        fs.mkdirSync(dir)            
        cmd = 'git archive ' + commit_id  + ' | tar -x -C ' + dir
        child_process.exec cmd, (error) ->
            if error
                cb error
            else
                do_require()
    else
        do_require()
于 2013-06-04T16:54:44.047 回答