- xml - AJAX/Jquery XML 解析
- 具有多重继承的 XML 模式
- .net - 枚举序列化 Json 与 XML
- XML 简单类型、简单内容、复杂类型、复杂内容
在过去的几个月里,我一直在使用 JavaScript 并使用 SinonJS 来 stub 一些行为。我已经设法让它发挥作用,我使用了很多方法,一切都很好。
但对于诗浓在幕后的运作方式,我还是有些疑问。我想我说的是 Sinon,但这个问题可能适用于所有其他旨在模拟/ stub / spy 的库。
过去几年我使用最多的语言是 Java。在 Java 中,我使用 Mockito 来模拟/ stub 依赖项和依赖项注入(inject)。我曾经导入类,用 @Mock
注释字段并将此模拟作为参数传递给被测类。我很容易看出我在做什么:模拟一个类并将模拟作为参数传递。
当我第一次开始使用 SinonJS 时,我看到了这样的东西:
moduleUnderTest.spec.js
const request = require('request')
describe('Some tests', () => {
let requestStub
beforeEach(() => {
requestStub = sinon.stub(request, 'get')
})
afterEach(() => {
request.get.restore()
})
it('A test case', (done) => {
const err = undefined
const res = { statusCode: 200 }
const body = undefined
requestStub
.withArgs("some_url")
.yields(err, res, body)
const moduleUnderTest = moduleUnderTest.someFunction()
// some assertions
})
})
moduleUnderTest.js
const request = require('request')
// some code
request
.get("some_url", requestParams, onResponse)
而且它有效。当我们运行测试时,moduleUnderTest.js
实现中的 request
调用 request
模块的 stub 版本。
我的问题是:为什么会这样?
当测试调用实现执行时,实现需要并使用request
模块。如果我们不将 stub 对象作为参数传递(注入(inject)),Sinon(和其他模拟/ stub / spy 库)如何设法使实现调用 stub ? Sinon 在测试执行期间替换了整个 request
模块(或其中的一部分),通过 require('request')
使 stub 可用,然后在测试完成后恢复它完成了吗?
我试图遵循 stub.js
中的逻辑Sinon repo 中的代码,但我对 JavaScript 还不是很熟悉。对不起,很长的帖子,如果这是一个虚拟问题,我很抱歉。 :)
最佳答案
How Sinon (and other mock/stub/spy libraries) manage to make the implementation call the stub if we are not passing the stubbed object as param (injecting it)?
让我们编写自己的简单 stub 工具,好吗?
为简洁起见,它非常有限,不提供 stub API,并且每次只返回 42。但这应该足以说明 Sinon 是如何工作的。
function stub(obj, methodName) {
// Get a reference to the original method by accessing
// the property in obj named by methodName.
var originalMethod = obj[methodName];
// This is actually called on obj.methodName();
function replacement() {
// Always returns this value
return 42;
// Note that in this scope, we are able to call the
// orignal method too, so that we'd be able to
// provide callThrough();
}
// Remember reference to the original method to be able
// to unstub (this is *one*, actually a little bit dirty
// way to reference the original function)
replacement.originalMethod = originalMethod;
// Assign the property named by methodName to obj to
// replace the method with the stub replacement
obj[methodName] = replacement;
return {
// Provide the stub API here
};
}
// We want to stub bar() away
var foo = {
bar: function(x) { return x * 2; }
};
function underTest(x) {
return foo.bar(x);
}
stub(foo, "bar");
// bar is now the function "replacement"
// foo.bar.originalMethod references the original method
underTest(3);
Sinon replaces the whole request
module
(or part of it) during the test execution, making the stub available viarequire('request')
and then restore it after the tests are finished?
require('request')
每次调用时都会返回在“request”模块中创建的相同(对象)引用。
参见 NodeJS documentation :
Modules are cached after the first time they are loaded. This means (among other things) that every call to
require('foo')
will get exactly the same object returned, if it would resolve to the same file.Multiple calls to
require('foo')
may not cause the module code to be executed multiple times. This is an important feature. With it, "partially done" objects can be returned, thus allowing transitive dependencies to be loaded even when they would cause cycles.
如果还不清楚:它只替换从“请求”模块返回的对象引用的单个方法,它不替换模块。
这就是你不打电话的原因
stub(obj.method)
因为这只会传递对函数 method
的引用。 Sinon 将无法更改对象obj
。
文档进一步说:
If you want to have a module execute code multiple times, then export a function, and call that function.
这意味着,如果一个模块看起来像这样:
foo.js
module.exports = function() {
return {
// New object everytime the required "factory" is called
};
};
main.js
// The function returned by require("foo") does not change
const moduleFactory = require("./foo"),
// This will change on every call
newFooEveryTime = moduleFactory();
此类模块工厂函数无法 stub ,因为您无法替换 require()
从模块内 导出的内容。
In Java, I've used Mockito to mock/stub the dependencies and dependency injection. I used to import the Class, annotate the field with
@Mock
and pass this mock as param to the class under test. It's easy to me to see what I'm doing: mocking a class and passing the mock as param.
在 Java 中,您(无)不能将方法重新分配给新值,这是无法做到的。取而代之的是生成新的字节码,使模拟提供与模拟类相同的接口(interface)。与 Sinon 相比,Mockito 的所有方法都被模拟并且应该是 explictly instructed。调用真正的方法。
Mockito 将有效调用 mock()
最后将结果赋值给注解字段。
但是您仍然需要将 mock 替换/分配给被测类中的字段,或者将其传递给测试方法,因为 mock 本身没有帮助。
@Mock
Type field;
或
Type field = mock(Type.class)
其实相当于Sinons mocks
var myAPI = { method: function () {} };
var mock = sinon.mock(myAPI);
mock.expects("method").once().throws();
方法先replaced with the expects()
call :
wrapMethod(this.object, method, function () {
return mockObject.invokeMethod(method, this, arguments);
});
关于javascript - Sinon stub 是如何工作的?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/44932261/
我有一个 html 格式的表单: 我需要得到 JavaScript在value input 字段执行,但只能通过表单的 submit .原因是页面是一个模板所以我不控制它(不能有
我管理的论坛是托管软件,因此我无法访问源代码,我只能向页面添加 JavaScript 来实现我需要完成的任务。 我正在尝试用超链接替换所有页面上某些文本关键字的第一个实例。我还根据国家/地区代码对这些
我正在使用 JS 打开新页面并将 HTML 代码写入其中,但是当我尝试使用 document.write() 在新页面中编写 JS 时功能不起作用。显然,一旦看到 ,主 JS 就会关闭。用于即将打开的
提问不是为了解决问题,提问是为了更好地理解系统 专家!我知道每当你将 javascript 代码输入 javascript 引擎时,它会立即由 javascript 引擎执行。由于没有看过Engi
我在一个文件夹中有两个 javascript 文件。我想将一个变量的 javascript 文件传递到另一个。我应该使用什么程序? 最佳答案 window.postMessage用于跨文档消息。使
我有一个练习,我需要输入两个输入并检查它们是否都等于一个。 如果是 console.log 正则 console.log false 我试过这样的事情: function isPositive(fir
我正在做一个Web应用程序,计划允许其他网站(客户端)在其页面上嵌入以下javascript: 我的网络应用程序位于 http://example.org 。 我不能假设客户端网站的页面有 JQue
目前我正在使用三个外部 JS 文件。 我喜欢将所有三个 JS 文件合而为一。 尽一切可能。我创建 aio.js 并在 aio.js 中 src="https://code.jquery.com/
我有例如像这样的数组: var myArray = []; var item1 = { start: '08:00', end: '09:30' } var item2 = {
所以我正在制作一个 Chrome 扩展,它使用我制作的一些 TamperMonkey 脚本。我想要一个“主”javascript 文件,您可以在其中包含并执行其他脚本。我很擅长使用以下行将其他 jav
我有 A、B html 和 A、B javascript 文件。 并且,如何将 A JavaScript 中使用的全局变量直接移动到 B JavaScript 中? 示例 JavaScript) va
我需要将以下整个代码放入名为 activate.js 的 JavaScript 中。你能告诉我怎么做吗? var int = new int({ seconds: 30, mark
我已经为我的 .net Web 应用程序创建了母版页 EXAMPLE1.Master。他们的 I 将值存储在 JavaScript 变量中。我想在另一个 JS 文件中检索该变量。 示例1.大师:-
是否有任何库可以用来转换这样的代码: function () { var a = 1; } 像这样的代码: function () { var a = 1; } 在我的浏览器中。因为我在 Gi
我收到语法缺失 ) 错误 $(document).ready(function changeText() { var p = document.getElementById('bidp
我正在制作进度条。它有一个标签。我想调整某个脚本完成的标签。在找到可能的解决方案的一些答案后,我想出了以下脚本。第一个启动并按预期工作。然而,第二个却没有。它出什么问题了?代码如下: HTML:
这里有一个很简单的问题,我简单的头脑无法回答:为什么我在外部库中加载时,下面的匿名和onload函数没有运行?我错过了一些非常非常基本的东西。 Library.js 只有一行:console.log(
我知道 javascript 是一种客户端语言,但如果实际代码中嵌入的 javascript 代码以某种方式与在控制台上运行的代码不同,我会尝试找到答案。让我用一个例子来解释它: 我想创建一个像 Mi
我如何将这个内联 javascript 更改为 Unobtrusive JavaScript? 谢谢! 感谢您的回答,但它不起作用。我的代码是: PHP js文件 document.getElem
我正在寻找将简单的 JavaScript 对象“转储”到动态生成的 JavaScript 源代码中的最优雅的方法。 目的:假设我们有 node.js 服务器生成 HTML。我们在服务器端有一个对象x。
我是一名优秀的程序员,十分优秀!