我使用Node
并拥有以下ES6
课程:
const moment = require('moment');
const sqlFileReader = require('../database/SqlFileReader');
const Lnfe = require('../errors/LoanNotFoundError');
const epoch = '1970-01-01';
/**
* Take the input params and return the clientId (either found via loanId or untouched) and dateString we need
*/
class ParameterParser {
static async prepareInputParameters(con, req) {
let clientId = req.query.client_id; // Will be overriden if we need and are able to obtain the client id via loan id.
let dateString;
// If no client_id is given but loan_id is, get the client_id via loan_id:
if (typeof req.query.client_id === 'undefined' && typeof req.query.loan_id !== 'undefined') {
const { retData } = await sqlFileReader.read('./src/database/sql/getClientIdFromLoanId.sql', [`${req.query.loan_id}`], con, req.logger);
if (retData.rowsCount > 0) {
clientId = retData.rows[0].client_id;
}
else {
throw new Lnfe(400, req);
}
}
if (typeof req.query.complaint_init_date === 'undefined') {
dateString = epoch;
}
else {
// Need to subtract 6 years from the complaint_init_date:
dateString = moment(moment(req.query.complaint_init_date, 'YYYY-MM-DD').toDate()).subtract(6, 'years').format('YYYY-MM-DD');
}
return { clientId, dateString };
}
}
module.exports = ParameterParser;
我正在使用Mocha
,Chai
,Chai-as-Promised
和Sinon
对其进行测试:
'use strict';
const chai = require('chai');
const chaiAsPromised = require('chai-as-promised');
const sinon = require('sinon');
const parameterParser = require('../../src/core/ParameterParser.js');
const sqlFileReader = require('../../src/database/SqlFileReader.js');
const Lnfe = require('../../src/errors/LoanNotFoundError');
chai.use(chaiAsPromised);
const { expect } = chai;
const retData = {
rowsCount: 1,
rows: [{ client_id: 872 }],
};
const reqDateAndLoan = {
query: {
complaint_init_date: '2022-03-15',
loan_id: '1773266',
},
};
const reqDateAndClient = {
query: {
complaint_init_date: '2022-03-15',
client_id: '872',
},
};
const reqDateAndLoanIdThatDoesNotExist = {
query: {
complaint_init_date: '2022-03-15',
loan_id: '1773266999999999999',
},
};
describe('prepareInputParameters', () => {
sinon.stub(sqlFileReader, 'read').returns({ retData });
it('results in correct client id and date string', async () => {
const ret = { clientId: 872, dateString: '2016-03-15' };
expect(await parameterParser.prepareInputParameters(null, reqDateAndLoan)).to.deep.equal(ret);
});
it('results in a client id equal to the that input if the request query contains a client id', async () => {
const ret = { clientId: '872', dateString: '2016-03-15' };
expect(await parameterParser.prepareInputParameters(null, reqDateAndClient)).to.deep.equal(ret);
});
it('throws a \'Loan Not Found\' error', async () => {
expect(parameterParser.prepareInputParameters(null, reqDateAndLoanIdThatDoesNotExist)).eventually.throw(Lnfe, 400, 'Loan Not Found');
});
it('DOES NOT throw a \'Loan Not Found\' error', async () => {
expect(async () => {
await parameterParser.prepareInputParameters(null, reqDateAndLoanIdThatDoesNotExist);
}).to.not.throw(Lnfe, 400, 'Loan Not Found');
});
});
测试通过,但输出有几个节点警告:
prepareInputParameters
✓ results in correct client id and date string
✓ results in a client id equal to the that input if the request query contains a client id
✓ throws a 'Loan Not Found' error
(node:23875) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): AssertionError: Loan Not Found: expected { Object (clientId, dateString) } to be a function
(node:23875) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code.
✓ DOES NOT throw a 'Loan Not Found' error
4 passing (19ms)
我有什么想法可以摆脱这些警告或我做错了什么?
答案 0 :(得分:2)
一些想法可以帮助您理解我使用ES6类编译(示例,即)的承诺的不同阶段:
// asyncpromiserejection.js
class asyncpromise{
constructor(s){
this.s=s
}
PTest(){
var somevar = false;
somevar=this.s;
return new Promise(function (resolve, reject) {
if (somevar === true)
resolve();
// else
// reject();
});
}
}
module.exports=asyncpromise
如果注释了else部分,则如果将true传递给类,或者测试将超时,则promise将解析,因为当值为false时,promise不知道该怎么做。
// test.js
const asyncpromise=require('./asyncpromiserejection.js')
describe("asyncTests", () => {
it("handles Promise rejection",async ()=>{
var t=new asyncpromise(false)
await t.PTest().then(function () {
console.log("Promise Resolved");
})
})
});
取消注释else部分,你会得到相同的错误,但是警告已经弃用了promise promise - 图1.1 - 因为现在,虽然由于falsey值导致的promise拒绝是在代码中处理的,但测试即。 ,调用方法,还没有处理它。
class asyncpromise{
constructor(s){
this.s=s
}
PTest(){
var somevar = false;
somevar=this.s;
return new Promise(function (resolve, reject) {
if (somevar === true)
resolve();
else
reject();
});
}
}
module.exports=asyncpromise
现在,在测试中处理承诺拒绝,如下:
const asyncpromise=require('./asyncpromiserejection.js')
describe("asyncTests", () => {
it("handles Promise rejection",async ()=>{
var t=new asyncpromise(false)
await t.PTest().then(function () {
console.log("Promise Resolved");
}).catch(()=>{console.log("Promise rejcted")})
})
});
而且,您可以在承诺的拒绝部分传递一些自定义消息,在这样的测试中断言:
const assert=require('chai').assert
const asyncpromise=require('./asyncpromiserejection.js')
describe("asyncTests", () => {
it("handles Promise rejection",async ()=>{
var t=new asyncpromise(false)
await t.PTest().then(function () {
console.log("Promise Resolved");
}).catch((error)=>{
console.log("Promise rejected")
assert.equal(error.message,"Promise rejected")
})
})
});
// asyncpromiserejection.js
class asyncpromise{
constructor(s){
this.s=s
}
PTest(){
var somevar = false;
somevar=this.s;
return new Promise(function (resolve, reject) {
if (somevar === true)
resolve();
else
throw new Error("Promise rejcted")
//reject();
});
}
}
module.exports=asyncpromise
答案 1 :(得分:0)
我用
来捕捉未处理的拒绝process.on('unhandledRejection', (err, p) => {
console.error('unhandledRejection', err.stack, p)
})
所以我有跟踪,我可以找到并修复
DeprecationWarning
的应该可以解决这个问题 - 我不确定,但相应的文档jMockit
process.on('warning', (warning) => {
console.warn(warning.name);
console.warn(warning.message);
console.warn(warning.stack);
});