forked from LiskArchive/lisk-sdk
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathswagger_spec.js
279 lines (242 loc) Β· 7.74 KB
/
swagger_spec.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
/*
* Copyright Β© 2018 Lisk Foundation
*
* See the LICENSE file at the top-level directory of this distribution
* for licensing information.
*
* Unless otherwise agreed in a custom licensing agreement with the Lisk Foundation,
* no part of this software, including this file, may be copied, modified,
* propagated, or distributed except according to the terms contained in the
* LICENSE file.
*
* Removal or modification of this copyright notice is prohibited.
*/
'use strict';
var chai = require('chai');
var supertest = require('supertest');
var Promise = require('bluebird');
var swaggerHelper = require('../../helpers/swagger');
var apiSpec = swaggerHelper.getSwaggerSpec();
var refsResolved = false;
var validator = swaggerHelper.getValidator();
// Make sure no additional attributes are passed in response
validator.options.assumeAdditional = true;
// Extend Chai assertion with a new method validResponse
// to facilitate the validation of swagger response body
// e.g. expect(res.body).to.be.validResponse
chai.use((chai, utils) => {
chai.Assertion.addMethod('validResponse', function(responsePath) {
var result = validator.validate(utils.flag(this, 'object'), apiSpec, {
schemaPath: responsePath,
});
var errorDetail = '';
if (!result) {
utils.flag(this, 'message', 'InvalidResponseBody');
errorDetail = _.map(validator.getLastErrors(), object => {
return `${object.code}: ${object.path.join('.')} | ${object.message}`;
}).join('\n');
}
this.assert(result, errorDetail);
});
});
/**
* A class to make test spec for swagger based endpoint
* Can be called with three parameters or only with one in a string form
* > new SwaggerTestSpec('GET', '/node/status', 200)
* > new SwaggerTestSpec('GET /node/status 200')
* > new SwaggerTestSpec('GET /node/status')
*
* @param {string} method - HTTP method e.g. GET, PUT, POST
* @param {string} [apiPath] - API endpoint excluding the base path
* @param {number} [responseCode] - Expected status code from endpoint
* @constructor
*/
function SwaggerTestSpec(method, apiPath, responseCode) {
if (apiPath && method && responseCode) {
this.path = apiPath;
this.method = method.toLowerCase();
this.responseCode = responseCode;
} else if (method) {
// Considering that object was created with single param format
// 'GET /node/status 200'
var specParam = method.split(' ');
this.path = _.trim(specParam[1]);
this.method = _.trim(specParam[0]).toLowerCase();
if (specParam.length === 3) {
this.responseCode = parseInt(specParam[2]);
}
} else {
throw 'SwaggerTestSpec was created with invalid params';
}
var self = this;
this.getResponseSpec = function(statusCode) {
return self.spec.responses[statusCode];
};
this.getResponseSpecPath = function(statusCode) {
return [
'paths',
self.path,
self.method,
'responses',
statusCode,
'schema',
].join('.');
};
this.resolveJSONRefs = function() {
if (refsResolved) {
return Promise.resolve();
}
return swaggerHelper.getResolvedSwaggerSpec().then(results => {
apiSpec = results;
refsResolved = true;
self.spec = apiSpec.paths[self.path][self.method];
self.responseSpec = self.spec.responses[self.responseCode];
});
};
this.spec = apiSpec.paths[this.path][this.method];
this.responseSpecPath = this.getResponseSpecPath(this.responseCode, 'schema');
this.responseSpec = this.getResponseSpec(this.responseCode);
this.describe = `${this.method.toUpperCase()} ${apiSpec.basePath}${
this.path
}`;
this.it = `should respond with status code ${this.responseCode}`;
this.defaultParams = {};
return this;
}
/**
* Parameters to set default on each request
*
* @param {Object} parameters - JSON parameters
*/
SwaggerTestSpec.prototype.addParameters = function(parameters) {
_.assignIn(this.defaultParams, parameters);
return this;
};
/**
* Perform the actual HTTP call with the spec of current instance
*
* @param {Object} [parameters] - JSON object of all parameters, including query, post
* @param {int} [responseCode] - Expected Response code. Will override what was used in constructor
* @return {*|Promise<any>}
*/
SwaggerTestSpec.prototype.makeRequest = function(parameters, responseCode) {
var query = {};
var post = {};
var headers = {
Accept: 'application/json',
'Content-Type': 'application/json',
};
var formData = false;
var self = this;
var callPath = self.getPath();
parameters = _.assignIn({}, self.defaultParams, parameters);
return this.resolveJSONRefs()
.then(() => {
_.each(_.keys(parameters), param => {
var p = _.find(self.spec.parameters, { name: param });
// If a swagger defined parameter
if (p) {
if (p.in === 'query') {
query[param] = parameters[param];
} else if (p.in === 'body') {
post = parameters[param];
} else if (p.in === 'path') {
callPath = callPath.replace(`{${param}}`, parameters[param]);
} else if (p.in === 'formData') {
post = parameters[param];
formData = true;
} else if (p.in === 'header') {
headers[param] = parameters[param];
}
} else {
// If not a swagger defined parameter consider as query param
query[param] = parameters[param];
}
});
var req = supertest(__testContext.baseUrl);
if (self.method === 'post') {
req = req.post(callPath);
} else if (self.method === 'put') {
req = req.put(callPath);
} else if (self.method === 'get') {
req = req.get(callPath);
}
_.each(_.keys(headers), header => {
req.set(header, headers[header]);
});
req = req.query(query);
if (self.method === 'post' || self.method === 'put') {
if (formData) {
req.type('form');
}
req = req.send(post);
}
__testContext.debug(['> URI:'.grey, req.method, req.url].join(' '));
if (!_.isEmpty(query)) {
__testContext.debug(['> Query:'.grey, JSON.stringify(query)].join(' '));
}
if (!_.isEmpty(post)) {
__testContext.debug(['> Data:'.grey, JSON.stringify(post)].join(' '));
}
return req;
})
.then(res => {
__testContext.debug(
'> Response:'.grey,
res.statusCode,
JSON.stringify(res.body)
);
var expectedResponseCode = responseCode || self.responseCode;
expect(res.statusCode).to.be.eql(expectedResponseCode);
expect(res.headers['content-type']).to.match(/json/);
expect(res.body).to.be.validResponse(
self.getResponseSpecPath(expectedResponseCode)
);
return res;
})
.catch(eror => {
__testContext.debug(
'> Response Error:'.grey,
JSON.stringify(validator.getLastErrors())
);
throw eror;
});
};
/**
* Perform the actual HTTP request on individual parameter set.
*
* @param {Object} [parameters] - Array of JSON objects for individual request passed to +makeRequest+
* @param {int} [responseCode] - Expected response code. Will override what was used in constructor
* @return {*|Promise<any>}
*/
SwaggerTestSpec.prototype.makeRequests = function(parameters, responseCode) {
var self = this;
var requests = [];
parameters.forEach(paramSet => {
requests.push(self.makeRequest(paramSet, responseCode));
});
return Promise.all(requests);
};
/**
* Get full path of an endpoint.
*
* @return {string}
*/
SwaggerTestSpec.prototype.getPath = function() {
return apiSpec.basePath + this.path;
};
/**
* A helper method to create an object swagger test spec
* Can be called with three parameters or only with one in a string form
* > ('GET', '/node/status', 200)
* > ('GET /node/status 200')
* > ('GET /node/status')
*
* @param {string} method - HTTP method e.g. GET, PUT, POST
* @param {string} [path] - API endpoint excluding the base path
* @param {number} [responseCode] - Expected status code from endpoint
* @return {SwaggerTestSpec}
*/
module.exports = function(method, path, responseCode) {
return new SwaggerTestSpec(method, path, responseCode);
};