从单元测试的 Promise 中获取价值
get value from a Promise for unit-testing
我在 class 中有一个方法计算 returns Promise(必须)的 2 个参数的总和:
module.exports = class Sum {
sum(a, b) {
let c = a + b;
const myPromise = new Promise(function(myResolve) {
setTimeout(function(){ myResolve(c); }, 100);
});
return myPromise;
}
}
我使用 Jasmine 框架进行单元测试
const MyLocalVariable1 = require('../src/sum');
describe('CommonJS modules', () => {
it('should import whole module using module.exports = sum;', async () => {
const result = new MyLocalVariable1();
expect(result.sum(4, 5).then(function(value) {
return value;
})).toBe(9);
});
}
第一个表达式是我们要测试的:
result.sum(4, 5).then(function(value) {
return value;
})
第二个是期望值:
toBe(9)
但是我如何从第一个表达式中获取值,因为它是一个 Promise,它的期望值是 [object Promise]。提前致谢
要让康拉德的观点深入人心,您可以执行以下操作:
it('should import whole module using module.exports = sum;', async () => {
const result = new MyLocalVariable1();
const answer = await result.sum(4, 5);
expect(answer).toBe(9);
});
或以下内容:
// add done callback to tell Jasmine when you're done with the unit test
it('should import whole module using module.exports = sum;', (done) => {
const result = new MyLocalVariable1();
result.sum(4, 5).then(answer => {
expect(answer).toBe(9);
done();
});
});
我在 class 中有一个方法计算 returns Promise(必须)的 2 个参数的总和:
module.exports = class Sum {
sum(a, b) {
let c = a + b;
const myPromise = new Promise(function(myResolve) {
setTimeout(function(){ myResolve(c); }, 100);
});
return myPromise;
}
}
我使用 Jasmine 框架进行单元测试
const MyLocalVariable1 = require('../src/sum');
describe('CommonJS modules', () => {
it('should import whole module using module.exports = sum;', async () => {
const result = new MyLocalVariable1();
expect(result.sum(4, 5).then(function(value) {
return value;
})).toBe(9);
});
}
第一个表达式是我们要测试的:
result.sum(4, 5).then(function(value) {
return value;
})
第二个是期望值:
toBe(9)
但是我如何从第一个表达式中获取值,因为它是一个 Promise,它的期望值是 [object Promise]。提前致谢
要让康拉德的观点深入人心,您可以执行以下操作:
it('should import whole module using module.exports = sum;', async () => {
const result = new MyLocalVariable1();
const answer = await result.sum(4, 5);
expect(answer).toBe(9);
});
或以下内容:
// add done callback to tell Jasmine when you're done with the unit test
it('should import whole module using module.exports = sum;', (done) => {
const result = new MyLocalVariable1();
result.sum(4, 5).then(answer => {
expect(answer).toBe(9);
done();
});
});