aboutsummaryrefslogtreecommitdiffstats
path: root/vendor/github.com/Azure/go-autorest/autorest/preparer.go
blob: c9deb261a1e113057be7298cc6ef68c0374e4423 (plain) (blame)
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
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
package autorest

import (
    "bytes"
    "encoding/json"
    "fmt"
    "io"
    "io/ioutil"
    "mime/multipart"
    "net/http"
    "net/url"
    "strings"
)

const (
    mimeTypeJSON     = "application/json"
    mimeTypeFormPost = "application/x-www-form-urlencoded"

    headerAuthorization = "Authorization"
    headerContentType   = "Content-Type"
    headerUserAgent     = "User-Agent"
)

// Preparer is the interface that wraps the Prepare method.
//
// Prepare accepts and possibly modifies an http.Request (e.g., adding Headers). Implementations
// must ensure to not share or hold per-invocation state since Preparers may be shared and re-used.
type Preparer interface {
    Prepare(*http.Request) (*http.Request, error)
}

// PreparerFunc is a method that implements the Preparer interface.
type PreparerFunc func(*http.Request) (*http.Request, error)

// Prepare implements the Preparer interface on PreparerFunc.
func (pf PreparerFunc) Prepare(r *http.Request) (*http.Request, error) {
    return pf(r)
}

// PrepareDecorator takes and possibly decorates, by wrapping, a Preparer. Decorators may affect the
// http.Request and pass it along or, first, pass the http.Request along then affect the result.
type PrepareDecorator func(Preparer) Preparer

// CreatePreparer creates, decorates, and returns a Preparer.
// Without decorators, the returned Preparer returns the passed http.Request unmodified.
// Preparers are safe to share and re-use.
func CreatePreparer(decorators ...PrepareDecorator) Preparer {
    return DecoratePreparer(
        Preparer(PreparerFunc(func(r *http.Request) (*http.Request, error) { return r, nil })),
        decorators...)
}

// DecoratePreparer accepts a Preparer and a, possibly empty, set of PrepareDecorators, which it
// applies to the Preparer. Decorators are applied in the order received, but their affect upon the
// request depends on whether they are a pre-decorator (change the http.Request and then pass it
// along) or a post-decorator (pass the http.Request along and alter it on return).
func DecoratePreparer(p Preparer, decorators ...PrepareDecorator) Preparer {
    for _, decorate := range decorators {
        p = decorate(p)
    }
    return p
}

// Prepare accepts an http.Request and a, possibly empty, set of PrepareDecorators.
// It creates a Preparer from the decorators which it then applies to the passed http.Request.
func Prepare(r *http.Request, decorators ...PrepareDecorator) (*http.Request, error) {
    if r == nil {
        return nil, NewError("autorest", "Prepare", "Invoked without an http.Request")
    }
    return CreatePreparer(decorators...).Prepare(r)
}

// WithNothing returns a "do nothing" PrepareDecorator that makes no changes to the passed
// http.Request.
func WithNothing() PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            return p.Prepare(r)
        })
    }
}

// WithHeader returns a PrepareDecorator that sets the specified HTTP header of the http.Request to
// the passed value. It canonicalizes the passed header name (via http.CanonicalHeaderKey) before
// adding the header.
func WithHeader(header string, value string) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                if r.Header == nil {
                    r.Header = make(http.Header)
                }
                r.Header.Set(http.CanonicalHeaderKey(header), value)
            }
            return r, err
        })
    }
}

// WithBearerAuthorization returns a PrepareDecorator that adds an HTTP Authorization header whose
// value is "Bearer " followed by the supplied token.
func WithBearerAuthorization(token string) PrepareDecorator {
    return WithHeader(headerAuthorization, fmt.Sprintf("Bearer %s", token))
}

// AsContentType returns a PrepareDecorator that adds an HTTP Content-Type header whose value
// is the passed contentType.
func AsContentType(contentType string) PrepareDecorator {
    return WithHeader(headerContentType, contentType)
}

// WithUserAgent returns a PrepareDecorator that adds an HTTP User-Agent header whose value is the
// passed string.
func WithUserAgent(ua string) PrepareDecorator {
    return WithHeader(headerUserAgent, ua)
}

// AsFormURLEncoded returns a PrepareDecorator that adds an HTTP Content-Type header whose value is
// "application/x-www-form-urlencoded".
func AsFormURLEncoded() PrepareDecorator {
    return AsContentType(mimeTypeFormPost)
}

// AsJSON returns a PrepareDecorator that adds an HTTP Content-Type header whose value is
// "application/json".
func AsJSON() PrepareDecorator {
    return AsContentType(mimeTypeJSON)
}

