-
Notifications
You must be signed in to change notification settings - Fork 4
/
auth_handler.py
executable file
·221 lines (192 loc) · 8.99 KB
/
auth_handler.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
# -*- coding:utf-8 -*-
"""
Handles authentication
"""
import hashlib
import base64
import urllib
import util
import time
import logging
import hmac
import datetime
try:
from hashlib import sha256 as sha256
except ImportError:
sha256 = None
logging.error('import sha256 error')
class HmacAuthV2Handler:
"""
Implements the Version 2 HMAC authorization.
"""
def __init__(self, obsRequest):
self.obsRequest = obsRequest
def handle(self):
self.obsRequest.headers['x-amz-date'] = time.strftime(util.TIME_FORMAT, time.gmtime())
if self.obsRequest.ak == '' or self.obsRequest.sk == '':
logging.debug('ak [%s], sk [%s], return' % (self.obsRequest.ak, self.obsRequest.sk))
return
self.obsRequest.headers['Authorization'] = "AWS %s:%s" % (
self.obsRequest.ak, self.encode(self.obsRequest.sk, self.__canonical_string__()))
logging.debug('Authorization: [%s]' % (self.obsRequest.headers['Authorization']))
def encode(self, aws_secret_access_key, encodestr, urlencode=False):
b64_hmac = base64.encodestring(hmac.new(aws_secret_access_key, encodestr, hashlib.sha1).digest()).strip()
if urlencode:
return urllib.quote_plus(b64_hmac)
else:
return b64_hmac
def __canonical_string__(self):
interesting_headers = {}
for header_key in self.obsRequest.headers:
lk = header_key.lower()
if lk in ['content-md5', 'content-type', 'date'] or lk.startswith('x-amz-'):
interesting_headers[lk] = self.obsRequest.headers[header_key].strip()
# these keys get empty strings if they don't exist
if not interesting_headers.has_key('content-type'):
interesting_headers['content-type'] = ''
if not interesting_headers.has_key('content-md5'):
interesting_headers['content-md5'] = ''
# just in case someone uses this. it's not necessary in this lib.
if 'x-amz-date' in interesting_headers:
interesting_headers['date'] = ''
sorted_header_keys = interesting_headers.keys()
sorted_header_keys.sort()
c_string = "%s\n" % self.obsRequest.method
for header_key in sorted_header_keys:
if header_key.startswith('x-amz-'):
c_string += "%s:%s\n" % (header_key, interesting_headers[header_key])
else:
c_string += "%s\n" % interesting_headers[header_key]
# 根据virtualHost,桶,对象生成计算签名的c_string
if self.obsRequest.bucket:
c_string += "/%s" % urllib.quote_plus(self.obsRequest.bucket)
c_string += "/%s" % urllib.quote_plus(self.obsRequest.key)
if not self.obsRequest.query_args:
logging.debug('StrToSign: [%r]' % c_string)
return c_string
# 添加queryArgs到c_string, value不需要编码
interesting_querys = (
'acl', 'lifecycle', 'location', 'logging', 'notification', 'partNumber', 'policy', 'requestPayment',
'versioningtorrent', 'uploadId', 'uploads', 'versionId', 'versioning', 'versions', 'website', 'delete',
'deletebucket', 'cors', 'restore')
c_string += '?'
for arg in sorted(self.obsRequest.query_args):
if not arg in interesting_querys:
continue
if c_string[-1:] != '?':
c_string += '&%s' % arg
else:
c_string += '%s' % arg
if self.obsRequest.query_args[arg]:
c_string += '=%s' % (self.obsRequest.query_args[arg])
if c_string[-1:] == '?':
c_string = c_string[:-1]
logging.debug('StrToSign: [%r]' % c_string)
return c_string
class HmacAuthV4Handler:
"""
Implements the Version 4 HMAC authorization.
"""
def __init__(self, obs_request, service_name='s3'):
# You can set the service_name and region_name to override the values
self.service_name = service_name
self.obsRequest = obs_request
def handle(self):
now = datetime.datetime.utcnow()
self.obsRequest.headers['x-amz-date'] = now.strftime('%Y%m%dT%H%M%SZ')
unsigned_payload = 'UNSIGNED-PAYLOAD'
self.obsRequest.headers['x-amz-content-sha256'] = unsigned_payload
canonical_request = self.canonical_request()
logging.debug('CanonicalRequest: [%r]' % canonical_request)
string_to_sign = self.string_to_sign(canonical_request)
logging.debug('StrToSign:[%r]' % string_to_sign)
signature = self.signature(string_to_sign)
logging.debug('Signature: [%r]' % signature)
headers_to_sign = self.headers_to_sign()
l = ['AWS4-HMAC-SHA256 Credential=%s' % self.getScope(withAK=True),
'SignedHeaders=%s' % self.signed_headers(headers_to_sign), 'Signature=%s' % signature]
self.obsRequest.headers['Authorization'] = ','.join(l)
logging.debug('Authorization: [%r]' % (self.obsRequest.headers['Authorization']))
def signature(self, string_to_sign):
s_key = self.obsRequest.sk
k_date = self._sign(('AWS4' + s_key).encode('utf-8'),
self.obsRequest.headers['x-amz-date'][0:8])
k_region = self._sign(k_date, self.obsRequest.region)
k_service = self._sign(k_region, self.service_name)
k_signing = self._sign(k_service, 'aws4_request')
return self._sign(k_signing, string_to_sign, hex=True)
def _sign(self, key, msg, hex=False):
if not isinstance(key, bytes):
key = key.encode('utf-8')
if hex:
sig = hmac.new(key, msg.encode('utf-8'), sha256).hexdigest()
else:
sig = hmac.new(key, msg.encode('utf-8'), sha256).digest()
return sig
def headers_to_sign(self):
"""
Select the headers from the obsRequest that need to be included in the StringToSign.
And make sure the headsers are in lower case
"""
headersToSign = {'host': self.obsRequest.headers['Host']}
for name, value in self.obsRequest.headers.items():
if not name or not value:
continue
lname = name.lower().strip()
if lname.startswith('x-amz') or lname == 'content-type':
if isinstance(value, bytes):
value = value.decode('utf-8')
headersToSign[lname] = value
return headersToSign
def canonical_uri(self):
if '?' in self.obsRequest.url:
return urllib.quote_plus(self.obsRequest.url[0:self.obsRequest.url.find('?')], safe='/&?%')
else:
return urllib.quote_plus(self.obsRequest.url, safe='/&?%')
def query_string(self):
parameterNames = sorted(self.obsRequest.query_args.keys())
pairs = []
for pname in parameterNames:
pval = util.get_utf8_value(self.obsRequest.getQuerysArgs()[pname])
pairs.append(urllib.quote_plus(pname, safe='') + '=' + urllib.quote_plus(pval, safe='-_~'))
return '&'.join(pairs)
def canonical_query_string(self):
# POST requests pass parameters in through the
# http_request.body field.
# if self.obsRequest.method == 'POST':
# return ""
l = []
for param in sorted(self.obsRequest.query_args):
value = util.get_utf8_value(self.obsRequest.query_args[param])
l.append('%s=%s' % (urllib.quote_plus(param, safe='-_.~'),
urllib.quote_plus(value, safe='-_.~')))
logging.debug('query_string: ' + '&'.join(l))
return '&'.join(l)
def canonical_headers(self, headersToSign):
# 已经都是小写,直接排序
return '\n'.join(['%s:%s' % (key, headersToSign[key]) for key in sorted(headersToSign.keys())])
def signed_headers(self, headersToSign):
return ';'.join(sorted(['%s' % n for n in headersToSign]))
def payload(self):
# use unsigned payload option.
return 'UNSIGNED-PAYLOAD'
def canonical_request(self):
payload = self.payload()
cr = [self.obsRequest.method, self.canonical_uri(), self.canonical_query_string()]
headersToSign = self.headers_to_sign()
cr.append(self.canonical_headers(headersToSign) + '\n')
cr.append(self.signed_headers(headersToSign))
cr.append(payload)
return '\n'.join(cr)
def getScope(self, withAK=False):
timeStamp = self.obsRequest.headers['x-amz-date'][0:8]
aws4Request = 'aws4_request'
if withAK:
return '%s/%s/%s/%s/%s' % (
self.obsRequest.ak, timeStamp, self.obsRequest.region, self.service_name, aws4Request)
else:
return '%s/%s/%s/%s' % (timeStamp, self.obsRequest.region, self.service_name, aws4Request)
def string_to_sign(self, canonicalRequest):
timeStamp = self.obsRequest.headers['x-amz-date']
canonicalRequest = sha256(canonicalRequest.encode('utf-8')).hexdigest()
return 'AWS4-HMAC-SHA256\n%s\n%s\n%s' % (timeStamp, self.getScope(), canonicalRequest)