-
Notifications
You must be signed in to change notification settings - Fork 461
/
stripe.go
538 lines (445 loc) · 13.7 KB
/
stripe.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
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
// Package stripe provides the binding for Stripe REST APIs.
package stripe
import (
"bytes"
"encoding/json"
"errors"
"fmt"
"io"
"io/ioutil"
"log"
"net/http"
"os"
"os/exec"
"runtime"
"strings"
"sync"
"time"
"github.com/stripe/stripe-go/form"
)
const (
apiURL = "https://api.stripe.com/v1"
uploadsURL = "https://uploads.stripe.com/v1"
)
// apiversion is the currently supported API version
const apiversion = "2018-02-06"
// clientversion is the binding version
const clientversion = "31.0.0"
// defaultHTTPTimeout is the default timeout on the http.Client used by the library.
// This is chosen to be consistent with the other Stripe language libraries and
// to coordinate with other timeouts configured in the Stripe infrastructure.
const defaultHTTPTimeout = 80 * time.Second
// TotalBackends is the total number of Stripe API endpoints supported by the
// binding.
const TotalBackends = 2
// UnknownPlatform is the string returned as the system name if we couldn't get
// one from `uname`.
const UnknownPlatform = "unknown platform"
// AppInfo contains information about the "app" which this integration belongs
// to. This should be reserved for plugins that wish to identify themselves
// with Stripe.
type AppInfo struct {
Name string `json:"name"`
URL string `json:"url"`
Version string `json:"version"`
}
// formatUserAgent formats an AppInfo in a way that's suitable to be appended
// to a User-Agent string. Note that this format is shared between all
// libraries so if it's changed, it should be changed everywhere.
func (a *AppInfo) formatUserAgent() string {
str := a.Name
if a.Version != "" {
str += "/" + a.Version
}
if a.URL != "" {
str += " (" + a.URL + ")"
}
return str
}
// Backend is an interface for making calls against a Stripe service.
// This interface exists to enable mocking for during testing if needed.
type Backend interface {
Call(method, path, key string, body *form.Values, params *Params, v interface{}) error
CallMultipart(method, path, key, boundary string, body io.Reader, params *Params, v interface{}) error
}
// BackendConfiguration is the internal implementation for making HTTP calls to Stripe.
type BackendConfiguration struct {
Type SupportedBackend
URL string
HTTPClient *http.Client
}
// SupportedBackend is an enumeration of supported Stripe endpoints.
// Currently supported values are "api" and "uploads".
type SupportedBackend string
const (
// APIBackend is a constant representing the API service backend.
APIBackend SupportedBackend = "api"
// APIURL is the URL of the API service backend.
APIURL string = "https://api.stripe.com/v1"
// UploadsBackend is a constant representing the uploads service backend.
UploadsBackend SupportedBackend = "uploads"
// UploadsURL is the URL of the uploads service backend.
UploadsURL string = "https://uploads.stripe.com/v1"
)
// Backends are the currently supported endpoints.
type Backends struct {
API, Uploads Backend
mu sync.RWMutex
}
// stripeClientUserAgent contains information about the current runtime which
// is serialized and sent in the `X-Stripe-Client-User-Agent` as additional
// debugging information.
type stripeClientUserAgent struct {
Application *AppInfo `json:"application"`
BindingsVersion string `json:"bindings_version"`
Language string `json:"lang"`
LanguageVersion string `json:"lang_version"`
Publisher string `json:"publisher"`
Uname string `json:"uname"`
}
// Key is the Stripe API key used globally in the binding.
var Key string
// LogLevel is the logging level for this library.
// 0: no logging
// 1: errors only
// 2: errors + informational (default)
// 3: errors + informational + debug
var LogLevel = 2
// Logger controls how stripe performs logging at a package level. It is useful
// to customise if you need it prefixed for your application to meet other
// requirements
var Logger Printfer
// Printfer is an interface to be implemented by Logger.
type Printfer interface {
Printf(format string, v ...interface{})
}
func init() {
Logger = log.New(os.Stderr, "", log.LstdFlags)
initUserAgent()
}
var appInfo *AppInfo
var httpClient = &http.Client{Timeout: defaultHTTPTimeout}
var backends Backends
var encodedStripeUserAgent string
var encodedUserAgent string
// SetHTTPClient overrides the default HTTP client.
// This is useful if you're running in a Google AppEngine environment
// where the http.DefaultClient is not available.
func SetHTTPClient(client *http.Client) {
httpClient = client
}
// NewBackends creates a new set of backends with the given HTTP client. You
// should only need to use this for testing purposes or on App Engine.
func NewBackends(httpClient *http.Client) *Backends {
return &Backends{
API: &BackendConfiguration{
APIBackend, APIURL, httpClient},
Uploads: &BackendConfiguration{
UploadsBackend, UploadsURL, httpClient},
}
}
// GetBackend returns the currently used backend in the binding.
func GetBackend(backend SupportedBackend) Backend {
switch backend {
case APIBackend:
backends.mu.RLock()
ret := backends.API
backends.mu.RUnlock()
if ret != nil {
return ret
}
backends.mu.Lock()
defer backends.mu.Unlock()
backends.API = &BackendConfiguration{backend, apiURL, httpClient}
return backends.API
case UploadsBackend:
backends.mu.RLock()
ret := backends.Uploads
backends.mu.RUnlock()
if ret != nil {
return ret
}
backends.mu.Lock()
defer backends.mu.Unlock()
backends.Uploads = &BackendConfiguration{backend, uploadsURL, httpClient}
return backends.Uploads
}
return nil
}
// SetBackend sets the backend used in the binding.
func SetBackend(backend SupportedBackend, b Backend) {
switch backend {
case APIBackend:
backends.API = b
case UploadsBackend:
backends.Uploads = b
}
}
// Call is the Backend.Call implementation for invoking Stripe APIs.
func (s *BackendConfiguration) Call(method, path, key string, form *form.Values, params *Params, v interface{}) error {
var body io.Reader
if form != nil && !form.Empty() {
data := form.Encode()
if strings.ToUpper(method) == "GET" {
path += "?" + data
} else {
body = bytes.NewBufferString(data)
}
}
req, err := s.NewRequest(method, path, key, "application/x-www-form-urlencoded", body, params)
if err != nil {
return err
}
if err := s.Do(req, v); err != nil {
return err
}
return nil
}
// CallMultipart is the Backend.CallMultipart implementation for invoking Stripe APIs.
func (s *BackendConfiguration) CallMultipart(method, path, key, boundary string, body io.Reader, params *Params, v interface{}) error {
contentType := "multipart/form-data; boundary=" + boundary
req, err := s.NewRequest(method, path, key, contentType, body, params)
if err != nil {
return err
}
if err := s.Do(req, v); err != nil {
return err
}
return nil
}
// NewRequest is used by Call to generate an http.Request. It handles encoding
// parameters and attaching the appropriate headers.
func (s *BackendConfiguration) NewRequest(method, path, key, contentType string, body io.Reader, params *Params) (*http.Request, error) {
if !strings.HasPrefix(path, "/") {
path = "/" + path
}
path = s.URL + path
req, err := http.NewRequest(method, path, body)
if err != nil {
if LogLevel > 0 {
Logger.Printf("Cannot create Stripe request: %v\n", err)
}
return nil, err
}
authorization := "Bearer " + key
req.Header.Add("Authorization", authorization)
req.Header.Add("Stripe-Version", apiversion)
req.Header.Add("User-Agent", encodedUserAgent)
req.Header.Add("Content-Type", contentType)
req.Header.Add("X-Stripe-Client-User-Agent", encodedStripeUserAgent)
if params != nil {
if params.Context != nil {
req = req.WithContext(params.Context)
}
if idempotency := strings.TrimSpace(params.IdempotencyKey); idempotency != "" {
if len(idempotency) > 255 {
return nil, errors.New("Cannot use an IdempotencyKey longer than 255 characters long.")
}
req.Header.Add("Idempotency-Key", idempotency)
}
// But prefer StripeAccount.
if stripeAccount := strings.TrimSpace(params.StripeAccount); stripeAccount != "" {
req.Header.Add("Stripe-Account", stripeAccount)
}
for k, v := range params.Headers {
for _, line := range v {
req.Header.Add(k, line)
}
}
}
return req, nil
}
// Do is used by Call to execute an API request and parse the response. It uses
// the backend's HTTP client to execute the request and unmarshals the response
// into v. It also handles unmarshaling errors returned by the API.
func (s *BackendConfiguration) Do(req *http.Request, v interface{}) error {
if LogLevel > 1 {
Logger.Printf("Requesting %v %v%v\n", req.Method, req.URL.Host, req.URL.Path)
}
start := time.Now()
res, err := s.HTTPClient.Do(req)
if LogLevel > 2 {
Logger.Printf("Completed in %v\n", time.Since(start))
}
if err != nil {
if LogLevel > 0 {
Logger.Printf("Request to Stripe failed: %v\n", err)
}
return err
}
defer res.Body.Close()
resBody, err := ioutil.ReadAll(res.Body)
if err != nil {
if LogLevel > 0 {
Logger.Printf("Cannot parse Stripe response: %v\n", err)
}
return err
}
if res.StatusCode >= 400 {
return s.ResponseToError(res, resBody)
}
if LogLevel > 2 {
Logger.Printf("Stripe Response: %q\n", resBody)
}
if v != nil {
return json.Unmarshal(resBody, v)
}
return nil
}
func (s *BackendConfiguration) ResponseToError(res *http.Response, resBody []byte) error {
// for some odd reason, the Erro structure doesn't unmarshal
// initially I thought it was because it's a struct inside of a struct
// but even after trying that, it still didn't work
// so unmarshalling to a map for now and parsing the results manually
// but should investigate later
var errMap map[string]interface{}
err := json.Unmarshal(resBody, &errMap)
if err != nil {
return err
}
e, ok := errMap["error"]
if !ok {
err := errors.New(string(resBody))
if LogLevel > 0 {
Logger.Printf("Unparsable error returned from Stripe: %v\n", err)
}
return err
}
root := e.(map[string]interface{})
stripeErr := &Error{
Type: ErrorType(root["type"].(string)),
Msg: root["message"].(string),
HTTPStatusCode: res.StatusCode,
RequestID: res.Header.Get("Request-Id"),
}
if code, ok := root["code"]; ok {
stripeErr.Code = ErrorCode(code.(string))
}
if param, ok := root["param"]; ok {
stripeErr.Param = param.(string)
}
if charge, ok := root["charge"]; ok {
stripeErr.ChargeID = charge.(string)
}
switch stripeErr.Type {
case ErrorTypeAPI:
stripeErr.Err = &APIError{stripeErr: stripeErr}
case ErrorTypeAPIConnection:
stripeErr.Err = &APIConnectionError{stripeErr: stripeErr}
case ErrorTypeAuthentication:
stripeErr.Err = &AuthenticationError{stripeErr: stripeErr}
case ErrorTypeCard:
cardErr := &CardError{stripeErr: stripeErr}
stripeErr.Err = cardErr
if declineCode, ok := root["decline_code"]; ok {
cardErr.DeclineCode = declineCode.(string)
}
case ErrorTypeInvalidRequest:
stripeErr.Err = &InvalidRequestError{stripeErr: stripeErr}
case ErrorTypePermission:
stripeErr.Err = &PermissionError{stripeErr: stripeErr}
case ErrorTypeRateLimit:
stripeErr.Err = &RateLimitError{stripeErr: stripeErr}
}
if LogLevel > 0 {
Logger.Printf("Error encountered from Stripe: %v\n", stripeErr)
}
return stripeErr
}
// SetAppInfo sets app information. See AppInfo.
func SetAppInfo(info *AppInfo) {
if info != nil && info.Name == "" {
panic(fmt.Errorf("App info name cannot be empty"))
}
appInfo = info
// This is run in init, but we need to reinitialize it now that we have
// some app info.
initUserAgent()
}
// getUname tries to get a uname from the system, but not that hard. It tries
// to execute `uname -a`, but swallows any errors in case that didn't work
// (i.e. non-Unix non-Mac system or some other reason).
func getUname() string {
path, err := exec.LookPath("uname")
if err != nil {
return UnknownPlatform
}
cmd := exec.Command(path, "-a")
var out bytes.Buffer
cmd.Stderr = nil // goes to os.DevNull
cmd.Stdout = &out
err = cmd.Run()
if err != nil {
return UnknownPlatform
}
return out.String()
}
func initUserAgent() {
encodedUserAgent = "Stripe/v1 GoBindings/" + clientversion
if appInfo != nil {
encodedUserAgent += " " + appInfo.formatUserAgent()
}
stripeUserAgent := &stripeClientUserAgent{
Application: appInfo,
BindingsVersion: clientversion,
Language: "go",
LanguageVersion: runtime.Version(),
Publisher: "stripe",
Uname: getUname(),
}
marshaled, err := json.Marshal(stripeUserAgent)
// Encoding this struct should never be a problem, so we're okay to panic
// in case it is for some reason.
if err != nil {
panic(err)
}
encodedStripeUserAgent = string(marshaled)
}
// Bool returns a pointer to the bool value passed in.
func Bool(v bool) *bool {
return &v
}
// BoolValue returns the value of the bool pointer passed in or
// false if the pointer is nil.
func BoolValue(v *bool) bool {
if v != nil {
return *v
}
return false
}
// Float64 returns a pointer to the float64 value passed in.
func Float64(v float64) *float64 {
return &v
}
// Float64Value returns the value of the float64 pointer passed in or
// 0 if the pointer is nil.
func Float64Value(v *float64) float64 {
if v != nil {
return *v
}
return 0
}
// Int64 returns a pointer to the int64 value passed in.
func Int64(v int64) *int64 {
return &v
}
// Int64Value returns the value of the int64 pointer passed in or
// 0 if the pointer is nil.
func Int64Value(v *int64) int64 {
if v != nil {
return *v
}
return 0
}
// String returns a pointer to the string value passed in.
func String(v string) *string {
return &v
}
// StringValue returns the value of the string pointer passed in or
// "" if the pointer is nil.
func StringValue(v *string) string {
if v != nil {
return *v
}
return ""
}