-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathapi.jl
367 lines (324 loc) · 11.6 KB
/
api.jl
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
"""
General framework for representing Google JSON APIs.
"""
module api
export APIRoot, APIResource, APIMethod, set_session!, get_session, iserror
using Dates, Base64
using HTTP
import MbedTLS
import Libz
import JSON
using Markdown
using ..session
using ..error
using ..root
const GZIP_MAGIC_NUMBER = UInt8[0x1f, 0x8b, 0x08]
"""
path_tokens(path)
Extract tokens from a path, e.g.
```
path_tokens("/{foo}/{bar}/x/{baz}")
# output
3-element Array{SubString{String},1}:
"{foo}"
"{bar}"
"{baz}"
```
"""
path_tokens(path::AbstractString) = collect((m.match for m = eachmatch(r"{\w+}", path)))
"""
path_replace(path, values)
Replace path tokens in path with values.
Assumes values are provided in the same order in which tokens appear in the path.
```
path_replace("/{foo}/{bar}/{baz}", ["this", "is", "it"])
# output
"/this/is/it"
```
"""
path_replace(path::AbstractString, values) = reduce(
(x, y) -> replace(x, y[1]=>HTTP.URIs.escapeuri(y[2]), count=1),
zip(path_tokens(path), values); init=path)
#function path_replace(path::AbstractString, values)
# for value in values
# path = replace(path, r"{\w+}"=>value, count=1)
# end
# path
# #reduce((x, y) -> replace(x, y[1], HTTP.URIs.escapeuri(y[2]), 1), path,
# # zip(path_tokens(path), values))
#end
"""Check if response is/contains an error"""
iserror(x::AbstractDict{Symbol}) = haskey(x, :error)
iserror(::Any) = false
"""
APIMethod(verb, path, description)
Maps a method in the API to an HTTP verb and path.
"""
struct APIMethod
verb::Symbol
path::String
description::String
default_params::Dict{Symbol, Any}
transform::Function
function APIMethod(verb::Symbol, path::AbstractString, description::AbstractString,
default_params::AbstractDict{Symbol}=Dict{Symbol, Any}();
transform=(x, t) -> x)
new(verb, path, description, default_params, transform)
end
end
function Base.print(io::IO, x::APIMethod)
println(io, "$(x.verb): $(x.path)")
Markdown.print_wrapped(io, x.description)
end
Base.show(io::IO, x::APIMethod) = print(io, x)
"""
APIResource(path, methods)
Represents a resource in the API, typically rooted at a specific point in the
REST hierarchy.
"""
struct APIResource
path::String
methods::Dict{Symbol, APIMethod}
transform::Union{Function, DataType}
function APIResource(path::AbstractString, transform=identity; methods...)
if isempty(methods)
throw(APIError("Resource must have at least one method."))
end
methods = Dict(methods)
# build out non-absolute paths
if isurl(path)
for (name, method) in methods
if isempty(method.path)
method_path = path
elseif !isurl(method.path)
method_path = startswith(method.path, ":") ? "$(path)$(method.path)" : "$(path)/$(method.path)"
else
continue
end
methods[name] = APIMethod(method.verb, method_path, method.description, method.default_params; transform=method.transform)
end
end
new(path, methods, transform)
end
end
function Base.print(io::IO, x::APIResource)
println(io, x.path, "\n")
for (name, method) in sort(collect(x.methods), by=(x) -> x[1])
println(io)
println(io, name)
println(io, repeat("-", length(string(name))))
print(io, method)
end
end
Base.show(io::IO, x::APIResource) = print(io, x)
"""
APIRoot(...)
Represent a Google JSON API containing resources, accessible via scopes.
"""
struct APIRoot
path::String
scopes::Dict{String, String}
resources::Dict{Symbol, APIResource}
"""
APIRoot(path, scopes; resources...)
An API rooted at `path` with specified OAuth 2.0 access scopes and
resources.
"""
function APIRoot(path::AbstractString, scopes::AbstractDict{<: AbstractString, <: AbstractString}; resources...)
if !isurl(path)
throw(APIError("API root must be a valid URL."))
end
if isempty(resources)
throw(APIError("API must contain at least one resource."))
end
resources = Dict(resources)
# build out non-absolute paths
for (name, resource) in resources
if isempty(resource.path)
resource_path = path
elseif !isurl(resource.path)
resource_path = "$(path)/$(resource.path)"
else
continue
end
resources[name] = APIResource(resource_path, resource.transform; resource.methods...)
end
new(path, scopes, resources)
end
end
function Base.print(io::IO, x::APIRoot)
println(io, x.path, "\n")
for (name, resource) in sort(collect(x.resources), by=(x) -> x[1])
println(io)
println(io, name)
println(io, repeat("=", length(string(name))))
println(io, resource)
println(io, repeat("-", 79))
end
end
Base.show(io::IO, x::APIRoot) = print(io, x)
"""
set_session!(api, session)
Set the default session for a specific API. Set session to `nothing` to
forget session.
"""
function set_session!(api::APIRoot, session::Union{GoogleSession, Nothing})
_default_session[api] = session
nothing
end
"""
get_session(api)
Get the default session for a specific API.
"""
function get_session(api::APIRoot)
get(_default_session, api, nothing)
end
function (api::APIRoot)(resource_name::Symbol)
resource = try api.resources[resource_name] catch
throw(APIError("Unknown resource type: $resource_name"))
end
end
function (api::APIRoot)(resource_name::Symbol, method_name::Symbol, args...; kwargs...)
resource = api(resource_name)
method = try resource.methods[method_name] catch
throw(APIError("Unknown method for resource $resource_name: $method_name"))
end
kwargs = Dict(kwargs)
session = pop!(kwargs, :session, get(_default_session, api, nothing))
if session === nothing
throw(SessionError("Cannot use API without a session."))
end
execute(session, resource, method, args...; kwargs...)
end
"""
execute(session::GoogleSession, resource::APIResource, method::APIMethod,
path_args::AbstractString...[; ...])
Execute a method against the provided path arguments.
Optionally provide parameters and data (with optional MIME content-type).
"""
function execute(session::GoogleSession, resource::APIResource, method::APIMethod,
path_args::AbstractString...;
data::Union{AbstractString, AbstractDict, Vector{UInt8}}=HTTP.nobody,
gzip::Bool=false, content_type::AbstractString="application/json",
debug::Bool=false, raw::Bool=false,
max_backoff::TimePeriod=Second(64), max_attempts::Int64=10,
params...)
if length(path_args) != path_tokens(method.path) |> length
throw(APIError("Number of path arguments do not match"))
end
# obtain and use access token
auth = authorize(session)
headers = Dict{String, String}(
"Authorization" => "$(auth[:token_type]) $(auth[:access_token])"
)
params = Dict(params)
# check if data provided when not expected
if xor((!isempty(data)), in(method.verb, (:POST, :UPDATE, :PATCH, :PUT)))
data = HTTP.nobody
content_type = ""
headers["Content-Length"] = "0"
end
if !isempty(content_type)
headers["Content-Type"] = content_type
end
# serialise data to JSON if necessary
if !isempty(data)
if isa(data, AbstractDict) || content_type == "application/json"
data = JSON.json(data)
elseif isempty(data)
headers["Content-Length"] = "0"
end
if gzip
params[:contentEncoding] = "gzip"
if !all(data[1:3] .== GZIP_MAGIC_NUMBER)
# check the data compression using gzip magic number
data = read(Vector{UInt8}(data) |> Libz.ZlibDeflateInputStream)
end
end
end
# merge in default parameters and evaluate any expressions
params = merge!(copy(method.default_params), Dict(params))
extra = Dict(:project_id => session.credentials.project_id)
for (key, val) in params
if isa(val, Symbol)
params[key] = extra[val]
end
end
# attempt request until exceeding maximum attempts, backing off exponentially
res = nothing
max_backoff = Millisecond(max_backoff)
for attempt = 1:max(max_attempts, 1)
if debug
@info("Attempt: $attempt")
end
res = try
HTTP.request(string(method.verb),
path_replace(method.path, path_args), headers, data;
query=params )
catch e
# if isa(e, Base.IOError) &&
# e.code in (Base.UV_ECONNRESET, Base.UV_ECONNREFUSED, Base.UV_ECONNABORTED,
# Base.UV_EPIPE, Base.UV_ETIMEDOUT)
# elseif isa(e, MbedTLS.MbedException) &&
# e.ret in (MbedTLS.MBEDTLS_ERR_SSL_TIMEOUT, MbedTLS.MBEDTLS_ERR_SSL_CONN_EOF)
# else
# println("get a HTTP request error: ", e)
# rethrow(e)
# end
println("get a HTTP request error: ", e)
rethrow(e)
end
if debug && (res !== nothing)
@info("Request URL: $(res.request.target)")
@info("Response Headers:\n" * join((" $name: $value" for (name, value) in
sort(collect(res.headers))), "\n"))
@info("Response Data:\n " * base64encode(res.body))
@info("Status: ", res.status)
end
# https://cloud.google.com/storage/docs/exponential-backoff
if (res === nothing) || (div(res.status, 100) == 5) || (res.status == 429)
if attempt < max_attempts
backoff = min(Millisecond(floor(Int, 1000 * (2 ^ (attempt - 1) + rand()))), max_backoff)
warn("Unable to complete request: Retrying ($attempt/$max_attempts) in $backoff")
sleep(backoff / Millisecond(Second(1)))
else
warn("Unable to complete request: Stopping ($attempt/$max_attempts)")
end
else
break
end
end
# if response is JSON, parse and return. otherwise, just dump data
# HTTP response header type is Vector{Pair{String,String}}
# https://github.com/JuliaWeb/HTTP.jl/blob/master/src/Messages.jl#L166
for (key, value) in res.headers
if key=="Content-Type"
if length(value)>=16 && value[1:16]=="application/json"
for (k2, v2) in res.headers
if k2=="Content-Length" && v2=="0"
return HTTP.nobody
end
end
result = JSON.parse(read(IOBuffer(res.body), String);
dicttype=Dict{Symbol, Any})
return raw || (res.status >= 400) ? result :
method.transform(result, resource.transform)
else
result, status = res.body, res.status
return status == 200 ? result : Dict{Symbol, Any}(:error =>
Dict{Symbol, Any}(:message => result, :code => status))
end
end
end
nothing
end
const _default_session = Dict{APIRoot, GoogleSession}()
include("iam.jl")
include("storage.jl")
include("compute.jl")
include("container.jl")
include("pubsub.jl")
include("logging.jl")
include("datastore.jl")
include("text_service.jl")
end