42

我在 Express 中有以下内容

 //index.js

 var service = require('./subscription.service');
 var auth = require('../auth/auth.service');
 var router = express.Router();

 router.post('/sync', auth.isAuthenticated, service.synchronise);

 module.exports = router;

我想覆盖或模拟 isAuthenticated 以返回此

auth.isAuthenticated = function(req, res, next) { 
  return next(); 
}

这是我的单元测试:

it('it should return a 200 response', function(done) {

  //proxyquire here?

  request(app).post('/subscriptions/sync')
  .set('Authorization','Bearer '+ authToken)
  .send({receipt: newSubscriptionReceipt })
  .expect(200,done);
});

我曾尝试使用 proxyquire 模拟 index.js - 我想我需要存根路由器?我也尝试在测试中覆盖

app.use('/subscriptions', require('./api/subscription'));

必须有一种简单的方法来模拟它,所以我不需要对请求进行身份验证。有任何想法吗?

4

1 回答 1

36

您可以使用sinonto 存根isAuthenticated方法,但您应该在将引用auth.isAuthenticated设置为中间件之前执行此操作,因此在您需要index.jsand之前app创建。很可能你会想要这个beforeEach钩子:

var app;
var auth;

beforeEach(function() {
  auth = require('../wherever/auth/auth.service');
  sinon.stub(auth, 'isAuthenticated')
      .callsFake(function(req, res, next) {
          return next();
      });

  // after you can create app:
  app = require('../../wherever/index');
});

afterEach(function() {
  // restore original method
  auth.isAuthenticated.restore();
});

it('it should return a 200 response', function(done) {
  request(app).post('/subscriptions/sync')
  .set('Authorization','Bearer '+ authToken)
  .send({receipt: newSubscriptionReceipt })
  .expect(200,done);
});

请注意,即使在auth.isAuthenticated恢复后,现有app实例也会有存根作为中间件,因此app如果您出于某种原因需要获得原始行为,则需要创建另一个实例。

更新:有一种方法可以改变中间件的行为,而无需每次都重新创建服务器,如另一个 SO answer中所述。

于 2017-02-02T08:24:19.383 回答