-
Notifications
You must be signed in to change notification settings - Fork 13
/
api.go
293 lines (260 loc) · 7.29 KB
/
api.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
/*
Copyright 2017-2018 Mikael Berthe
Copyright 2017 Ollivier Robert
Licensed under the MIT license. Please see the LICENSE file is this directory.
*/
package madon
import (
"bytes"
"encoding/json"
"fmt"
"net/http"
"net/url"
"regexp"
"strconv"
"strings"
"time"
"github.com/pkg/errors"
"github.com/sendgrid/rest"
)
type apiLinks struct {
next, prev *LimitParams
}
func parseLink(links []string) (*apiLinks, error) {
if len(links) == 0 {
return nil, nil
}
al := new(apiLinks)
linkRegex := regexp.MustCompile(`<([^>]+)>; rel="([^"]+)`)
for _, l := range links {
m := linkRegex.FindAllStringSubmatch(l, -1)
for _, submatch := range m {
if len(submatch) != 3 {
continue
}
// Parse URL
u, err := url.Parse(submatch[1])
if err != nil {
return al, err
}
var lp *LimitParams
since := u.Query().Get("since_id")
max := u.Query().Get("max_id")
lim := u.Query().Get("limit")
if since == "" && max == "" {
continue
}
lp = new(LimitParams)
if since != "" {
lp.SinceID = since
if err != nil {
return al, err
}
}
if max != "" {
lp.MaxID = max
if err != nil {
return al, err
}
}
if lim != "" {
lp.Limit, err = strconv.Atoi(lim)
if err != nil {
return al, err
}
}
switch submatch[2] {
case "prev":
al.prev = lp
case "next":
al.next = lp
}
}
}
return al, nil
}
// restAPI actually does the HTTP query
// It is a copy of rest.API with better handling of parameters with multiple values
func restAPI(request rest.Request) (*rest.Response, error) {
// Our encoded parameters
var urlpstr string
c := &rest.Client{HTTPClient: http.DefaultClient}
// Build the HTTP request object.
if len(request.QueryParams) != 0 {
urlp := url.Values{}
arrayRe := regexp.MustCompile(`^\[\d+\](.*)$`)
for key, value := range request.QueryParams {
// It seems Mastodon doesn't like parameters with index
// numbers, but it needs the brackets.
// Let's check if the key matches '^.+\[.*\]$'
// Do not proceed if there's another bracket pair.
klen := len(key)
if klen == 0 {
continue
}
if m := arrayRe.FindStringSubmatch(key); len(m) > 0 {
// This is an array, let's remove the index number
key = m[1] + "[]"
}
urlp.Add(key, value)
}
urlpstr = urlp.Encode()
}
switch request.Method {
case "GET":
// Add parameters to the URL if we have any.
if len(urlpstr) > 0 {
request.BaseURL += "?" + urlpstr
}
default:
// Pleroma at least needs the API parameters in the body rather than
// the URL for `POST` requests. Which is fair according to
// https://html.spec.whatwg.org/multipage/form-control-infrastructure.html#form-submission-2
// which suggests that `GET` requests should have URL parameters
// and `POST` requests should have the encoded parameters in the body.
//
// HOWEVER for file uploads, we've already got a properly encoded body
// which means we ignore this step.
if len(request.Body) == 0 {
request.Body = []byte(urlpstr)
}
}
req, err := http.NewRequest(string(request.Method), request.BaseURL, bytes.NewBuffer(request.Body))
if err != nil {
return nil, err
}
for key, value := range request.Headers {
req.Header.Set(key, value)
}
_, exists := req.Header["Content-Type"]
if len(request.Body) > 0 && !exists {
// Make sure we have the correct content type for form submission.
req.Header.Set("Content-Type", "application/x-www-form-urlencoded")
}
// Build the HTTP client and make the request.
res, err := c.MakeRequest(req)
if err != nil {
return nil, err
}
if res.StatusCode < 200 || res.StatusCode >= 300 {
var errorText string
// Try to unmarshal the returned error object for a description
mastodonError := Error{}
decodeErr := json.NewDecoder(res.Body).Decode(&mastodonError)
if decodeErr != nil {
// Decode unsuccessful, fallback to generic error based on response code
errorText = http.StatusText(res.StatusCode)
} else {
errorText = mastodonError.Text
}
// Please note that the error string code is used by Search()
// to check the error cause.
const errFormatString = "bad server status code (%d)"
return nil, errors.Errorf(errFormatString+": %s",
res.StatusCode, errorText)
}
// Build Response object.
response, err := rest.BuildResponse(res)
if err != nil {
return nil, err
}
return response, nil
}
// prepareRequest inserts all pre-defined stuff
func (mc *Client) prepareRequest(target string, method rest.Method, params apiCallParams) (rest.Request, error) {
var req rest.Request
if mc == nil {
return req, ErrUninitializedClient
}
endPoint := mc.APIBase + "/" + target
// Request headers
hdrs := make(map[string]string)
hdrs["User-Agent"] = fmt.Sprintf("madon/%s", MadonVersion)
if mc.UserToken != nil {
hdrs["Authorization"] = fmt.Sprintf("Bearer %s", mc.UserToken.AccessToken)
}
req = rest.Request{
BaseURL: endPoint,
Headers: hdrs,
Method: method,
QueryParams: params,
}
return req, nil
}
// apiCall makes a call to the Mastodon API server
// If links is not nil, the prev/next links from the API response headers
// will be set (if they exist) in the structure.
func (mc *Client) apiCall(endPoint string, method rest.Method, params apiCallParams, limitOptions *LimitParams, links *apiLinks, data interface{}) error {
if mc == nil {
return errors.New("use of uninitialized madon client")
}
if limitOptions != nil {
if params == nil {
params = make(apiCallParams)
}
if limitOptions.Limit > 0 {
params["limit"] = strconv.Itoa(limitOptions.Limit)
}
if limitOptions.SinceID != "" {
params["since_id"] = limitOptions.SinceID
}
if limitOptions.MaxID != "" {
params["max_id"] = limitOptions.MaxID
}
}
// Prepare query
req, err := mc.prepareRequest(endPoint, method, params)
if err != nil {
return err
}
// Make API call
r, err := restAPI(req)
if err != nil {
return errors.Wrapf(err, "API query (%s) failed", endPoint)
}
if links != nil {
pLinks, err := parseLink(r.Headers["Link"])
if err != nil {
return errors.Wrapf(err, "cannot decode header links (%s)", method)
}
if pLinks != nil {
*links = *pLinks
}
}
// Check for error reply
var errorResult Error
if err := json.Unmarshal([]byte(r.Body), &errorResult); err == nil {
// The empty object is not an error
if errorResult.Text != "" {
return errors.New(errorResult.Text)
}
}
// Not an error reply; let's unmarshal the data
err = json.Unmarshal([]byte(r.Body), &data)
if err != nil {
return errors.Wrapf(err, "cannot decode API response (%s)", method)
}
return nil
}
/* Mastodon timestamp handling */
// MastodonDate is a custom type for the timestamps returned by some API calls
// It is used, for example, by 'v1/instance/activity' and 'v2/search'.
// The date returned by those Mastodon API calls is a string containing a
// timestamp in seconds...
// UnmarshalJSON handles deserialization for custom MastodonDate type
func (act *MastodonDate) UnmarshalJSON(b []byte) error {
s, err := strconv.ParseInt(strings.Trim(string(b), "\""), 10, 64)
if err != nil {
return err
}
if s == 0 {
act.Time = time.Time{}
return nil
}
act.Time = time.Unix(s, 0)
return nil
}
// MarshalJSON handles serialization for custom MastodonDate type
func (act *MastodonDate) MarshalJSON() ([]byte, error) {
return []byte(fmt.Sprintf("\"%d\"", act.Unix())), nil
}