forked from pangeo-forge/pangeo-forge-recipes
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstorage.py
258 lines (208 loc) · 8.76 KB
/
storage.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
import hashlib
import json
import logging
import os
import re
import tempfile
import time
import unicodedata
from abc import ABC, abstractmethod
from contextlib import contextmanager
from dataclasses import dataclass
from typing import Any, Iterator, Optional, Sequence, Union
from urllib.parse import parse_qs, urlencode, urlparse, urlunparse
import fsspec
from fsspec.implementations.http import BlockSizeError
logger = logging.getLogger(__name__)
# fsspec doesn't provide type hints, so I'm not sure what the write type is for open files
OpenFileType = Any
def _get_url_size(fname, secrets, **open_kwargs):
with _get_opener(fname, secrets, **open_kwargs) as of:
size = of.size
return size
def _copy_btw_filesystems(input_opener, output_opener, BLOCK_SIZE=10_000_000):
with input_opener as source:
with output_opener as target:
start = time.time()
interval = 5 # seconds
bytes_read = log_count = 0
while True:
try:
data = source.read(BLOCK_SIZE)
except BlockSizeError as e:
raise ValueError(
"Server does not permit random access to this file via Range requests. "
'Try re-instantiating recipe with `fsspec_open_kwargs={"block_size": 0}`'
) from e
if not data:
break
target.write(data)
bytes_read += len(data)
elapsed = time.time() - start
throughput = bytes_read / elapsed
if elapsed // interval >= log_count:
logger.debug(f"_copy_btw_filesystems total bytes copied: {bytes_read}")
logger.debug(
f"avg throughput over {elapsed/60:.2f} min: {throughput/1e6:.2f} MB/sec"
)
log_count += 1
logger.debug("_copy_btw_filesystems done")
class AbstractTarget(ABC):
@abstractmethod
def get_mapper(self):
pass
@abstractmethod
def exists(self, path: str) -> bool:
"""Check that the file exists."""
pass
@abstractmethod
def rm(self, path: str) -> None:
"""Remove file."""
pass
@contextmanager
def open(self, path: str, **kwargs): # don't know how to type hint this
"""Open file with a context manager."""
pass
@abstractmethod
def size(self, path: str) -> int:
"""Get file size"""
pass
def _hash_path(path: str) -> str:
return str(hash(path))
@dataclass
class FSSpecTarget(AbstractTarget):
"""Representation of a storage target for Pangeo Forge.
:param fs: The filesystem object we are writing to.
:param root_path: The path under which the target data will be stored.
"""
fs: fsspec.AbstractFileSystem
root_path: str = ""
def get_mapper(self) -> fsspec.mapping.FSMap:
"""Get a mutable mapping object suitable for storing Zarr data."""
return self.fs.get_mapper(self.root_path)
def _full_path(self, path: str):
return os.path.join(self.root_path, path)
def exists(self, path: str) -> bool:
"""Check that the file is in the cache."""
return self.fs.exists(self._full_path(path))
def rm(self, path: str) -> None:
"""Remove file from the cache."""
self.fs.rm(self._full_path(path))
def size(self, path: str) -> int:
return self.fs.size(self._full_path(path))
@contextmanager
def open(self, path: str, **kwargs) -> Iterator[None]:
"""Open file with a context manager."""
full_path = self._full_path(path)
logger.debug(f"entering fs.open context manager for {full_path}")
with self.fs.open(full_path, **kwargs) as f:
logger.debug(f"FSSpecTarget.open yielding {f}")
yield f
logger.debug("FSSpecTarget.open yielded")
def __post_init__(self):
if not self.fs.isdir(self.root_path):
self.fs.mkdir(self.root_path)
class FlatFSSpecTarget(FSSpecTarget):
"""A target that sanitizes all the path names so that everything is stored
in a single directory.
Designed to be used as a cache for inputs.
"""
def _full_path(self, path: str) -> str:
# this is just in case _slugify(path) is non-unique
prefix = hashlib.md5(path.encode()).hexdigest()
slug = _slugify(path)
new_path = "-".join([prefix, slug])
return os.path.join(self.root_path, new_path)
class CacheFSSpecTarget(FlatFSSpecTarget):
"""Alias for FlatFSSpecTarget"""
def cache_file(self, fname: str, secrets: Optional[dict], **open_kwargs) -> None:
# check and see if the file already exists in the cache
logger.info(f"Caching file '{fname}'")
if self.exists(fname):
cached_size = self.size(fname)
remote_size = _get_url_size(fname, secrets, **open_kwargs)
if cached_size == remote_size:
# TODO: add checksumming here
logger.info(f"File '{fname}' is already cached")
return
input_opener = _get_opener(fname, secrets, **open_kwargs)
target_opener = self.open(fname, mode="wb")
logger.info(f"Copying remote file '{fname}' to cache")
_copy_btw_filesystems(input_opener, target_opener)
class MetadataTarget(FSSpecTarget):
"""Target for storing metadata dictionaries as json."""
def __setitem__(self, key: str, value: dict) -> None:
mapper = self.get_mapper()
mapper[key] = json.dumps(value).encode("utf-8")
def __getitem__(self, key: str) -> dict:
return json.loads(self.get_mapper()[key])
def getitems(self, keys: Sequence[str]) -> dict:
mapper = self.get_mapper()
all_meta_raw = mapper.getitems(keys)
return {k: json.loads(raw_bytes) for k, raw_bytes in all_meta_raw.items()}
@contextmanager
def file_opener(
fname: str,
cache: Optional[CacheFSSpecTarget] = None,
copy_to_local: bool = False,
bypass_open: bool = False,
secrets: Optional[dict] = None,
**open_kwargs,
) -> Iterator[Union[OpenFileType, str]]:
"""
Context manager for opening files.
:param fname: The filename / url to open. Fsspec will inspect the protocol
(e.g. http, ftp) and determine the appropriate filesystem type to use.
:param cache: A target where the file may have been cached. If none, the file
will be opened directly.
:param copy_to_local: If True, always copy the file to a local temporary file
before opening. In this case, function yields a path name rather than an open file.
:param bypass_open: If True, skip trying to open the file at all and just
return the filename back directly. (A fancy way of doing nothing!)
"""
if bypass_open:
if cache or copy_to_local:
raise ValueError("Can't bypass open with cache or copy_to_local.")
logger.debug(f"Bypassing open for '{fname}'")
yield fname
return
if cache is not None:
logger.info(f"Opening '{fname}' from cache")
opener = cache.open(fname, mode="rb")
else:
logger.info(f"Opening '{fname}' directly.")
opener = _get_opener(fname, secrets, **open_kwargs)
if copy_to_local:
_, suffix = os.path.splitext(fname)
ntf = tempfile.NamedTemporaryFile(suffix=suffix)
tmp_name = ntf.name
logger.info(f"Copying '{fname}' to local file '{tmp_name}'")
target_opener = open(tmp_name, mode="wb")
_copy_btw_filesystems(opener, target_opener)
yield tmp_name
ntf.close() # cleans up the temporary file
else:
logger.debug(f"file_opener entering first context for {opener}")
with opener as fp:
logger.debug(f"file_opener entering second context for {fp}")
yield fp
logger.debug("file_opener yielded")
logger.debug("opener done")
def _slugify(value: str) -> str:
# Adopted from
# https://github.com/django/django/blob/master/django/utils/text.py
# https://stackoverflow.com/questions/295135/turn-a-string-into-a-valid-filename
value = str(value)
value = unicodedata.normalize("NFKD", value).encode("ascii", "ignore").decode("ascii")
value = re.sub(r"[^.\w\s-]+", "_", value.lower())
return re.sub(r"[-\s]+", "-", value).strip("-_")
def _add_query_string_secrets(fname: str, secrets: dict) -> str:
parsed = urlparse(fname)
query = parse_qs(parsed.query)
for k, v in secrets.items():
query.update({k: v})
parsed = parsed._replace(query=urlencode(query, doseq=True))
return urlunparse(parsed)
def _get_opener(fname: str, secrets: Optional[dict], **open_kwargs):
fname = fname if not secrets else _add_query_string_secrets(fname, secrets)
return fsspec.open(fname, mode="rb", **open_kwargs)