// WithMethod returns a PrepareDecorator that sets the HTTP method of the passed request. The
// decorator does not validate that the passed method string is a known HTTP method.
func WithMethod(method string) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r.Method = method
            return p.Prepare(r)
        })
    }
}

// AsDelete returns a PrepareDecorator that sets the HTTP method to DELETE.
func AsDelete() PrepareDecorator { return WithMethod("DELETE") }

// AsGet returns a PrepareDecorator that sets the HTTP method to GET.
func AsGet() PrepareDecorator { return WithMethod("GET") }

// AsHead returns a PrepareDecorator that sets the HTTP method to HEAD.
func AsHead() PrepareDecorator { return WithMethod("HEAD") }

// AsOptions returns a PrepareDecorator that sets the HTTP method to OPTIONS.
func AsOptions() PrepareDecorator { return WithMethod("OPTIONS") }

// AsPatch returns a PrepareDecorator that sets the HTTP method to PATCH.
func AsPatch() PrepareDecorator { return WithMethod("PATCH") }

// AsPost returns a PrepareDecorator that sets the HTTP method to POST.
func AsPost() PrepareDecorator { return WithMethod("POST") }

// AsPut returns a PrepareDecorator that sets the HTTP method to PUT.
func AsPut() PrepareDecorator { return WithMethod("PUT") }

// WithBaseURL returns a PrepareDecorator that populates the http.Request with a url.URL constructed
// from the supplied baseUrl.
func WithBaseURL(baseURL string) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                var u *url.URL
                if u, err = url.Parse(baseURL); err != nil {
                    return r, err
                }
                if u.Scheme == "" {
                    err = fmt.Errorf("autorest: No scheme detected in URL %s", baseURL)
                }
                if err == nil {
                    r.URL = u
                }
            }
            return r, err
        })
    }
}

// WithCustomBaseURL returns a PrepareDecorator that replaces brace-enclosed keys within the
// request base URL (i.e., http.Request.URL) with the corresponding values from the passed map.
func WithCustomBaseURL(baseURL string, urlParameters map[string]interface{}) PrepareDecorator {
    parameters := ensureValueStrings(urlParameters)
    for key, value := range parameters {
        baseURL = strings.Replace(baseURL, "{"+key+"}", value, -1)
    }
    return WithBaseURL(baseURL)
}

// WithFormData returns a PrepareDecoratore that "URL encodes" (e.g., bar=baz&foo=quux) into the
// http.Request body.
func WithFormData(v url.Values) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                s := v.Encode()
                r.ContentLength = int64(len(s))
                r.Body = ioutil.NopCloser(strings.NewReader(s))
            }
            return r, err
        })
    }
}

// WithMultiPartFormData returns a PrepareDecoratore that "URL encodes" (e.g., bar=baz&foo=quux) form parameters
// into the http.Request body.
func WithMultiPartFormData(formDataParameters map[string]interface{}) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                var body bytes.Buffer
                writer := multipart.NewWriter(&body)
                for key, value := range formDataParameters {
                    if rc, ok := value.(io.ReadCloser); ok {
                        var fd io.Writer
                        if fd, err = writer.CreateFormFile(key, key); err != nil {
                            return r, err
                        }
                        if _, err = io.Copy(fd, rc); err != nil {
                            return r, err
                        }
                    } else {
                        if err = writer.WriteField(key, ensureValueString(value)); err != nil {
                            return r, err
                        }
                    }
                }
                if err = writer.Close(); err != nil {
                    return r, err
                }
                if r.Header == nil {
                    r.Header = make(http.Header)
                }
                r.Header.Set(http.CanonicalHeaderKey(headerContentType), writer.FormDataContentType())
                r.Body = ioutil.NopCloser(bytes.NewReader(body.Bytes()))
                r.ContentLength = int64(body.Len())
                return r, err
            }
            return r, err
        })
    }
}

// WithFile returns a PrepareDecorator that sends file in request body.
func WithFile(f io.ReadCloser) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                b, err := ioutil.ReadAll(f)
                if err != nil {
                    return r, err
                }
                r.Body = ioutil.NopCloser(bytes.NewReader(b))
                r.ContentLength = int64(len(b))
            }
            return r, err
        })
    }
}

// WithBool returns a PrepareDecorator that encodes the passed bool into the body of the request
// and sets the Content-Length header.
func WithBool(v bool) PrepareDecorator {
    return WithString(fmt.Sprintf("%v", v))
}

// WithFloat32 returns a PrepareDecorator that encodes the passed float32 into the body of the
// request and sets the Content-Length header.
func WithFloat32(v float32) PrepareDecorator {
    return WithString(fmt.Sprintf("%v", v))
}

