File size: 5,465 Bytes
ad44ad4 |
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 |
import numpy as np
import json
import torch
import copy
import os
import cv2
from dataclasses import dataclass, field
@dataclass
class MaskDictionaryModel:
mask_name:str = ""
mask_height: int = 1080
mask_width:int = 1920
promote_type:str = "mask"
labels:dict = field(default_factory=dict)
def add_new_frame_annotation(self, mask_list, box_list, label_list, background_value = 0):
mask_img = torch.zeros(mask_list.shape[-2:])
anno_2d = {}
for idx, (mask, box, label) in enumerate(zip(mask_list, box_list, label_list)):
final_index = background_value + idx + 1
if mask.shape[0] != mask_img.shape[0] or mask.shape[1] != mask_img.shape[1]:
raise ValueError("The mask shape should be the same as the mask_img shape.")
# mask = mask
mask_img[mask == True] = final_index
# print("label", label)
name = label
box = box # .numpy().tolist()
new_annotation = ObjectInfo(instance_id = final_index, mask = mask, class_name = name, x1 = box[0], y1 = box[1], x2 = box[2], y2 = box[3])
anno_2d[final_index] = new_annotation
# np.save(os.path.join(output_dir, output_file_name), mask_img.numpy().astype(np.uint16))
self.mask_height = mask_img.shape[0]
self.mask_width = mask_img.shape[1]
self.labels = anno_2d
def update_masks(self, tracking_annotation_dict, iou_threshold=0.8, objects_count=0):
updated_masks = {}
for seg_obj_id, seg_mask in self.labels.items(): # tracking_masks
flag = 0
new_mask_copy = ObjectInfo()
if seg_mask.mask.sum() == 0:
continue
for object_id, object_info in tracking_annotation_dict.labels.items(): # grounded_sam masks
iou = self.calculate_iou(seg_mask.mask, object_info.mask) # tensor, numpy
# print("iou", iou)
if iou > iou_threshold:
flag = object_info.instance_id
new_mask_copy.mask = seg_mask.mask
new_mask_copy.instance_id = object_info.instance_id
new_mask_copy.class_name = seg_mask.class_name
break
if not flag:
objects_count += 1
flag = objects_count
new_mask_copy.instance_id = objects_count
new_mask_copy.mask = seg_mask.mask
new_mask_copy.class_name = seg_mask.class_name
updated_masks[flag] = new_mask_copy
self.labels = updated_masks
return objects_count
def get_target_class_name(self, instance_id):
return self.labels[instance_id].class_name
def get_target_logit(self, instance_id):
return self.labels[instance_id].logit
@staticmethod
def calculate_iou(mask1, mask2):
# Convert masks to float tensors for calculations
mask1 = mask1.to(torch.float32)
mask2 = mask2.to(torch.float32)
# Calculate intersection and union
intersection = (mask1 * mask2).sum()
union = mask1.sum() + mask2.sum() - intersection
# Calculate IoU
iou = intersection / union
return iou
def to_dict(self):
return {
"mask_name": self.mask_name,
"mask_height": self.mask_height,
"mask_width": self.mask_width,
"promote_type": self.promote_type,
"labels": {k: v.to_dict() for k, v in self.labels.items()}
}
def to_json(self, json_file):
with open(json_file, "w") as f:
json.dump(self.to_dict(), f, indent=4)
def from_json(self, json_file):
with open(json_file, "r") as f:
data = json.load(f)
self.mask_name = data["mask_name"]
self.mask_height = data["mask_height"]
self.mask_width = data["mask_width"]
self.promote_type = data["promote_type"]
self.labels = {int(k): ObjectInfo(**v) for k, v in data["labels"].items()}
return self
@dataclass
class ObjectInfo:
instance_id:int = 0
mask: any = None
class_name:str = ""
x1:int = 0
y1:int = 0
x2:int = 0
y2:int = 0
logit:float = 0.0
def get_mask(self):
return self.mask
def get_id(self):
return self.instance_id
def update_box(self):
# 找到所有非零值的索引
nonzero_indices = torch.nonzero(self.mask)
# 如果没有非零值,返回一个空的边界框
if nonzero_indices.size(0) == 0:
# print("nonzero_indices", nonzero_indices)
return []
# 计算最小和最大索引
y_min, x_min = torch.min(nonzero_indices, dim=0)[0]
y_max, x_max = torch.max(nonzero_indices, dim=0)[0]
# 创建边界框 [x_min, y_min, x_max, y_max]
bbox = [x_min.item(), y_min.item(), x_max.item(), y_max.item()]
self.x1 = bbox[0]
self.y1 = bbox[1]
self.x2 = bbox[2]
self.y2 = bbox[3]
def to_dict(self):
return {
"instance_id": self.instance_id,
"class_name": self.class_name,
"x1": self.x1,
"y1": self.y1,
"x2": self.x2,
"y2": self.y2,
"logit": self.logit
} |