-
Notifications
You must be signed in to change notification settings - Fork 5
/
utils.py
193 lines (143 loc) · 5.26 KB
/
utils.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
import math
import multiprocessing
import time
from concurrent.futures import ProcessPoolExecutor
from datetime import datetime
import os
import shutil
import sys
from zipfile import ZipFile
from logger import Logger
from bag import rijksdriehoek
from enum import Enum
class TextStyle(Enum):
BLACK = '\033[30m'
RED = '\033[31m'
GREEN = '\033[32m'
YELLOW = '\033[33m'
BLUE = '\033[34m'
MAGENTA = '\033[35m'
CYAN = '\033[36m'
WHITE = '\033[37m'
UNDERLINE = '\033[4m'
RESET = '\033[0m'
logger = Logger()
def unzip_files(zip_filename, filenames, path):
with ZipFile(zip_filename, 'r') as file_zip:
for filename in filenames:
file_zip.extract(filename, path)
def unzip_files_multithreaded(zip_filename, path, workers_count=multiprocessing.cpu_count()):
with ZipFile(zip_filename, 'r') as archive:
files = archive.namelist()
files_total = len(files)
# It makes no sense to have:
# - more workers than logical CPU cores
# - more workers than jobs
cpu_count = multiprocessing.cpu_count()
workers_count = min([workers_count, cpu_count, files_total])
# use ceil instead of round to prevent zero batch size
batch_size = math.ceil(files_total / workers_count)
with ProcessPoolExecutor(workers_count) as executor:
for i in range(0, files_total, batch_size):
filenames = files[i:(i + batch_size)]
_ = executor.submit(unzip_files, zip_filename, filenames, path)
def clear_log():
logger.clear()
def print_log(message, error=False):
now = datetime.now()
if error:
message = 'ERROR: ' + message
text = now.strftime("%Y-%m-%d %H:%M:%S.%f") + ' ' + message
text_console = text
if error:
text_console = TextStyle.RED.value + text + TextStyle.RESET.value
print(text_console)
logger.log(text)
def find_file(folder, search_text, extension):
for file_name in os.listdir(folder):
if search_text in file_name and file_name.endswith(extension):
return os.path.join(folder, file_name)
def find_xml_files(folder, search_text):
files = []
for file_name in os.listdir(folder):
if search_text in file_name and file_name.endswith(".xml"):
files.append(os.path.join(folder, file_name))
return files
def empty_folder(folder):
for filename in os.listdir(folder):
file_path = os.path.join(folder, filename)
try:
if os.path.isfile(file_path) or os.path.islink(file_path):
os.unlink(file_path)
elif os.path.isdir(file_path):
shutil.rmtree(file_path)
except Exception as e:
print('Failed to delete %s. Reason: %s' % (file_path, e))
def print_progress_bar(i, max_value, text, final=False):
bar_length = 10
progress = i / max_value
sys.stdout.write('\r')
sys.stdout.write(f"[{'=' * int(bar_length * progress):{bar_length}s}] {int(100 * progress)}% {text} ")
sys.stdout.flush()
if final:
print('')
def time_elapsed(start_time):
now_time = time.perf_counter()
elapsed_time = now_time - start_time
hours = elapsed_time // 3600
minutes = (elapsed_time % 3600) // 60
seconds = elapsed_time % 60
time_string = ""
if hours > 0:
time_string += f"{int(hours)}h "
if minutes > 0 or hours > 0:
time_string += f"{int(minutes)}m "
just_seconds = (hours == 0) and (minutes == 0)
if just_seconds and seconds < 1:
time_string += f"{seconds:.3f}s"
elif just_seconds and seconds < 10:
time_string += f"{seconds:.1f}s"
else:
time_string += f"{int(seconds)}s"
return time_string
def bag_date_to_date(bag_date):
if len(bag_date) >= 16:
return datetime(year=int(bag_date[0:4]), month=int(bag_date[5:7]), day=int(bag_date[8:10]))
else:
return None
def bag_date_today():
return datetime.today().strftime("%Y-%m-%d")
def bag_geometry_to_wgs_geojson(geometry):
geometries = geometry.split(",")
coordinates_wgs = ''
for linear_ring in geometries:
# Remove [] begin and end characters
linear_ring = linear_ring[1:-1]
linear_ring = linear_ring.split()
ring_coordinates_wgs = ''
it = iter(linear_ring)
for x, y in zip(it, it):
lat, lon = rijksdriehoek.rijksdriehoek_to_wgs84(float(x), float(y))
if ring_coordinates_wgs:
ring_coordinates_wgs += ','
ring_coordinates_wgs += '[' + str(lon) + ',' + str(lat) + ']'
if coordinates_wgs:
coordinates_wgs += ','
coordinates_wgs += '[' + ring_coordinates_wgs + ']'
return coordinates_wgs
def bag_geometry_3d_to_wgs_geojson(coordinates_rd):
coordinates_rd = coordinates_rd.split()
coordinates_wgs = ''
it = iter(coordinates_rd)
for x, y, z in zip(it, it, it):
lat, lon = rijksdriehoek.rijksdriehoek_to_wgs84(float(x), float(y))
if coordinates_wgs != '':
coordinates_wgs += ','
coordinates_wgs += '[' + str(lon) + ',' + str(lat) + ']'
coordinates_wgs = '[[' + coordinates_wgs + ']]'
return coordinates_wgs
def bag_pos_to_rd_coordinates(pos):
pos = pos.split()
return float(pos[0]), float(pos[1])
def escape_sql_text(text):
return text.replace("'", "''")