// WithFloat64 returns a PrepareDecorator that encodes the passed float64 into the body of the
// request and sets the Content-Length header.
func WithFloat64(v float64) PrepareDecorator {
    return WithString(fmt.Sprintf("%v", v))
}

// WithInt32 returns a PrepareDecorator that encodes the passed int32 into the body of the request
// and sets the Content-Length header.
func WithInt32(v int32) PrepareDecorator {
    return WithString(fmt.Sprintf("%v", v))
}

// WithInt64 returns a PrepareDecorator that encodes the passed int64 into the body of the request
// and sets the Content-Length header.
func WithInt64(v int64) PrepareDecorator {
    return WithString(fmt.Sprintf("%v", v))
}

// WithString returns a PrepareDecorator that encodes the passed string into the body of the request
// and sets the Content-Length header.
func WithString(v string) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                r.ContentLength = int64(len(v))
                r.Body = ioutil.NopCloser(strings.NewReader(v))
            }
            return r, err
        })
    }
}

// WithJSON returns a PrepareDecorator that encodes the data passed as JSON into the body of the
// request and sets the Content-Length header.
func WithJSON(v interface{}) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                b, err := json.Marshal(v)
                if err == nil {
                    r.ContentLength = int64(len(b))
                    r.Body = ioutil.NopCloser(bytes.NewReader(b))
                }
            }
            return r, err
        })
    }
}

// WithPath returns a PrepareDecorator that adds the supplied path to the request URL. If the path
// is absolute (that is, it begins with a "/"), it replaces the existing path.
func WithPath(path string) PrepareDecorator {
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                if r.URL == nil {
                    return r, NewError("autorest", "WithPath", "Invoked with a nil URL")
                }
                if r.URL, err = parseURL(r.URL, path); err != nil {
                    return r, err
                }
            }
            return r, err
        })
    }
}

// WithEscapedPathParameters returns a PrepareDecorator that replaces brace-enclosed keys within the
// request path (i.e., http.Request.URL.Path) with the corresponding values from the passed map. The
// values will be escaped (aka URL encoded) before insertion into the path.
func WithEscapedPathParameters(path string, pathParameters map[string]interface{}) PrepareDecorator {
    parameters := escapeValueStrings(ensureValueStrings(pathParameters))
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                if r.URL == nil {
                    return r, NewError("autorest", "WithEscapedPathParameters", "Invoked with a nil URL")
                }
                for key, value := range parameters {
                    path = strings.Replace(path, "{"+key+"}", value, -1)
                }
                if r.URL, err = parseURL(r.URL, path); err != nil {
                    return r, err
                }
            }
            return r, err
        })
    }
}

// WithPathParameters returns a PrepareDecorator that replaces brace-enclosed keys within the
// request path (i.e., http.Request.URL.Path) with the corresponding values from the passed map.
func WithPathParameters(path string, pathParameters map[string]interface{}) PrepareDecorator {
    parameters := ensureValueStrings(pathParameters)
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                if r.URL == nil {
                    return r, NewError("autorest", "WithPathParameters", "Invoked with a nil URL")
                }
                for key, value := range parameters {
                    path = strings.Replace(path, "{"+key+"}", value, -1)
                }

                if r.URL, err = parseURL(r.URL, path); err != nil {
                    return r, err
                }
            }
            return r, err
        })
    }
}

func parseURL(u *url.URL, path string) (*url.URL, error) {
    p := strings.TrimRight(u.String(), "/")
    if !strings.HasPrefix(path, "/") {
        path = "/" + path
    }
    return url.Parse(p + path)
}

// WithQueryParameters returns a PrepareDecorators that encodes and applies the query parameters
// given in the supplied map (i.e., key=value).
func WithQueryParameters(queryParameters map[string]interface{}) PrepareDecorator {
    parameters := ensureValueStrings(queryParameters)
    return func(p Preparer) Preparer {
        return PreparerFunc(func(r *http.Request) (*http.Request, error) {
            r, err := p.Prepare(r)
            if err == nil {
                if r.URL == nil {
                    return r, NewError("autorest", "WithQueryParameters", "Invoked with a nil URL")
                }
                v := r.URL.Query()
                for key, value := range parameters {
                    v.Add(key, value)
                }
                r.URL.RawQuery = createQuery(v)
            }
            return r, err
        })
    }
}

// Authorizer is the interface that provides a PrepareDecorator used to supply request
// authorization. Most often, the Authorizer decorator runs last so it has access to the full
// state of the formed HTTP request.
type Authorizer interface {
    WithAuthorization() PrepareDecorator
}

// NullAuthorizer implements a default, "do nothing" Authorizer.
type NullAuthorizer struct{}

// WithAuthorization returns a PrepareDecorator that does nothing.
func (na NullAuthorizer) WithAuthorization() PrepareDecorator {
    return WithNothing()
}