与sinon一起使用stubbing express中间件函数

问题描述 投票:0回答:1

描述

我尝试为快速中间件功能设置存根伪造,而不是替换它。

我正在尝试什么(如何重现)

我试图通过callsFake函数使用sinon stubbing,正如它从他们最新的文档中建议的那样。

即使我需要模块并在导出时替换属性。我一直在看原始的功能行为。

我知道我应该尝试在中间件函数设置之前获取该函数,并且这是在首次导入表达app时。

这是我试图存根的函数,定义为函数并导出为对象。它在脚本文件中定义,其路径类似于api/middlewares/stripe/signature

const stripeHelper = require('../../../lib/stripe')
const logger = require('../../../lib/logger')
const verifySignature = (req, res, next) => {
  var event
  let eventName = req.url.replace('/', '')
  try {
      // Try adding the Event as `request.event`
    event = stripeHelper.signatureCheck(
        eventName,
        req.body,
        req.headers['stripe-signature']
      )
  } catch (e) {
      // If `constructEvent` throws an error, respond with the message and return.
    logger.error('Error while verifying webhook request signature', e.message, e)
    return res.status(400).send('Webhook Error:' + e.message)
  }
  req.event = event
  next()
}
module.exports.verifySignature = verifySignature

我已经尝试过了什么

  • 使用decache来确保快速应用程序实例是原始的,并且它没有使用以前的原始中间件进行初始化
  • 设置多个beforEach钩子以组织我的存根和前提条件或测试

发生了什么事

  • 原始中间件功能被执行
  • 我没有看到存根函数的任何日志(作为sinon存根不工作的第二个证明

这是我的存根和测试挂钩设置:

const chai = require('chai')
const chaiHttp = require('chai-http')
const dirtyChai = require('dirty-chai')
const sinon = require('sinon')
const decache = require('decache')
const signatureMiddleware = require('../../../api/middlewares/stripe/signature')
const bp = require('body-parser')
let verifySignatureStub, rawStub

chai.should()
chai.use(dirtyChai)
chai.use(chaiHttp)

const API_BASE = '/api/subscriptions'
const planId = 'NYA-RUST-MONTHLY'
const utils = require('../../utils')
const {
  hooks: {createSubscription, emitPaymentSucceeded},
  stripe: {generateEventFromMock}
} = utils

let testUser, testToken, testSubscription, server

describe.only('Subscriptions renewal (invoice.payment_succeeded)', function () {
  this.timeout(30000)

  beforeEach(function (done) {
    createSubscription(server, {planId}, function (err, resp) {
      if (err) return done(err)
      const {user, jwt, subscription} = resp
      console.log(user, jwt)
      testUser = user
      testToken = jwt
      testSubscription = subscription
      done()
    })
  })

  beforeEach(function (done) {
    verifySignatureStub = sinon.stub(signatureMiddleware, 'verifySignature')
    rawStub = sinon.stub(bp, 'raw')
    rawStub.callsFake(function (req, res, next) {
      console.log('bp raw')
      return next()
    })
    verifySignatureStub.callsFake(function (req, res, next) {
      const {customerId} = testUser.stripe
      const subscriptionId = testSubscription.id
      console.log('fake verify')
      req.event = generateEventFromMock('invoice.payment_failed', {subscriptionId, customerId, planId})
      return next()
    })
    done()
  })

  beforeEach(function (done) {
    decache('../../../index')
    server = require('../../../index')
    const {customerId} = testUser.stripe
    const {id: subscriptionId} = testSubscription
    console.log(`emitting payment succeeded with ${customerId}, ${subscriptionId} ${planId}`)
    emitPaymentSucceeded(server, testToken, function (err, response) {
      if (err) return done(err)
      done()
    })
  })

  afterEach(function (done) {
    verifySignatureStub.restore()
    done()
  })

  it('Date subscription will renew gets set to a valid number roughly one month', function () {
    // Not even getting here becasue calling the original function contains verifyMiddleware which should be replaced
  })

  it('Current period end is modified')

  it('An invoice for the new starting period is generated')

  it('Subscription status keeps active')
})

上下文(请填写以下信息):

所有都在Node 8上运行,我正在使用mocha运行测试,并使用脏chai进行了设置。

这些是我的开发依赖项:

"devDependencies": { "base64url": "^2.0.0", "cross-env": "^5.0.5", "decache": "^4.4.0", "dirty-chai": "^2.0.1", "faker": "^4.1.0", "google-auth-library": "^0.12.0", "googleapis": "^23.0.0", "minimist": "^1.2.0", "mocha": "^5.2.0", "nodemon": "^1.12.0", "nyc": "^11.2.1", "sinon": "^6.1.5", "standard": "^10.0.3", "stripe-local": "^0.1.1" }

公开问题

https://github.com/sinonjs/sinon/issues/1889

javascript node.js testing mocha sinon
1个回答
1
投票

根据经验,每个测试应设置存根,即在beforeEachit,而不是在before。在这里,它们似乎不包含每个测试逻辑,但它们可以,并且在这种情况下,它们将不会像before那样按预期工作。 mocha-sinon应该最好用于将Mocha与Sinon沙箱集成,因此不需要afterEach来恢复存根,这是自动完成的。

由于verifySignature是导出属性而不是导出本身,因此signatureMiddleware模块可以保留原样,但是使用它的模块应该在需要使用verifySignature的测试中进行解除缓存并重新导入。如果整个测试套件的行为应该相同,那么也应该在beforeEach中执行。例如。如果直接在app模块中使用这些中间件,那就是:

const decache = require('decache');

...

  describe(() => {
    let app;

    beforeEach(() => {
      verifySignatureStub = sinon.stub(signatureMiddleware, 'verifySignature');
      ...
    });

    beforeEach(() => {
      decache('./app');
      app = require('./app');
    });
© www.soinside.com 2019 - 2024. All rights reserved.