-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathfile_utils.py
250 lines (195 loc) · 6.69 KB
/
file_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
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
"""
Author: Zhenbo Xu
Licensed under the CC BY-NC 4.0 license (https://creativecommons.org/licenses/by-nc/4.0/)
"""
import pickle
import gzip
import json
import os
import sys
import torch
import shutil
def remove_key_word(previous_dict, keywords):
from collections import OrderedDict
new_state_dict = OrderedDict()
for k, v in previous_dict.items():
if_exist_keyword = [1 if el in k else 0 for el in keywords]
if sum(if_exist_keyword) == 0:
new_state_dict[k] = v
return new_state_dict
def load_weights_from_data_parallel(model_path, net):
if not os.path.isfile(model_path):
print('%s not found' % model_path)
exit(0)
else:
print('Load from %s' % model_path)
previous_dict = torch.load(model_path, map_location=lambda storage, loc: storage)
from collections import OrderedDict
new_state_dict = OrderedDict()
for k, v in previous_dict.items():
name = k[7:] # remove `module.`
new_state_dict[name] = v
net.load_state_dict(new_state_dict, strict=True)
return net
def remove_module_in_dict(loaded_dict):
from collections import OrderedDict
new_state_dict = OrderedDict()
for k, v in loaded_dict.items():
name = k[7:] # remove `module.`
new_state_dict[name] = v
return new_state_dict
def load_weights(model_path, net, strict=True):
if not os.path.isfile(model_path):
print('%s not found' % model_path)
exit(0)
else:
print('Load from %s' % model_path)
previous_dict = torch.load(model_path, map_location=lambda storage, loc: storage)
net.load_state_dict(previous_dict, strict=strict)
return net
def remove_and_mkdir(path):
if os.path.isdir(path):
shutil.rmtree(path)
print(path, 'removed')
os.makedirs(path)
def mkdir_if_no(path):
if not os.path.isdir(path):
os.makedirs(path)
def save_zipped_pickle(obj, filename, protocol=-1):
with gzip.open(filename, 'wb') as f:
pickle.dump(obj, f, protocol)
return
def load_zipped_pickle(filename):
with gzip.open(filename, 'rb') as f:
loaded_object = pickle.load(f)
return loaded_object
def save_pickle(filename, obj):
with open(filename, 'wb') as f:
pickle.dump(obj, f)
def save_pickle2(filename, obj):
with open(filename, 'wb') as f:
pickle.dump(obj, f, protocol=2)
def load_pickle(filename):
with open(filename, 'rb') as f:
obj = pickle.load(f)
return obj
def load_json(filename):
return json.load(open(filename, 'r'))
def save_json(filename, res):
json.dump(res, open(filename, 'w'))
def save_json_with_np(filename, res):
import numpy as np
class NpEncoder(json.JSONEncoder):
def default(self, obj):
if isinstance(obj, np.integer):
return int(obj)
elif isinstance(obj, np.floating):
return float(obj)
elif isinstance(obj, np.ndarray):
return obj.tolist()
else:
return super(NpEncoder, self).default(obj)
json.dump(res, open(filename, 'w'), cls=NpEncoder)
def is_image_file(filename, suffix=None):
if suffix is not None:
IMG_EXTENSIONS = [suffix]
else:
IMG_EXTENSIONS = [
'.jpg', '.JPG', '.jpeg', '.JPEG',
'.png', '.PNG', '.ppm', '.PPM', '.bmp', '.BMP', '.tiff', '.npz'
]
return any(filename.endswith(extension) for extension in IMG_EXTENSIONS)
def make_dataset(dir, suffix=None, max=None):
images = []
assert os.path.isdir(dir), '%s is not a valid directory' % dir
for root, _, fnames in sorted(os.walk(dir)):
for fname in fnames:
if is_image_file(fname, suffix):
path = os.path.join(root, fname)
images.append(path)
if max is not None:
return images[:max]
else:
return images
def describe_element(name, df):
""" Takes the columns of the dataframe and builds a ply-like description
Parameters
----------
name: str
df: pandas DataFrame
Returns
-------
element: list[str]
"""
property_formats = {'f': 'float', 'u': 'uchar', 'i': 'int'}
element = ['element ' + name + ' ' + str(len(df))]
if name == 'face':
element.append("property list uchar int vertex_indices")
else:
for i in range(len(df.columns)):
# get first letter of dtype to infer format
f = property_formats[str(df.dtypes[i])[0]]
element.append('property ' + f + ' ' + df.columns.values[i])
return element
def write_ply(filename, points=None, mesh=None, as_text=False):
"""
Parameters
----------
filename: str
The created file will be named with this
points: ndarray
mesh: ndarray
as_text: boolean
Set the write mode of the file. Default: binary
Returns
-------
boolean
True if no problems
"""
if not filename.endswith('ply'):
filename += '.ply'
# open in text mode to write the header
with open(filename, 'w') as ply:
header = ['ply']
if as_text:
header.append('format ascii 1.0')
else:
header.append('format binary_' + sys.byteorder + '_endian 1.0')
if points is not None:
header.extend(describe_element('vertex', points))
if mesh is not None:
mesh = mesh.copy()
mesh.insert(loc=0, column="n_points", value=3)
mesh["n_points"] = mesh["n_points"].astype("u1")
header.extend(describe_element('face', mesh))
header.append('end_header')
for line in header:
ply.write("%s\n" % line)
if as_text:
if points is not None:
points.to_csv(filename, sep=" ", index=False, header=False, mode='a',
encoding='ascii')
if mesh is not None:
mesh.to_csv(filename, sep=" ", index=False, header=False, mode='a',
encoding='ascii')
else:
with open(filename, 'ab') as ply:
if points is not None:
points.to_records(index=False).tofile(ply)
if mesh is not None:
mesh.to_records(index=False).tofile(ply)
return True
def write_to_file(dst_path, upload_content):
with open(dst_path, "w") as f:
for line in upload_content:
print(line, file=f)
class obj:
# constructor
def __init__(self, dict1):
self.__dict__.update(dict1)
def dict2obj(dict1):
# using json.loads method and passing json.dumps
# method and custom object hook as arguments
return json.loads(json.dumps(dict1), object_hook=obj)
def getSubDirs(path):
return [f.path for f in os.scandir(path) if f.is_dir()]