forked from mbzuai-oryx/GeoPixel
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathdata_mix.py
More file actions
346 lines (305 loc) · 14.1 KB
/
data_mix.py
File metadata and controls
346 lines (305 loc) · 14.1 KB
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
import random
import cv2
import json
import numpy as np
from ixc_utils import R560_HD18_Identity_transform
from PIL import Image
from torch.utils.data import Dataset
from torchvision import transforms
from model.sam2.utils.transforms import SAM2Transforms
from pycocotools import mask as M
def conv2text(sources):
END_HUMAN = '[UNUSED_TOKEN_145]\n'
END_BOT = '[UNUSED_TOKEN_145]\n'
conversation = ''
for idx, sentence in enumerate(sources):
BEGIN_SIGNAL = ''
from_str = sentence['from']
if from_str.lower() == 'human' or from_str.lower() == 'user':
from_str = '[UNUSED_TOKEN_146]user\n'
temp = (
BEGIN_SIGNAL + from_str + sentence['value'].strip() +
END_HUMAN)
else:
from_str = '[UNUSED_TOKEN_146]assistant\n'
temp = (
BEGIN_SIGNAL + from_str + sentence['value'].strip() + END_BOT)
conversation += temp
return conversation + '</s>'
class ImageProcessorHD:
def __init__(self, resolution=560, hd_num=18):
mean = (0.48145466, 0.4578275, 0.40821073)
std = (0.26862954, 0.26130258, 0.27577711)
self.normalize = transforms.Normalize(mean, std)
self.resolution = resolution
self.hd_num = hd_num
print(f'hd_num = {self.hd_num}')
self.transform = transforms.Compose([
transforms.ToTensor(),
self.normalize,
])
def __call__(self, item):
item = Image.open(item).convert('RGB')
return self.transform(
R560_HD18_Identity_transform(
item, resolution=self.resolution, hd_num=self.hd_num))
class Mix_dataset(Dataset):
def __init__(self,
json_datas,
batch_size=1,
local_rank=0,
resolution=560,
resolution_gr = 1024,
hd_num=18):
"""vis_root (string): Root directory of images (e.g. coco/images/)
ann_root (string): directory to store the annotation file."""
super().__init__()
print(f'initializing mix data at rank {local_rank}')
self.datasets_text, self.datasets_multi, self.datasets_grounding = [], [], []
self.data_num_text, self.data_num_multi, self.data_num_grounding = [], [], []
self.batch_size = batch_size
self.set_seed = False
self.local_rank = local_rank
for _, d in json_datas.items():
has_img = 'image' in d[0].keys()
has_mask = ('polygons' in d[0].keys()) or ('segmentation' in d[0].keys())
sub_data_set = Sample_dataset(
d,
batch_size,
has_img=has_img,
has_mask=has_mask,
resolution=resolution,
resolution_gr=resolution_gr,
hd_num=hd_num
)
if has_img:
if has_mask:
self.datasets_grounding.append(sub_data_set)
self.data_num_grounding.append(len(sub_data_set))
else:
self.datasets_multi.append(sub_data_set)
self.data_num_multi.append(len(sub_data_set))
else:
self.datasets_text.append(sub_data_set)
self.data_num_text.append(len(sub_data_set))
self.data_ratio_grounding = [
float(ratio) / sum(self.data_num_grounding)
for ratio in self.data_num_grounding
]
self.data_ratio_multi = [
float(ratio) / sum(self.data_num_multi)
for ratio in self.data_num_multi
]
self.data_ratio_text = [
float(ratio) / sum(self.data_num_text)
for ratio in self.data_num_text
]
self.data_num = np.sum(self.data_num_grounding) + np.sum(self.data_num_multi) + np.sum(self.data_num_text)
self.num_of_ds =sum(1 for dataset in [self.datasets_text, self.datasets_multi, self.datasets_grounding] if dataset)
self.use_grounding = 0
self.use_multi = batch_size*(self.num_of_ds-1) #equal mixing
def __len__(self):
return int(self.data_num / self.batch_size)
def __getitem__(self, index):
if not self.set_seed:
random.seed(index)
self.set_seed = True
print(f'Set seed {index} for rank {self.local_rank}')
if len(self.datasets_grounding) == 0 and len(self.datasets_multi) == 0 and len(self.datasets_text) == 0:
raise ValueError(
'All _grounding, _multi and _text are empty. Cannot sample any data.')
if len(self.datasets_grounding) > 0 and (self.use_grounding < self.batch_size
or ( len(self.datasets_multi) == 0 and len(self.datasets_text) == 0 )):
data_idx = random.choices(
range(len(self.data_ratio_grounding)),
weights=self.data_ratio_grounding,
k=1)[0]
sample = self.datasets_grounding[data_idx].get_item()
elif len(self.datasets_multi) > 0 and (self.use_multi < self.batch_size
or len(self.datasets_text) == 0):
data_idx = random.choices(
range(len(self.data_ratio_multi)),
weights=self.data_ratio_multi,
k=1)[0]
sample = self.datasets_multi[data_idx].get_item()
elif len(self.datasets_text) > 0:
data_idx = random.choices(
range(len(self.data_ratio_text)),
weights=self.data_ratio_text,
k=1)[0]
sample = self.datasets_text[data_idx].get_item()
else:
raise ValueError('Unable to select a dataset for sampling.')
self.use_grounding += 1
self.use_multi += 1
if self.use_grounding == self.batch_size * self.num_of_ds:
self.use_grounding = 0
if self.use_multi == self.batch_size * self.num_of_ds:
self.use_multi = 0
return dict(samples=sample)
class Sample_dataset(Dataset):
def __init__(self,
raw_data,
batch_size,
has_img=False,
has_mask=False,
resolution=560,
resolution_gr = 1024,
hd_num=18):
self.raw_data = raw_data
print(f'initilized Sample_dataset with {len(self.raw_data)}')
self.batch_size = batch_size
self.vis_processor = ImageProcessorHD(
resolution=resolution, hd_num=hd_num)
self.vis_processor_gr = SAM2Transforms(
resolution=resolution_gr,mask_threshold=0.0,max_hole_area=0.0,max_sprinkle_area=0.0)
self.text_processor = conv2text
self.has_img = has_img
self.has_mask = has_mask
def __len__(self):
return len(self.raw_data)
def __get_item__(self, i):
conv_text = conv2text(self.raw_data[i]['conversations'])
sample = dict(text_input=conv_text, )
if self.has_img:
image_file = self.raw_data[i]['image']
if type(image_file) == str:
image = self.vis_processor(image_file)
elif type(image_file) == list:
image = [self.vis_processor(i) for i in image_file]
else:
raise NotImplementedError('Image format not supported')
sample['image'] = image
if self.has_mask:
assert isinstance(image_file, str), "image_file must be a string" #need single image
image_g = Image.open(image_file).convert("RGB")
w, h = image_g.size
ori_hw = (h, w)
image_g = self.vis_processor_gr(image_g)
if 'polygons' in self.raw_data[i]:
polygons_file = self.raw_data[i]['polygons']
assert isinstance(polygons_file, str), "polygons_file must be a string"
with open(polygons_file, 'r') as file:
try:
data = json.load(file)
except json.JSONDecodeError:
raise ValueError(f"Invalid JSON file: {polygons_file}")
# Processing the polygons data
masks = []
# 在 data_mix.py 的 __get_item__ 方法中添加调试代码
print(f"Sample keys: {list(data.keys())}") # 查看实际存在的键
# print(f"Data source: {self.data_list[idx]}") # 定位问题文件
for polygon in data["polygons"]:
# for polygon in data["annotations"]["polygons"]["polygon"]:
mask = np.zeros((h, w), dtype=np.uint8)
# for poly in polygon:
# assert len(poly) > 0 and len(poly[0]) == 2, "invalid multiple polygons"
# cv2.fillPoly(mask, np.array([poly], dtype=np.int32), color=1)
assert len(polygon) > 0 and len(polygon[0]) == 2, "invalid multiple polygons"
# cv2.fillPoly(mask, np.array([poly], dtype=np.int32), color=1)
cv2.fillPoly(mask, np.array([polygon], dtype=np.int32), color=1)
masks.append(mask)
seg_count = conv_text.count('[SEG]')
mask_count = len(masks)
# 检查掩码数量是否匹配,不匹配时跳过
if mask_count != seg_count:
print(f"掩码数量不匹配: 图像={image_file}, [SEG]标记={seg_count}, 掩码={mask_count}")
return None # 返回None表示跳过此样本
# assert len(masks) == conv_text.count('[SEG]') , f"number of grounding tokens{seg_cout} are not equal to number of masks{lenofmask} provided with image: {image_file}"
elif 'segmentation' in self.raw_data[i]:
segm = self.raw_data[i]['segmentation']
assert len(segm) == conv_text.count('[SEG]') , f"number of grounding tokens are not equal to number of masks provided with image: {image_file}"
masks = []
if segm is None:
raise ValueError(f"Failed to read mask")
for rle in segm:
binary_mask = M.decode(rle).astype(np.uint8)
masks.append(binary_mask)
else:
print(f"No 'polygon' or 'segmentation' found in grounding data")
sample['image_g'] = image_g
sample['ori_hw'] = ori_hw
sample['masks'] = masks
else:
sample['image_g'] = None
sample['ori_hw'] = None
sample['masks'] = None
else:
sample['image'] = None
return sample
def get_item(self, ):
text_input, image, image_g, masks, ori_hw = [], [], [], [], []
valid_samples = 0
# for i in range(self.batch_size):
# idx = random.randrange(len(self.raw_data))
# sample = self.__get_item__(idx)
# text_input.append(sample['text_input'])
#
# if sample['image'] is None:
# pass
# else:
# images_batch = [] # list of 1xCxHxW
# if type(sample['image']) is list:
# for im in sample['image']:
# images_batch.append(im.unsqueeze(0))
# else:
# images_batch.append(sample['image'].unsqueeze(0))
# if sample['image_g'] is None:
# pass
# else:
# image_g.append(sample['image_g'].unsqueeze(0))
# masks.append(sample['masks'])
# ori_hw.append(sample['ori_hw'])
# image.append(images_batch)
# 重试机制确保获得足够数量的有效样本
max_attempts = self.batch_size * 5 # 最多尝试5倍于批大小的次数
attempts = 0
while valid_samples < self.batch_size and attempts < max_attempts:
attempts += 1
idx = random.randrange(len(self.raw_data))
sample = self.__get_item__(idx)
# 跳过无效样本
if sample is None:
continue
text_input.append(sample['text_input'])
if sample['image'] is not None:
images_batch = []
if type(sample['image']) is list:
for im in sample['image']:
images_batch.append(im.unsqueeze(0))
else:
images_batch.append(sample['image'].unsqueeze(0))
if sample['image_g'] is not None:
image_g.append(sample['image_g'].unsqueeze(0))
masks.append(sample['masks'])
ori_hw.append(sample['ori_hw'])
image.append(images_batch)
valid_samples += 1
# 如果未能获得足够样本,使用部分批次或报错
if valid_samples < self.batch_size:
print(f"⚠️ 警告: 只获取到 {valid_samples}/{self.batch_size} 个有效样本")
# 这里可以根据需要决定是继续使用部分批次还是报错
# 为了安全,我们继续使用部分批次
if self.has_mask:
data_type = 'grounding'
elif self.has_img :
data_type = 'multi'
else:
data_type = 'text'
sample = {
'text_input': text_input,
'data_type': data_type,
}
# if self.has_img:
# sample['image'] = image
# if self.has_mask:
# sample['image_g'] = image_g
# sample['ori_hw'] = ori_hw
# sample['masks'] = masks
if self.has_img and image: # 确保有图像数据
sample['image'] = image
if self.has_mask and image_g: # 确保有接地数据
sample['image_g'] = image_g
sample['ori_hw'] = ori_hw
sample['masks'] = masks
return sample