1

使用node-mssql库从 SQL 中提取数据。我使用 Sinon 已经有一段时间了(用它写了大约 200 个测试);我在如何将这个库存根时遇到了很多麻烦。代码如下所示:

var sql = require('mssql');
var conn = new sql.Connection(sqlConfig); // sqlConfig is connection info, defined elsewhere 

conn.connect(function(err) {
  var req, selectFromTable;
  if (err != null) {
    // handle error
  }
  req = new sql.Request(conn);
  selectFromTable = "select * from DW." + table + " where DWCreatedDate >= '" + start + "' and DWCreatedDate <= '" + end + "' ";
  logger.debug("Selecting with: ", selectFromTable);
  req.input('statement', sql.NVarChar, selectFromTable);
  return req.execute('sp_executesql', function(err, results, returnValue, affected) {
    if (err != null) {
      // etc.
    } else {
      // data processing   
    }
  });
});

代码工作正常。现在我正在尝试为它编写一个测试。我知道这个库很难测试,所以我拖延了。我最接近的代码:

var conn, reqExecute, sqlReqStub; 
sqlReqStub = sinon.stub(); 
sqlReqStub.execute = sinon.stub(); 
sinon.stub(sql, 'Request').returns(sqlReqStub); 
conn = sinon.stub(); 
sinon.stub(sql, 'Connection').returns(conn);

conn.connect = sinon.stub().callsArgWith(0, null);

reqExecute = sqlReqStub.execute.withArgs('sp_executesql').onFirstCall().callsArgWith(1, null, {
  a: 1
});

您的自然倾向可能是说“好吧,使用createStubInstance”,但是当我使用它时,我会返回new sql.Connection(config)具有 TediousRequest 的连接对象(存根请求。我在对象中的任何地方都找不到 TediousRequestsql来存根。

我被困在这里;希望有人有一些代码可以做到这一点,或者可以解释我做错了什么。

4

1 回答 1

1

好吧,我确实设法解决了它,但由于某种原因感觉有点hacky。可能是因为我从来不知道如何截断new sql.Request(conn)电话。

理想情况下,我希望无需将 sql 库包含在我的module.exports. 我可以用request图书馆做到这一点,但在这个图书馆敲了几个小时后,我无法让它以同样的方式工作。

第一:导出sql库:

sql = require('mssql')
// much code
module.exports.sqlLib = sql

第二:存根的东西:

  var connection, sqlReqStub, sqlStubLib;
  var server = require('./index.js')    
  sqlStubLib = {};    
  connection = new EventEmitter();    
  connection.connected = true;    
  connection.close = function() {};    
  connection.connect = sinon.stub().callsArgWith(0, null);    
  sqlStubLib.Connect = sinon.stub();    
  sqlStubLib.Connection = function() {
    return connection;
  };    
  sqlReqStub = sinon.stub();    
  sqlReqStub.input = function() {};    
  sqlReqStub.execute = sinon.stub();    
  sqlReqStub.execute.withArgs('sp_executesql').onFirstCall().callsArgWith(1, null, [
    [
    // js object 
    ]
  ], null, null);

  sqlStubLib.Request = function() {
    return sqlReqStub;
  };

  server.sqlLib = sqlStubLib;
于 2016-07-28T20:22:39.973 回答