forked from sourcegraph/sourcegraph-public-snapshot
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathclient.go
288 lines (242 loc) · 7.8 KB
/
client.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
package bitbucketcloud
import (
"context"
"encoding/json"
"fmt"
"io/ioutil"
"net/http"
"net/url"
"strconv"
"strings"
"sync"
"time"
"github.com/inconshreveable/log15"
"github.com/opentracing-contrib/go-stdlib/nethttp"
"github.com/pkg/errors"
"github.com/sourcegraph/sourcegraph/internal/httpcli"
"github.com/sourcegraph/sourcegraph/internal/metrics"
"github.com/sourcegraph/sourcegraph/internal/trace/ot"
"golang.org/x/time/rate"
)
var requestCounter = metrics.NewRequestMeter("bitbucket_cloud_requests_count", "Total number of requests sent to the Bitbucket Cloud API.")
// These fields define the self-imposed Bitbucket rate limit (since Bitbucket Cloud does
// not have a concept of rate limiting in HTTP response headers).
//
// See https://godoc.org/golang.org/x/time/rate#Limiter for an explanation of these fields.
//
// The limits chosen here are based on the following logic: Bitbucket Cloud restricts
// "List all repositories" requests (which are a good portion of our requests) to 1,000/hr,
// and they restrict "List a user or team's repositories" requests (which are roughly equal
// to our repository lookup requests) to 1,000/hr.
// See `pkg/extsvc/bitbucketserver/client.go` for the calculations behind these limits`
const (
rateLimitRequestsPerSecond = 2 // 120/min or 7200/hr
RateLimitMaxBurstRequests = 500
)
// Global limiter cache so that we reuse the same rate limiter for
// the same code host, even between config changes.
// This is a failsafe to protect bitbucket as they do not impose their own
// rate limiting.
var limiterMu sync.Mutex
var limiterCache = make(map[string]*rate.Limiter)
// Client access a Bitbucket Cloud via the REST API 2.0.
type Client struct {
// HTTP Client used to communicate with the API
httpClient httpcli.Doer
// URL is the base URL of Bitbucket Cloud.
URL *url.URL
// The username and app password credentials for accessing the server.
Username, AppPassword string
// RateLimit is the self-imposed rate limiter (since Bitbucket does not have a concept
// of rate limiting in HTTP response headers).
RateLimit *rate.Limiter
}
// NewClient creates a new Bitbucket Cloud API client with given apiURL. If a nil httpClient
// is provided, http.DefaultClient will be used. Both Username and AppPassword fields are
// required to be set before calling any APIs.
func NewClient(apiURL *url.URL, httpClient httpcli.Doer) *Client {
if httpClient == nil {
httpClient = http.DefaultClient
}
httpClient = requestCounter.Doer(httpClient, func(u *url.URL) string {
// The second component of the Path mostly maps to the type of API
// request we are making.
var category string
if parts := strings.SplitN(u.Path, "/", 4); len(parts) > 2 {
category = parts[2]
}
return category
})
limiterMu.Lock()
defer limiterMu.Unlock()
l, ok := limiterCache[apiURL.String()]
if !ok {
l = rate.NewLimiter(rateLimitRequestsPerSecond, RateLimitMaxBurstRequests)
limiterCache[apiURL.String()] = l
}
return &Client{
httpClient: httpClient,
URL: apiURL,
RateLimit: l,
}
}
// Repos returns a list of repositories that are fetched and populated based on given account
// name and pagination criteria. If the account requested is a team, results will be filtered
// down to the ones that the app password's user has access to.
// If the argument pageToken.Next is not empty, it will be used directly as the URL to make
// the request. The PageToken it returns may also contain the URL to the next page for
// succeeding requests if any.
func (c *Client) Repos(ctx context.Context, pageToken *PageToken, accountName string) ([]*Repo, *PageToken, error) {
var repos []*Repo
var next *PageToken
var err error
if pageToken.HasMore() {
next, err = c.reqPage(ctx, pageToken.Next, &repos)
} else {
next, err = c.page(ctx, fmt.Sprintf("/2.0/repositories/%s", accountName), nil, pageToken, &repos)
}
return repos, next, err
}
func (c *Client) page(ctx context.Context, path string, qry url.Values, token *PageToken, results interface{}) (*PageToken, error) {
if qry == nil {
qry = make(url.Values)
}
for k, vs := range token.Values() {
qry[k] = append(qry[k], vs...)
}
u := url.URL{Path: path, RawQuery: qry.Encode()}
return c.reqPage(ctx, u.String(), results)
}
// reqPage directly requests resources from given URL assuming all attributes have been
// included in the URL parameter. This is particular useful since the Bitbucket Cloud
// API 2.0 pagination renders the full link of next page in the response.
// See more at https://developer.atlassian.com/bitbucket/api/2/reference/meta/pagination
// However, for the very first request, use method page instead.
func (c *Client) reqPage(ctx context.Context, url string, results interface{}) (*PageToken, error) {
req, err := http.NewRequest("GET", url, nil)
if err != nil {
return nil, err
}
var next PageToken
err = c.do(ctx, req, &struct {
*PageToken
Values interface{} `json:"values"`
}{
PageToken: &next,
Values: results,
})
if err != nil {
return nil, err
}
return &next, nil
}
func (c *Client) do(ctx context.Context, req *http.Request, result interface{}) error {
req.URL = c.URL.ResolveReference(req.URL)
req.Header.Set("Content-Type", "application/json; charset=utf-8")
req, ht := nethttp.TraceRequest(ot.GetTracer(ctx),
req.WithContext(ctx),
nethttp.OperationName("Bitbucket Cloud"),
nethttp.ClientTrace(false))
defer ht.Finish()
if err := c.authenticate(req); err != nil {
return err
}
startWait := time.Now()
if err := c.RateLimit.Wait(ctx); err != nil {
return err
}
if d := time.Since(startWait); d > 200*time.Millisecond {
log15.Warn("Bitbucket Cloud self-enforced API rate limit: request delayed longer than expected due to rate limit", "delay", d)
}
resp, err := c.httpClient.Do(req)
if err != nil {
return err
}
defer resp.Body.Close()
bs, err := ioutil.ReadAll(resp.Body)
if err != nil {
return err
}
if resp.StatusCode < 200 || resp.StatusCode >= 400 {
return errors.WithStack(&httpError{
URL: req.URL,
StatusCode: resp.StatusCode,
Body: bs,
})
}
if result != nil {
return json.Unmarshal(bs, result)
}
return nil
}
func (c *Client) authenticate(req *http.Request) error {
req.SetBasicAuth(c.Username, c.AppPassword)
return nil
}
type PageToken struct {
Size int `json:"size"`
Page int `json:"page"`
Pagelen int `json:"pagelen"`
Next string `json:"next"`
}
func (t *PageToken) HasMore() bool {
if t == nil {
return false
}
return len(t.Next) > 0
}
func (t *PageToken) Values() url.Values {
v := url.Values{}
if t == nil {
return v
}
if t.Pagelen != 0 {
v.Set("pagelen", strconv.Itoa(t.Pagelen))
}
return v
}
type Repo struct {
Slug string `json:"slug"`
Name string `json:"name"`
FullName string `json:"full_name"`
UUID string `json:"uuid"`
SCM string `json:"scm"`
Description string `json:"description"`
Parent *Repo `json:"parent"`
IsPrivate bool `json:"is_private"`
Links Links `json:"links"`
}
type Links struct {
Clone CloneLinks `json:"clone"`
HTML Link `json:"html"`
}
type CloneLinks []struct {
Href string `json:"href"`
Name string `json:"name"`
}
type Link struct {
Href string `json:"href"`
}
// HTTPS returns clone link named "https", it returns an error if not found.
func (cl CloneLinks) HTTPS() (string, error) {
for _, l := range cl {
if l.Name == "https" {
return l.Href, nil
}
}
return "", errors.New("HTTPS clone link not found")
}
type httpError struct {
StatusCode int
URL *url.URL
Body []byte
}
func (e *httpError) Error() string {
return fmt.Sprintf("Bitbucket Cloud API HTTP error: code=%d url=%q body=%q", e.StatusCode, e.URL, e.Body)
}
func (e *httpError) Unauthorized() bool {
return e.StatusCode == http.StatusUnauthorized
}
func (e *httpError) NotFound() bool {
return e.StatusCode == http.StatusNotFound
}