forked from snowflakedb/snowflake-connector-python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathazure_util.py
315 lines (280 loc) · 12.8 KB
/
azure_util.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
from __future__ import division
import json
import os
from collections import namedtuple
from logging import getLogger
import requests
from azure.common import AzureHttpError, AzureMissingResourceHttpError
from azure.storage.blob import BlockBlobService
from azure.storage.blob.models import ContentSettings
from azure.storage.common._http.httpclient import HTTPResponse, _HTTPClient
from azure.storage.common._serialization import _get_data_bytes_or_stream_only
from azure.storage.common.retry import ExponentialRetry
from .constants import HTTP_HEADER_VALUE_OCTET_STREAM, SHA256_DIGEST, FileHeader, ResultStatus
from .encryption_util import EncryptionMetadata
logger = getLogger(__name__)
"""
Azure Location: Azure container name + path
"""
AzureLocation = namedtuple(
"AzureLocation", [
"container_name", # Azure container name
"path" # Azure path name
])
class SnowflakeAzureUtil(object):
"""
Azure Utility class
"""
# max_connections works over this size
DATA_SIZE_THRESHOLD = 67108864
@staticmethod
def create_client(stage_info, use_accelerate_endpoint=False):
"""
Creates a client object with a stage credential
:param stage_credentials: a stage credential
:param use_accelerate_endpoint: is accelerate endpoint?
:return: client
"""
stage_credentials = stage_info[u'creds']
sas_token = stage_credentials[u'AZURE_SAS_TOKEN']
if sas_token and sas_token.startswith(u'?'):
sas_token = sas_token[1:]
end_point = stage_info['endPoint']
if end_point.startswith('blob.'):
end_point = end_point[len('blob.'):]
client = BlockBlobService(account_name=stage_info[u'storageAccount'],
sas_token=sas_token,
endpoint_suffix=end_point)
client._httpclient = RawBodyReadingClient(session=requests.session(), protocol="https", timeout=2000)
client.retry = ExponentialRetry(
initial_backoff=1, increment_base=2, max_attempts=60, random_jitter_range=2).retry
return client
@staticmethod
def extract_container_name_and_path(stage_location):
stage_location = os.path.expanduser(stage_location)
container_name = stage_location
path = u''
# split stage location as bucket name and path
if u'/' in stage_location:
container_name = stage_location[0:stage_location.index(u'/')]
path = stage_location[stage_location.index(u'/') + 1:]
if path and not path.endswith(u'/'):
path += u'/'
return AzureLocation(
container_name=container_name,
path=path)
@staticmethod
def get_file_header(meta, filename):
"""
Gets Azure file properties
:param meta: file meta object
:return: FileHeader if no error,
u'result_status'] for status.
"""
client = meta[u'client']
azure_location = SnowflakeAzureUtil.extract_container_name_and_path(
meta[u'stage_info'][u'location'])
try:
# HTTP HEAD request
blob = client.get_blob_properties(azure_location.container_name,
azure_location.path + filename)
except AzureMissingResourceHttpError:
meta[u'result_status'] = ResultStatus.NOT_FOUND_FILE
return FileHeader(
digest=None,
content_length=None,
encryption_metadata=None
)
except AzureHttpError as err:
logger.debug(u"Caught exception's status code: {status_code} and message: {ex_representation}".format(
status_code=err.status_code,
ex_representation=str(err)
))
if err.status_code == 403 and SnowflakeAzureUtil._detect_azure_token_expire_error(err):
logger.debug(u"AZURE Token expired. Renew and retry")
meta[u'result_status'] = ResultStatus.RENEW_TOKEN
return None
else:
logger.debug(u'Unexpected Azure error: %s'
u'container: %s, path: %s',
err, azure_location.container_name,
azure_location.path)
meta[u'result_status'] = ResultStatus.ERROR
return None
meta[u'result_status'] = ResultStatus.UPLOADED
encryptiondata = json.loads(
blob.metadata.get(u'encryptiondata', u'null'))
encryption_metadata = EncryptionMetadata(
key=encryptiondata[u'WrappedContentKey'][u'EncryptedKey'],
iv=encryptiondata[u'ContentEncryptionIV'],
matdesc=blob.metadata[u'matdesc'],
) if encryptiondata else None
return FileHeader(
digest=blob.metadata.get(u'sfcdigest'),
content_length=blob.properties.content_length,
encryption_metadata=encryption_metadata
)
@staticmethod
def _detect_azure_token_expire_error(err):
if err.status_code != 403:
return False
errstr = str(err)
return "Signature not valid in the specified time frame" in errstr or \
"Server failed to authenticate the request." in errstr
@staticmethod
def upload_file(data_file, meta, encryption_metadata, max_concurrency):
try:
azure_metadata = {
u'sfcdigest': meta[SHA256_DIGEST],
}
if (encryption_metadata):
azure_metadata.update({
u'encryptiondata': json.dumps({
u'EncryptionMode': u'FullBlob',
u'WrappedContentKey': {
u'KeyId': u'symmKey1',
u'EncryptedKey': encryption_metadata.key,
u'Algorithm': u'AES_CBC_256'
},
u'EncryptionAgent': {
u'Protocol': '1.0',
u'EncryptionAlgorithm': u'AES_CBC_128',
},
u'ContentEncryptionIV': encryption_metadata.iv,
u'KeyWrappingMetadata': {
u'EncryptionLibrary': u'Java 5.3.0'
}
}),
u'matdesc': encryption_metadata.matdesc
})
azure_location = SnowflakeAzureUtil.extract_container_name_and_path(
meta[u'stage_info'][u'location'])
path = azure_location.path + meta[u'dst_file_name'].lstrip('/')
client = meta[u'client']
callback = None
if meta[u'put_azure_callback']:
callback = meta[u'put_azure_callback'](
data_file,
os.path.getsize(data_file),
output_stream=meta[u'put_callback_output_stream'],
show_progress_bar=meta[u'show_progress_bar'])
def azure_callback(current, total):
callback(current)
logger.debug("data transfer progress from sdk callback. "
"current: %s, total: %s",
current, total)
client.create_blob_from_path(
azure_location.container_name,
path,
data_file,
progress_callback=azure_callback if
meta[u'put_azure_callback'] else None,
metadata=azure_metadata,
max_connections=max_concurrency,
content_settings=ContentSettings(
content_type=HTTP_HEADER_VALUE_OCTET_STREAM,
content_encoding=u'utf-8',
)
)
logger.debug(u'DONE putting a file')
meta[u'dst_file_size'] = meta[u'upload_size']
meta[u'result_status'] = ResultStatus.UPLOADED
except AzureHttpError as err:
logger.debug(u"Caught exception's status code: {status_code} and message: {ex_representation}".format(
status_code=err.status_code,
ex_representation=str(err)
))
if err.status_code == 403 and SnowflakeAzureUtil._detect_azure_token_expire_error(err):
logger.debug(u"AZURE Token expired. Renew and retry")
meta[u'result_status'] = ResultStatus.RENEW_TOKEN
return None
else:
meta[u'last_error'] = err
meta[u'result_status'] = ResultStatus.NEED_RETRY
# Comparing with s3, azure haven't experienced OpenSSL.SSL.SysCallError,
# so we will add logic to catch it only when it happens
@staticmethod
def _native_download_file(meta, full_dst_file_name, max_concurrency):
try:
azure_location = SnowflakeAzureUtil.extract_container_name_and_path(
meta[u'stage_info'][u'location'])
path = azure_location.path + meta[u'src_file_name'].lstrip('/')
client = meta[u'client']
callback = None
if meta[u'get_azure_callback']:
callback = meta[u'get_azure_callback'](
meta[u'src_file_name'],
meta[u'src_file_size'],
output_stream=meta[u'get_callback_output_stream'],
show_progress_bar=meta[u'show_progress_bar'])
def azure_callback(current, total):
callback(current)
logger.debug("data transfer progress from sdk callback. "
"current: %s, total: %s",
current, total)
client.get_blob_to_path(
azure_location.container_name,
path,
full_dst_file_name,
progress_callback=azure_callback if
meta[u'get_azure_callback'] else None,
max_connections=max_concurrency
)
meta[u'result_status'] = ResultStatus.DOWNLOADED
except AzureHttpError as err:
logger.debug(u"Caught exception's status code: {status_code} and message: {ex_representation}".format(
status_code=err.status_code,
ex_representation=str(err)
))
if err.status_code == 403 and SnowflakeAzureUtil._detect_azure_token_expire_error(err):
logger.debug(u"AZURE Token expired. Renew and retry")
meta[u'result_status'] = ResultStatus.RENEW_TOKEN
return None
else:
meta[u'last_error'] = err
meta[u'result_status'] = ResultStatus.NEED_RETRY
# Comparing with s3, azure haven't experienced OpenSSL.SSL.SysCallError,
# so we will add logic to catch it only when it happens
class RawBodyReadingClient(_HTTPClient):
'''
This class is needed because the Azure storage Python library has a bug that doesn't
allow it to download files with content-encoding=gzip compressed. See
https://github.com/Azure/azure-storage-python/issues/509. This client overrides the
default HTTP client and downloads uncompressed. This workaround was provided by
Microsoft.
'''
def perform_request(self, request):
'''
Sends an HTTPRequest to Azure Storage and returns an HTTPResponse. If
the response code indicates an error, raise an HTTPError.
:param HTTPRequest request:
The request to serialize and send.
:return: An HTTPResponse containing the parsed HTTP response.
:rtype: :class:`~azure.storage.common._http.HTTPResponse`
'''
# Verify the body is in bytes or either a file-like/stream object
if request.body:
request.body = _get_data_bytes_or_stream_only('request.body', request.body)
# Construct the URI
uri = self.protocol.lower() + '://' + request.host + request.path
# Send the request
response = self.session.request(request.method,
uri,
params=request.query,
headers=request.headers,
data=request.body or None,
timeout=self.timeout,
proxies=self.proxies,
stream=True)
# Parse the response
status = int(response.status_code)
response_headers = {}
for key, name in response.headers.items():
# Preserve the case of metadata
if key.lower().startswith('x-ms-meta-'):
response_headers[key] = name
else:
response_headers[key.lower()] = name
wrap = HTTPResponse(status, response.reason, response_headers, response.raw.read())
response.close()
return wrap