-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathawscurl.py
337 lines (272 loc) · 11.3 KB
/
awscurl.py
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
#!/usr/bin/env python
from __future__ import print_function
from os.path import expanduser
import re
import datetime
import hashlib
import hmac
import sys
import pprint
import configargparse
import configparser
import requests
__author__ = 'iokulist'
is_verbose = False
def log(*args, **kwargs):
if not is_verbose:
return
pp = pprint.PrettyPrinter(stream=sys.stderr)
pp.pprint(*args, **kwargs)
def url_path_to_dict(path):
"""http://stackoverflow.com/a/17892757/142207"""
pattern = (r'^'
r'((?P<schema>.+?)://)?'
r'((?P<user>.+?)(:(?P<password>.*?))?@)?'
r'(?P<host>.*?)'
r'(:(?P<port>\d+?))?'
r'(?P<path>/.*?)?'
r'(\?(?P<query>.*?))?'
r'$'
)
regex = re.compile(pattern)
m = regex.match(path)
d = m.groupdict() if m is not None else None
if d['path'] is None:
d['path'] = '/'
if d['query'] is None:
d['query'] = ''
return d
def make_request(method,
service,
region,
uri,
headers,
data,
profile,
access_key,
secret_key,
security_token):
"""
# Make HTTP request with AWS Version 4 signing
:param method: str
:param service: str
:param region: str
:param uri: str
:param headers: dict
:param data:str
:param profile: str
:param access_key: str
:param secret_key: str
:param security_token: str
See also: http://docs.aws.amazon.com/general/latest/gr/sigv4_signing.html
"""
uri_dict = url_path_to_dict(uri)
host = uri_dict['host']
query = uri_dict['query']
canonical_uri = uri_dict['path']
port = uri_dict['port']
def sign(key, msg):
"""
Key derivation functions.
See: http://docs.aws.amazon.com
/general/latest/gr/signature-v4-examples.html
#signature-v4-examples-python
"""
return hmac.new(key, msg.encode('utf-8'), hashlib.sha256).digest()
def get_signature_key(key, date_stamp, region_name, service_name):
k_date = sign(('AWS4' + key).encode('utf-8'), date_stamp)
k_region = sign(k_date, region_name)
k_service = sign(k_region, service_name)
k_signing = sign(k_service, 'aws4_request')
return k_signing
def sha256_hash(val):
return hashlib.sha256(val.encode('utf-8')).hexdigest()
if access_key is None or secret_key is None or security_token is None:
try:
config = configparser.ConfigParser()
config.read(expanduser("~") + "/.aws/credentials")
access_key = access_key or config.get(profile, "aws_access_key_id")
secret_key = secret_key or config.get(profile,
"aws_secret_access_key")
if config.has_option(profile, "aws_session_token"):
security_token = security_token or config.get(
profile, "aws_session_token")
log(access_key + ' ' + secret_key)
if access_key is None or secret_key is None:
raise ValueError('No access key is available')
except configparser.NoSectionError:
log('AWS profile \'{0}\' not found'.format(profile))
return 1
except configparser.NoOptionError:
log('AWS profile \'{0}\' is missing access or secret key'
.format(profile))
return 1
except ValueError as error:
log(error)
return 1
# Create a date for headers and the credential string
t = now()
amzdate = t.strftime('%Y%m%dT%H%M%SZ')
datestamp = t.strftime('%Y%m%d') # Date w/o time, used in credential scope
# ************* TASK 1: CREATE A CANONICAL REQUEST *************
# http://docs.aws.amazon.com/general/latest/gr/sigv4-create-canonical-request.html
# Step 1 is to define the verb (GET, POST, etc.)--already done.
# Step 2: Create canonical URI--the part of the URI from domain to query
# string (use '/' if no path)
# canonical_uri = '/'
# Step 3: Create the canonical query string. In this example (a GET
# request),
# request parameters are in the query string. Query string values must
# be URL-encoded (space=%20). The parameters must be sorted by name.
# For this example, the query string is pre-formatted in the
# request_parameters variable.
canonical_querystring = normalize_query_string(query)
log(canonical_querystring)
fullhost = host
if port:
fullhost = host + ':' + port
# Step 4: Create the canonical headers and signed headers. Header names
# and value must be trimmed and lowercase, and sorted in ASCII order.
# Note that there is a trailing \n.
canonical_headers = ('host:' + fullhost + '\n' +
'x-amz-date:' + amzdate + '\n')
if security_token:
canonical_headers += ('x-amz-security-token:' + security_token + '\n')
# Step 5: Create the list of signed headers. This lists the headers
# in the canonical_headers list, delimited with ";" and in alpha order.
# Note: The request can include any headers; canonical_headers and
# signed_headers lists those that you want to be included in the
# hash of the request. "Host" and "x-amz-date" are always required.
signed_headers = 'host;x-amz-date'
if security_token:
signed_headers += ';x-amz-security-token'
# Step 6: Create payload hash (hash of the request body content). For GET
# requests, the payload is an empty string ("").
payload_hash = sha256_hash(data)
# Step 7: Combine elements to create create canonical request
canonical_request = (method + '\n' +
canonical_uri + '\n' +
canonical_querystring + '\n' +
canonical_headers + '\n' +
signed_headers + '\n' +
payload_hash)
log('\nCANONICAL REQUEST = ' + canonical_request)
# ************* TASK 2: CREATE THE STRING TO SIGN*************
# Match the algorithm to the hashing algorithm you use, either SHA-1 or
# SHA-256 (recommended)
algorithm = 'AWS4-HMAC-SHA256'
credential_scope = (datestamp + '/' +
region + '/' +
service + '/' +
'aws4_request')
string_to_sign = (algorithm + '\n' +
amzdate + '\n' +
credential_scope + '\n' +
sha256_hash(canonical_request))
log('\nSTRING_TO_SIGN = ' + string_to_sign)
# ************* TASK 3: CALCULATE THE SIGNATURE *************
# Create the signing key using the function defined above.
signing_key = get_signature_key(secret_key, datestamp, region, service)
# Sign the string_to_sign using the signing_key
encoded = string_to_sign.encode('utf-8')
signature = hmac.new(signing_key, encoded, hashlib.sha256).hexdigest()
# ************* TASK 4: ADD SIGNING INFORMATION TO THE REQUEST ***********
# The signing information can be either in a query string value or in
# a header named Authorization. This code shows how to use a header.
# Create authorization header and add to request headers
authorization_header = (
algorithm + ' ' +
'Credential=' + access_key + '/' + credential_scope + ', ' +
'SignedHeaders=' + signed_headers + ', ' +
'Signature=' + signature
)
# The request can include any headers, but MUST include "host",
# "x-amz-date", and (for this scenario) "Authorization". "host" and
# "x-amz-date" must be included in the canonical_headers and
# signed_headers, as noted earlier. Order here is not significant.
# Python note: The 'host' header is added automatically by the Python
# 'requests' library.
headers.update({
'Authorization': authorization_header,
'x-amz-date': amzdate,
'x-amz-security-token': security_token,
'x-amz-content-sha256': payload_hash
})
return send_request(uri, data, headers, method)
def normalize_query_string(query):
kv = (list(map(str.strip, s.split("=")))
for s in query.split('&')
if len(s) > 0)
normalized = '&'.join('%s=%s' % (p[0], p[1] if len(p) > 1 else '')
for p in sorted(kv))
return normalized
def now():
return datetime.datetime.utcnow()
def send_request(uri, data, headers, method):
log('\nHEADERS++++++++++++++++++++++++++++++++++++')
log(headers)
log('\nBEGIN REQUEST++++++++++++++++++++++++++++++++++++')
log('Request URL = ' + uri)
r = requests.request(method, uri, headers=headers, data=data)
log('\nRESPONSE++++++++++++++++++++++++++++++++++++')
log('Response code: %d\n' % r.status_code)
print(r.text)
r.raise_for_status()
return 0
def main():
# note EC2 ignores Accept header and responds in xml
default_headers = ['Accept: application/xml',
'Content-Type: application/json']
parser = configargparse.ArgumentParser(
description='Curl AWS request signing',
formatter_class=configargparse.ArgumentDefaultsHelpFormatter
)
parser.add_argument('-v', '--verbose', action='store_true',
help='verbose flag', default=False)
parser.add_argument('-X', '--request',
help='Specify request command to use',
default='GET')
parser.add_argument('-d', '--data', help='HTTP POST data', default='')
parser.add_argument('-H', '--header', help='HTTP header', action='append')
parser.add_argument('--region',
help='AWS region',
default='us-east-1',
env_var='AWS_DEFAULT_REGION')
parser.add_argument('--profile',
help='AWS profile',
default='default',
env_var='AWS_PROFILE')
parser.add_argument('--service',
help='AWS service',
default='execute-api')
parser.add_argument('--access_key', env_var='AWS_ACCESS_KEY_ID')
parser.add_argument('--secret_key', env_var='AWS_SECRET_ACCESS_KEY')
parser.add_argument('--security_token', env_var='AWS_SECURITY_TOKEN')
parser.add_argument('--session_token', env_var='AWS_SESSION_TOKEN')
parser.add_argument('uri')
args = parser.parse_args()
global is_verbose
is_verbose = args.verbose
if args.verbose:
log(vars(parser.parse_args()))
data = args.data
if data is not None and data.startswith("@"):
filename = data[1:]
with open(filename, "r") as f:
data = f.read()
if args.header is None:
args.header = default_headers
headers = {k: v for (k, v) in map(lambda s: s.split(": "), args.header)}
return make_request(args.request,
args.service,
args.region,
args.uri,
headers,
data,
args.profile,
args.access_key,
args.secret_key,
args.security_token or args.session_token
)
if __name__ == '__main__':
sys.exit(main())