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
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
|
"""
File utilities
"""
import sys
import os
from os.path import join
import stat
from glob import glob
from pprint import pprint
import shutil
import distutils
import pathlib
from pathlib import Path
import json
import csv
import pickle
import threading
from queue import Queue
import time
import logging
import itertools
import collections
import hashlib
import pymediainfo
import click
from tqdm import tqdm
import cv2 as cv
from PIL import Image
import imutils
from app.settings import app_cfg as cfg
from app.settings import types
log = logging.getLogger(cfg.LOGGER_NAME)
# ------------------------------------------
# File I/O read/write little helpers
# ------------------------------------------
def glob_multi(dir_in, exts=['jpg'], recursive=False):
files = []
for ext in exts:
if recursive:
fp_glob = join(dir_in, '**/*.{}'.format(ext))
log.info(f'glob {fp_glob}')
files += glob(fp_glob, recursive=True)
else:
fp_glob = join(dir_in, '*.{}'.format(ext))
files += glob(fp_glob)
return files
def zpad(x, zeros=cfg.ZERO_PADDING):
return str(x).zfill(zeros)
def get_ext(fpp, lower=True):
"""Retuns the file extension w/o dot
:param fpp: (Pathlib.path) filepath
:param lower: (bool) force lowercase
:returns: (str) file extension (ie 'jpg')
"""
fpp = ensure_posixpath(fpp)
ext = fpp.suffix.replace('.', '')
return ext.lower() if lower else ext
def convert(fp_in, fp_out):
"""Converts between JSON and Pickle formats
Pickle files are about 30-40% smaller filesize
"""
if get_ext(fp_in) == get_ext(fp_out):
log.error('Input: {} and output: {} are the same. Use this to convert.')
lazywrite(lazyload(fp_in), fp_out)
def load_csv(fp_in, as_list=True):
"""Loads CSV and retuns list of items
:param fp_in: string filepath to CSV
:returns: list of all CSV data
"""
if not Path(fp_in).exists():
log.info('not found: {}'.format(fp_in))
log.info('loading: {}'.format(fp_in))
with open(fp_in, 'r') as fp:
items = csv.DictReader(fp)
if as_list:
items = [x for x in items]
log.info('returning {:,} items'.format(len(items)))
return items
def unfussy_csv_reader(reader):
"""Loads a CSV while ignoring possible data errors
:param reader: Special reader for load_csv_safe which ignores CSV parse errors
"""
while True:
try:
yield next(reader)
except StopIteration:
return
except csv.Error:
print(csv.Error)
# log the problem or whatever
continue
def load_csv_safe(fp_in, keys=True, create=False):
"""Loads a CSV while ignoring possible data errors
:param fp_in: string filepath to JSON file
:param keys: boolean set to false if the first line is not headers (for some reason)
:param create: boolean set to true to return an empty keys/values if the CSV does not exist
"""
try:
with open(fp_in, 'r', newline='', encoding='utf-8') as f:
# reader = csv.reader( (line.replace('\0','') for line in f) )
reader = csv.reader(f)
lines = list(unfussy_csv_reader(reader))
if keys:
keys = lines[0]
lines = lines[1:]
return keys, lines
return lines
except:
if create:
if keys:
return {}, []
return []
raise
def load_recipe(fp_in):
"""Loads a JSON file as an object with properties accessible with dot syntax
:param fp_in: string filepath to JSON file
"""
with open(path) as fh:
return json.load(fh, object_hook=lambda d: collections.namedtuple('X', d.keys())(*d.values()))
def lazywrite(data, fp_out, sort_keys=True):
"""Writes JSON or Pickle data"""
ext = get_ext(fp_out)
if ext == 'json':
return write_json(data, fp_out, sort_keys=sort_keys)
elif ext == 'pkl':
return write_pickle(data, fp_out)
else:
raise NotImplementedError('[!] {} is not yet supported. Use .pkl or .json'.format(ext))
def lazyload(fp_in, ordered=True):
"""Loads JSON or Pickle serialized data"""
if not Path(fp_in).exists():
log.error('file does not exist: {}'.format(fp_in))
return {}
ext = get_ext(fp_in)
if ext == 'json':
items = load_json(fp_in)
elif ext == 'pkl':
items = load_pickle(fp_in)
else:
raise NotImplementedError('[!] {} is not yet supported. Use .pkl or .json'.format(ext))
if ordered:
return collections.OrderedDict(sorted(items.items(), key=lambda t: t[0]))
else:
return items
def load_text(fp_in):
with open(fp_in, 'rt') as fp:
lines = fp.read().rstrip('\n').split('\n')
return lines
def load_json(fp_in):
"""Loads JSON and returns items
:param fp_in: (str) filepath
:returns: data from JSON
"""
if not Path(fp_in).exists():
log.error('file does not exist: {}'.format(fp_in))
return {}
with open(str(fp_in), 'r') as fp:
data = json.load(fp)
return data
def load_pickle(fp_in):
"""Loads Pickle and returns items
:param fp_in: (str) filepath
:returns: data from JSON
"""
if not Path(fp_in).exists():
log.error('file does not exist: {}'.format(fp_in))
return {}
with open(str(fp_in), 'rb') as fp:
data = pickle.load(fp)
return data
def order_items(records):
"""Orders records by ASC SHA256"""
return collections.OrderedDict(sorted(records.items(), key=lambda t: t[0]))
def write_text(data, fp_out, ensure_path=True):
if not data:
log.error('no data')
return
if ensure_path:
mkdirs(fp_out)
with open(fp_out, 'w') as fp:
if type(data) == list:
fp.write('\n'.join(data))
else:
fp.write(data)
def write_pickle(data, fp_out, ensure_path=True):
"""
"""
if ensure_path:
mkdirs(fp_out) # mkdir
with open(fp_out, 'wb') as fp:
pickle.dump(data, fp)
def write_json(data, fp_out, minify=True, ensure_path=True, sort_keys=True, verbose=False):
"""
"""
if ensure_path:
mkdirs(fp_out)
with open(fp_out, 'w') as fp:
if minify:
json.dump(data, fp, separators=(',',':'), sort_keys=sort_keys)
else:
json.dump(data, fp, indent=2, sort_keys=sort_keys)
if verbose:
log.info('Wrote JSON: {}'.format(fp_out))
def write_csv(data, fp_out, header=None):
"""Write a CSV of key-value pairs"""
with open(fp_out, 'w') as fp:
writer = csv.DictWriter(fp, fieldnames=header)
writer.writeheader()
if type(data) is dict:
for k, v in data.items():
fp.writerow('{},{}'.format(k, v))
def write_csv_table(fn, keys, rows):
"""Write a CSV of columns and rows"""
with open(fn, 'w', encoding='utf-8') as f:
writer = csv.writer(f)
if keys is not None:
writer.writerow(keys)
for row in rows:
writer.writerow(row)
def write_serialized_items(items, fp_out, ensure_path=True, minify=True, sort_keys=True):
"""Writes serialized data
:param items: (dict) a sha256 dict of MappingItems
:param serialize: (bool) serialize the data
:param ensure_path: ensure the parent directories exist
:param minify: reduces JSON file size
"""
log.info('Writing serialized data...')
fpp_out = ensure_posixpath(fp_out)
serialized_items = {k: v.serialize() for k, v in tqdm(items.items()) }
# write data
ext = get_ext(fpp_out)
if ext == 'json':
write_json(serialized_items, fp_out, ensure_path=ensure_path, minify=minify, sort_keys=sort_keys)
elif ext == 'pkl':
write_pickle(serialized_items, fp_out)
else:
raise NotImplementedError('[!] {} is not yet supported. Use .pkl or .json'.format(ext))
log.info('Wrote {:,} items to {}'.format(len(items), fp_out))
def write_modeled_data(data, fp_out, ensure_path=False):
"""
"""
fpp_out = ensure_posixpath(fp_out)
if ensure_path:
mkdirs(fpp_out)
ext = get_ext(fpp_out)
if ext == 'pkl':
write_pickle(data, str(fp_out))
else:
raise NotImplementedError('[!] {} is not yet supported. Use .pkl or .json'.format(ext))
# ---------------------------------------------------------------------
# Filepath utilities
# ---------------------------------------------------------------------
def ensure_posixpath(fp):
"""Ensures filepath is pathlib.Path
:param fp: a (str, LazyFile, PosixPath)
:returns: a PosixPath filepath object
"""
if type(fp) == str:
fpp = Path(fp)
elif type(fp) == click.utils.LazyFile:
fpp = Path(fp.name)
elif type(fp) == pathlib.PosixPath:
fpp = fp
else:
raise TypeError('{} is not a valid filepath type'.format(type(fp)))
return fpp
def mkdirs(fp):
"""Ensure parent directories exist for a filepath
:param fp: string, Path, or click.File
"""
fpp = ensure_posixpath(fp)
fpp = fpp.parent if fpp.suffix else fpp
fpp.mkdir(parents=True, exist_ok=True)
def ext_media_format(ext):
"""Converts file extension into Enum MediaType
param ext: str of file extension"
"""
for media_format, exts in cfg.VALID_MEDIA_EXTS.items():
if ext in exts:
return media_format
raise ValueError('{} is not a valid option'.format(ext))
def sha256(fp_in, block_size=65536):
"""Generates SHA256 hash for a file
:param fp_in: (str) filepath
:param block_size: (int) byte size of block
:returns: (str) hash
"""
sha256 = hashlib.sha256()
with open(fp_in, 'rb') as fp:
for block in iter(lambda: fp.read(block_size), b''):
sha256.update(block)
return sha256.hexdigest()
def sha256_tree(sha256):
"""Split hash into branches with tree-depth for faster file indexing
:param sha256: str of a sha256 hash
:returns: str with sha256 tree with '/' delimeter
"""
branch_size = cfg.HASH_BRANCH_SIZE
tree_size = cfg.HASH_TREE_DEPTH * branch_size
sha256_tree = [sha256[i:(i+branch_size)] for i in range(0, tree_size, branch_size)]
return '/'.join(sha256_tree)
def migrate(fmaps, threads=1, action='copy', force=False):
"""Copy/move/symlink files form src to dst directory
:param fmaps: (dict) with 'src' and 'dst' filepaths
:param threads: (int) number of threads
:param action: (str) copy/move/symlink
:param force: (bool) force overwrite existing files
"""
log = log
num_items = len(fmaps)
def copytree(src, dst, symlinks = False, ignore = None):
# ozxyqk: https://stackoverflow.com/questions/22588225/how-do-you-merge-two-directories-or-move-with-replace-from-the-windows-command
if not os.path.exists(dst):
mkdirs(dst)
# os.makedirs(dst)
shutil.copystat(src, dst)
lst = os.listdir(src)
if ignore:
excl = ignore(src, lst)
lst = [x for x in lst if x not in excl]
for item in lst:
s = os.path.join(src, item)
d = os.path.join(dst, item)
if symlinks and os.path.islink(s):
if os.path.exists(d):
os.remove(d)
os.symlink(os.readlink(s), d)
try:
st = os.lstat(s)
mode = stat.S_IMODE(st.st_mode)
os.lchmod(d, mode)
except:
pass # lchmod not available
elif os.path.isdir(s):
copytree(s, d, symlinks, ignore)
else:
shutil.copy(s, d)
assert(action in ['copy','move','symlink'])
if threads > 1:
# threaded
task_queue = Queue()
print_lock = threading.Lock()
def migrate_action(fmap):
data_local = threading.local()
data_local.src, data_local.dst = (fmap['src'], fmap['dst'])
data_local.src_path = Path(data_local.src)
data_local.dst_path = Path(data_local.dst)
if force or not data_local.dst_path.exists():
if action == 'copy':
shutil.copy(data_local.src, data_local.dst)
#if data_local.src_path.is_dir():
# copytree(data_local.src, data_local.dst)
#else:
elif action == 'move':
shutil.move(data_local.src, data_local.dst)
elif action == 'symlink':
if force:
data_local.dst_path.unlink()
Path(data_local.src).symlink_to(data_local.dst)
def process_queue(num_items):
# TODO: progress bar
while True:
fmap = task_queue.get()
migrate_action(fmap)
log.info('migrate: {:.2f} {:,}/{:,}'.format(
(task_queue.qsize() / num_items)*100, task_queue.qsize(), num_items))
task_queue.task_done()
# avoid race conditions by creating dir structure here
log.info('create directory structure')
for fmap in tqdm(fmaps):
mkdirs(fmap['dst'])
# init threads
for i in range(threads):
t = threading.Thread(target=process_queue, args=(num_items,))
t.daemon = True
t.start()
# process threads
start = time.time()
for fmap in fmaps:
task_queue.put(fmap)
task_queue.join()
else:
# non-threaded
for fmap in tqdm(fmaps):
mkdirs(fmap['dst'])
if action == 'copy':
shutil.copy(fmap['src'], fmap['dst'])
elif action == 'move':
shutil.move(fmap['src'], fmap['dst'])
elif action == 'symlink':
if force:
Path(fmap['dst'].unlink())
Path(fp_src).symlink_to(fp_dst)
return
|