-
Notifications
You must be signed in to change notification settings - Fork 12
/
Copy pathquicktest_v2.go
422 lines (390 loc) · 11.6 KB
/
quicktest_v2.go
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
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
// Qtest is an advanced HTTP testing function designed to
// facilitate route validation in the Quick framework.
//
// It allows you to test simulated HTTP requests using httptest, supporting:
// - Métodos HTTP personalizados (GET, POST, PUT, DELETE, etc.)
// - Cabeçalhos (Headers) personalizados.
// - Parâmetros de Query (QueryParams).
// - Corpo da Requisição (Body).
// - Cookies.
// - Validações embutidas para status, headers e corpo da resposta.
//
// The Qtest function receives a QuickTestOptions structure containing the request
// parameters, executes the call and returns a QtestReturn object, which provides methods
// for analyzing and validating the result.
package quick
import (
"bytes"
"crypto/tls"
"encoding/json"
"fmt"
"io"
"net/http"
"net/http/httptest"
"net/url"
"strings"
)
// QtestReturn defines an interface for validating HTTP test responses.
//
// This interface provides methods to retrieve response details such as body, status code,
// headers, and to perform assertions for testing HTTP responses.
//
// Example Usage:
//
// resp, err := q.Qtest(quick.QuickTestOptions{
// Method: quick.MethodGet,
// URI: "/test",
// })
//
// if err != nil {
// log.Fatal(err)
// }
//
// if err := resp.AssertStatus(200); err != nil {
// log.Fatal(err)
// }
type QtestReturn interface {
Body() []byte
BodyStr() string
StatusCode() int
Response() *http.Response
AssertStatus(expected int) error
AssertHeader(key, expectedValue string) error
AssertNoHeader(key string) error
AssertString(expected string) error
AssertBodyContains(expected any) error
AssertHeaderHasValueInSet(key string, allowed []string) error
AssertHeaderHasPrefix(key, prefix string) error
AssertHeaderContains(key, substring string) error
}
// QTestPlus implements QtestReturn, encapsulating HTTP response details for testing.
type QTestPlus struct {
body []byte
bodyStr string
statusCode int
response *http.Response
}
// QuickTestOptions defines configuration options for executing an HTTP test request.
//
// Example Usage:
//
// opts := quick.QuickTestOptions{
// Method: quick.MethodPost,
// URI: "/submit",
// Headers: map[string]string{"Content-Type": "application/json"},
// QueryParams: map[string]string{"id": "123"},
// Body: []byte(`{"name":"John Doe"}`),
// }
//
// resp, err := q.Qtest(opts)
type QuickTestOptions struct {
Method string // HTTP method (e.g., "GET", "POST")
URI string // Target URI for the request
Headers map[string]string // Request headers
QueryParams map[string]string // Query parameters to append to the URI
Body []byte // Request body payload
Cookies []*http.Cookie // Cookies to include in the request
LogDetails bool // Enable logging of request and response details
TLS bool // Enable tls connects
}
// Qtest performs an HTTP request using QuickTestOptions and returns a response handler.
//
// This method executes a test HTTP request within the Quick framework, allowing validation
// of the response status, headers, and body.
//
// Example Usage:
//
// resp, err := q.Qtest(quick.QuickTestOptions{
// Method: quick.MethodGet,
// URI: "/test",
// })
//
// if err != nil {
// log.Fatal(err)
// }
//
// if err := resp.AssertStatus(200); err != nil {
// log.Fatal(err)
// }
//
// Returns:
// - QtestReturn: An interface for response validation
// - error: Error encountered during request execution, if any.
func (q Quick) Qtest(opts QuickTestOptions) (QtestReturn, error) {
uriWithParams, err := attachQueryParams(opts.URI, opts.QueryParams)
if err != nil {
return nil, err
}
reqBody := bytes.NewBuffer(opts.Body)
req, err := http.NewRequest(opts.Method, uriWithParams, reqBody)
if err != nil {
return nil, fmt.Errorf("error creating request: %w", err)
}
// Simulate TLS if requested
if opts.TLS {
req.TLS = &tls.ConnectionState{}
}
if len(opts.Body) > 0 {
req.ContentLength = int64(len(opts.Body))
}
// Set headers
for key, value := range opts.Headers {
req.Header.Set(key, value)
}
// Add cookies
for _, cookie := range opts.Cookies {
req.AddCookie(cookie)
}
// Simulate HTTP request execution
rec := httptest.NewRecorder()
q.ServeHTTP(rec, req)
// Capture response
resp := rec.Result()
respBody, err := readResponseBodyV2(resp)
if err != nil {
return nil, fmt.Errorf("error reading response body: %w", err)
}
if opts.LogDetails {
logRequestResponseDetails(opts, resp, respBody)
}
return &QTestPlus{
body: respBody,
bodyStr: string(respBody),
statusCode: resp.StatusCode,
response: resp,
}, nil
}
// attachQueryParams appends query parameters to a URI.
//
// Example Usage:
//
// newURI, err := attachQueryParams("/search", map[string]string{"q": "golang"})
//
// Returns:
// - string: The URI with query parameters appended
// - error: Returns an error if the URI parsing fails.
func attachQueryParams(uri string, params map[string]string) (string, error) {
if len(params) == 0 {
return uri, nil
}
u, err := url.Parse(uri)
if err != nil {
return "", err
}
query := u.Query()
for key, value := range params {
query.Set(key, value)
}
u.RawQuery = query.Encode()
return u.String(), nil
}
// logRequestResponseDetails logs request and response information for debugging.
//
// If LogDetails is enabled in QuickTestOptions, this function prints the details
// of the HTTP request and response to the console.
//
// Example Usage:
//
// logRequestResponseDetails(opts, response, responseBody)
func logRequestResponseDetails(opts QuickTestOptions, resp *http.Response, body []byte) {
fmt.Println("========================================")
fmt.Printf("Request: %s %s\n", opts.Method, opts.URI)
fmt.Printf("Request Body: %s\n", string(opts.Body))
fmt.Println("--- Response ---")
fmt.Printf("Status: %d\n", resp.StatusCode)
fmt.Printf("Headers: %+v\n", resp.Header)
fmt.Printf("Body: %s\n", string(body))
fmt.Println("========================================")
}
// readResponseBodyV2 safely reads and resets the response body for reuse.
//
// Example Usage:
//
// body, err := readResponseBodyV2(response)
//
// Returns:
// - []byte: The response body as a byte slice
// - error: Returns an error if body reading fails.
func readResponseBodyV2(resp *http.Response) ([]byte, error) {
if resp.Body == nil {
return nil, nil
}
defer resp.Body.Close()
body, err := io.ReadAll(resp.Body)
if err != nil {
return nil, err
}
resp.Body = io.NopCloser(bytes.NewReader(body)) // Reset response body for reuse
return body, nil
}
// Body returns the response body as a byte slice.
//
// Returns:
// - []byte: The response body.
func (qt *QTestPlus) Body() []byte {
return qt.body
}
// BodyStr returns the response body as a string.
//
// Returns:
// - string: The response body as a string.
func (qt *QTestPlus) BodyStr() string {
return qt.bodyStr
}
// StatusCode retrieves the HTTP status code of the response.
//
// Returns:
// - int: The HTTP status code.
func (qt *QTestPlus) StatusCode() int {
return qt.statusCode
}
// Response returns the raw *http.Response for advanced validation.
//
// Returns:
// - *http.Response: The full HTTP response object.
func (qt *QTestPlus) Response() *http.Response {
return qt.response
}
// AssertStatus verifies if the response status matches the expected status.
//
// Example Usage:
//
// err := resp.AssertStatus(200)
// if err != nil {
// t.Errorf("Unexpected status: %v", err)
// }
//
// Returns:
// - error: Returns an error if the expected status does not match the actual status.
func (qt *QTestPlus) AssertStatus(expected int) error {
if qt.statusCode != expected {
return fmt.Errorf("expected status %d but got %d", expected, qt.statusCode)
}
return nil
}
// AssertHeader verifies if the specified header has the expected value.
//
// Example Usage:
//
// err := resp.AssertHeader("Content-Type", "application/json")
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertHeader(key, expectedValue string) error {
value := qt.response.Header.Get(key)
if value != expectedValue {
return fmt.Errorf("expected header '%s' to be '%s' but got '%s'", key, expectedValue, value)
}
return nil
}
// AssertNoHeader checks if the specified header is not present or empty.
//
// Example Usage:
//
// err := resp.AssertNoHeader("X-Powered-By")
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertNoHeader(key string) error {
value := qt.response.Header.Get(key)
if value != "" {
return fmt.Errorf("expected no header %q, but got: %q", key, value)
}
return nil
}
// AssertString compares the response body to the expected string.
//
// Example Usage:
//
// err := resp.AssertString("pong")
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertString(expected string) error {
body := string(qt.bodyStr)
if body != expected {
return fmt.Errorf("expected body %q, but got %q", expected, body)
}
return nil
}
// AssertBodyContains checks if the response body contains the expected content.
//
// Example Usage:
//
// err := resp.AssertBodyContains("Success")
//
// Returns:
// - error: Returns an error if the expected content is not found in the body.
func (qt *QTestPlus) AssertBodyContains(expected any) error {
var expectedStr string
switch v := expected.(type) {
case string:
expectedStr = v
default:
jsonBytes, err := json.Marshal(v)
if err != nil {
return fmt.Errorf("failed to convert expected value to JSON: %w", err)
}
expectedStr = string(jsonBytes)
}
if !strings.Contains(qt.bodyStr, expectedStr) {
return fmt.Errorf("expected body to contain '%s' but got '%s'", expectedStr, qt.bodyStr)
}
return nil
}
// AssertHeaderContains checks if the specified header contains the expected substring.
//
// Example Usage:
//
// err := resp.AssertHeaderContains("Powered","ered")
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertHeaderContains(key, substring string) error {
value := qt.response.Header.Get(key)
if value == "" {
return fmt.Errorf("header %q not found", key)
}
if !strings.Contains(value, substring) {
return fmt.Errorf("expected header %q to contain %q, but got: %q", key, substring, value)
}
return nil
}
// AssertHeaderHasPrefix checks if the specified header starts with the expected prefix.
//
// Example Usage:
//
// err := resp.AssertHeaderHasPrefix("Powered")
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertHeaderHasPrefix(key, prefix string) error {
value := qt.response.Header.Get(key)
if value == "" {
return fmt.Errorf("header %q not found", key)
}
if !strings.HasPrefix(value, prefix) {
return fmt.Errorf("expected header %q to have prefix %q, but got: %q", key, prefix, value)
}
return nil
}
// AssertHeaderHasValueInSet checks if the specified header value is one of the allowed values.
//
// Example Usage:
//
// err := resp.AssertHeaderHasValueInSet("Powered",[]string{""})
//
// Returns:
// - error: Returns an error if the header does not match the expected value.
func (qt *QTestPlus) AssertHeaderHasValueInSet(key string, allowed []string) error {
value := qt.response.Header.Get(key)
if value == "" {
return fmt.Errorf("header %q not found", key)
}
for _, v := range allowed {
if value == v {
return nil
}
}
return fmt.Errorf("header %q has value %q, which is not in allowed set %v", key, value, allowed)
}