10

这个问题可能是基于我以前缺乏使用 node.js 的经验,但我希望 jasmine-node 能让我从命令行运行我的 jasmine 规范。

测试助手.js:

var helper_func = function() {
    console.log("IN HELPER FUNC");
};

my_test.spec.js:

describe ('Example Test', function() {
  it ('should use the helper function', function() {
    helper_func();
    expect(true).toBe(true);
  }); 
});

这些是目录中仅有的两个文件。然后,当我这样做时:

jasmine-node .

我明白了

ReferenceError: helper_func is not defined

我确信这个问题的答案很简单,但我没有在 github 上找到任何超级简单的介绍或任何明显的内容。任何建议或帮助将不胜感激!

谢谢!

4

2 回答 2

16

在节点中,所有内容都被命名为它的 js 文件。要使其他文件可以调用该函数,请将 TestHelper.js 更改为如下所示:

var helper_func = function() {
    console.log("IN HELPER FUNC");
};
// exports is the "magic" variable that other files can read
exports.helper_func = helper_func;

然后将您的 my_test.spec.js 更改为如下所示:

// include the helpers and get a reference to it's exports variable
var helpers = require('./TestHelpers');

describe ('Example Test', function() {
  it ('should use the helper function', function() {
    helpers.helper_func(); // note the change here too
    expect(true).toBe(true);
  }); 
});

最后,我相信jasmine-node .会按顺序运行目录中的每个文件 - 但您不需要运行帮助程序。相反,您可以将它们移动到不同的目录(并将./中的更改require()为正确的路径),或者您可以只运行jasmine-node *.spec.js.

于 2012-04-10T02:41:52.607 回答
4

如果您将 jasmine 配置为:

{
  "spec_dir": "spec",
  "spec_files": [
    "**/*[sS]pec.js"
  ],
  "helpers": [
    "helpers/**/*.js"
  ],
  "stopSpecOnExpectationFailure": false,
  "random": false
}

helpers/ 文件夹中的所有内容都将在 Spec 文件之前运行。在帮助文件中有这样的东西来包含你的功能。

beforeAll(function(){
  this.helper_func = function() {
  console.log("IN HELPER FUNC");
  };
});

然后,您将能够在您的规范文件中引用它

于 2017-03-02T04:44:40.057 回答