Spaces:
Runtime error
Runtime error
push app.py to huggingface
Browse files- .gitignore +48 -0
- README.md +1 -1
- app.py +493 -0
- assets/picture1.jpg +0 -0
- assets/picture2.jpg +0 -0
- assets/picture3.jpg +0 -0
- assets/picture4.jpg +0 -0
- requirements.txt +4 -0
- segment_anything/__init__.py +15 -0
- segment_anything/automatic_mask_generator.py +372 -0
- segment_anything/build_sam.py +124 -0
- segment_anything/modeling/__init__.py +12 -0
- segment_anything/modeling/common.py +118 -0
- segment_anything/modeling/image_encoder.py +395 -0
- segment_anything/modeling/mask_decoder.py +181 -0
- segment_anything/modeling/prompt_encoder.py +214 -0
- segment_anything/modeling/rep_vit.py +367 -0
- segment_anything/modeling/sam.py +187 -0
- segment_anything/modeling/transformer.py +240 -0
- segment_anything/predictor.py +275 -0
- segment_anything/utils/__init__.py +5 -0
- segment_anything/utils/amg.py +346 -0
- segment_anything/utils/coreml.py +64 -0
- segment_anything/utils/transforms.py +102 -0
- utils/__init__.py +0 -0
- utils/tools.py +406 -0
- utils/tools_gradio.py +192 -0
- weights/edge_sam_3x.pth +3 -0
.gitignore
ADDED
@@ -0,0 +1,48 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
.nfs*
|
2 |
+
|
3 |
+
# compilation and distribution
|
4 |
+
__pycache__
|
5 |
+
_ext
|
6 |
+
*.pyc
|
7 |
+
*.pyd
|
8 |
+
*.so
|
9 |
+
*.dll
|
10 |
+
*.egg-info/
|
11 |
+
build/
|
12 |
+
dist/
|
13 |
+
wheels/
|
14 |
+
|
15 |
+
# pytorch/python/numpy formats
|
16 |
+
#*.pth
|
17 |
+
*.pkl
|
18 |
+
*.npy
|
19 |
+
*.ts
|
20 |
+
model_ts*.txt
|
21 |
+
|
22 |
+
# onnx models
|
23 |
+
*.onnx
|
24 |
+
|
25 |
+
# ipython/jupyter notebooks
|
26 |
+
**/.ipynb_checkpoints/
|
27 |
+
|
28 |
+
# Editor temporaries
|
29 |
+
*.swn
|
30 |
+
*.swo
|
31 |
+
*.swp
|
32 |
+
*~
|
33 |
+
|
34 |
+
# editor settings
|
35 |
+
.idea
|
36 |
+
.vscode
|
37 |
+
_darcs
|
38 |
+
|
39 |
+
# demo
|
40 |
+
**/node_modules
|
41 |
+
yarn.lock
|
42 |
+
package-lock.json
|
43 |
+
|
44 |
+
# CoreML models
|
45 |
+
*.mlpackage
|
46 |
+
|
47 |
+
# Mac
|
48 |
+
*DS_Store*
|
README.md
CHANGED
@@ -1,6 +1,6 @@
|
|
1 |
---
|
2 |
title: EdgeSAM
|
3 |
-
emoji:
|
4 |
colorFrom: pink
|
5 |
colorTo: yellow
|
6 |
sdk: gradio
|
|
|
1 |
---
|
2 |
title: EdgeSAM
|
3 |
+
emoji: 🚀
|
4 |
colorFrom: pink
|
5 |
colorTo: yellow
|
6 |
sdk: gradio
|
app.py
ADDED
@@ -0,0 +1,493 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Code credit: [FastSAM Demo](https://huggingface.co/spaces/An-619/FastSAM).
|
2 |
+
|
3 |
+
import gradio as gr
|
4 |
+
import numpy as np
|
5 |
+
import torch
|
6 |
+
from segment_anything import sam_model_registry, SamAutomaticMaskGenerator, SamPredictor
|
7 |
+
from PIL import ImageDraw
|
8 |
+
from utils.tools_gradio import fast_process
|
9 |
+
import copy
|
10 |
+
import argparse
|
11 |
+
|
12 |
+
parser = argparse.ArgumentParser(
|
13 |
+
description="Host EdgeSAM as a local web service."
|
14 |
+
)
|
15 |
+
parser.add_argument(
|
16 |
+
"--checkpoint",
|
17 |
+
default="weights/edge_sam_3x.pth",
|
18 |
+
type=str,
|
19 |
+
help="The path to the EdgeSAM model checkpoint."
|
20 |
+
)
|
21 |
+
parser.add_argument(
|
22 |
+
"--enable-everything-mode",
|
23 |
+
action="store_true",
|
24 |
+
help="Since EdgeSAM follows the same encoder-decoder architecture as SAM, the everything mode will infer the "
|
25 |
+
"decoder 32x32=1024 times, which is inefficient, thus a longer processing time is expected.",
|
26 |
+
)
|
27 |
+
parser.add_argument(
|
28 |
+
"--server-name",
|
29 |
+
default="0.0.0.0",
|
30 |
+
type=str,
|
31 |
+
help="The server address that this demo will be hosted on."
|
32 |
+
)
|
33 |
+
parser.add_argument(
|
34 |
+
"--port",
|
35 |
+
default=8080,
|
36 |
+
type=int,
|
37 |
+
help="The port that this demo will be hosted on."
|
38 |
+
)
|
39 |
+
args = parser.parse_args()
|
40 |
+
|
41 |
+
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
|
42 |
+
sam = sam_model_registry["edge_sam"](checkpoint=args.checkpoint, upsample_mode="bicubic")
|
43 |
+
sam = sam.to(device=device)
|
44 |
+
sam.eval()
|
45 |
+
|
46 |
+
mask_generator = SamAutomaticMaskGenerator(sam)
|
47 |
+
predictor = SamPredictor(sam)
|
48 |
+
|
49 |
+
# Description
|
50 |
+
title = "<center><strong><font size='8'>EdgeSAM<font></strong></center>"
|
51 |
+
|
52 |
+
description_p = """ # Instructions for point mode
|
53 |
+
|
54 |
+
1. Upload an image or click one of the provided examples.
|
55 |
+
2. Select the point type.
|
56 |
+
3. Click once or multiple times on the image to indicate the object of interest.
|
57 |
+
4. Click Start to get the segmentation mask.
|
58 |
+
5. The clear button clears all the points.
|
59 |
+
6. The reset button resets both points and the image.
|
60 |
+
|
61 |
+
"""
|
62 |
+
|
63 |
+
description_b = """ # Instructions for box mode
|
64 |
+
|
65 |
+
1. Upload an image or click one of the provided examples.
|
66 |
+
2. Click twice on the image (diagonal points of the box).
|
67 |
+
3. Click Start to get the segmentation mask.
|
68 |
+
4. The clear button clears the box.
|
69 |
+
5. The reset button resets both the box and the image.
|
70 |
+
|
71 |
+
"""
|
72 |
+
|
73 |
+
description_e = """ # Everything mode is NOT recommended.
|
74 |
+
|
75 |
+
Since EdgeSAM follows the same encoder-decoder architecture as SAM, the everything mode will infer the decoder 32x32=1024 times, which is inefficient, thus a longer processing time is expected.
|
76 |
+
|
77 |
+
"""
|
78 |
+
|
79 |
+
examples = [
|
80 |
+
["web_demo/assets/picture1.jpg"],
|
81 |
+
["web_demo/assets/picture2.jpg"],
|
82 |
+
["web_demo/assets/picture3.jpg"],
|
83 |
+
["web_demo/assets/picture4.jpg"],
|
84 |
+
]
|
85 |
+
|
86 |
+
default_example = examples[0]
|
87 |
+
|
88 |
+
css = "h1 { text-align: center } .about { text-align: justify; padding-left: 10%; padding-right: 10%; }"
|
89 |
+
|
90 |
+
global_points = []
|
91 |
+
global_point_label = []
|
92 |
+
global_box = []
|
93 |
+
global_image = None
|
94 |
+
|
95 |
+
|
96 |
+
def reset():
|
97 |
+
global global_points
|
98 |
+
global global_point_label
|
99 |
+
global global_box
|
100 |
+
global global_image
|
101 |
+
global_points = []
|
102 |
+
global_point_label = []
|
103 |
+
global_box = []
|
104 |
+
global_image = None
|
105 |
+
return None, None
|
106 |
+
|
107 |
+
|
108 |
+
def reset_all():
|
109 |
+
global global_points
|
110 |
+
global global_point_label
|
111 |
+
global global_box
|
112 |
+
global global_image
|
113 |
+
global_points = []
|
114 |
+
global_point_label = []
|
115 |
+
global_box = []
|
116 |
+
global_image = None
|
117 |
+
if args.enable_everything_mode:
|
118 |
+
return None, None, None, None, None, None
|
119 |
+
else:
|
120 |
+
return None, None, None, None
|
121 |
+
|
122 |
+
|
123 |
+
def clear():
|
124 |
+
global global_points
|
125 |
+
global global_point_label
|
126 |
+
global global_box
|
127 |
+
global global_image
|
128 |
+
global_points = []
|
129 |
+
global_point_label = []
|
130 |
+
global_box = []
|
131 |
+
return global_image, None
|
132 |
+
|
133 |
+
|
134 |
+
def on_image_upload(image, input_size=1024):
|
135 |
+
global global_points
|
136 |
+
global global_point_label
|
137 |
+
global global_box
|
138 |
+
global global_image
|
139 |
+
global_points = []
|
140 |
+
global_point_label = []
|
141 |
+
global_box = []
|
142 |
+
|
143 |
+
input_size = int(input_size)
|
144 |
+
w, h = image.size
|
145 |
+
scale = input_size / max(w, h)
|
146 |
+
new_w = int(w * scale)
|
147 |
+
new_h = int(h * scale)
|
148 |
+
image = image.resize((new_w, new_h))
|
149 |
+
global_image = copy.deepcopy(image)
|
150 |
+
print("Image changed")
|
151 |
+
nd_image = np.array(global_image)
|
152 |
+
predictor.set_image(nd_image)
|
153 |
+
|
154 |
+
return image, None
|
155 |
+
|
156 |
+
|
157 |
+
def convert_box(xyxy):
|
158 |
+
min_x = min(xyxy[0][0], xyxy[1][0])
|
159 |
+
max_x = max(xyxy[0][0], xyxy[1][0])
|
160 |
+
min_y = min(xyxy[0][1], xyxy[1][1])
|
161 |
+
max_y = max(xyxy[0][1], xyxy[1][1])
|
162 |
+
xyxy[0][0] = min_x
|
163 |
+
xyxy[1][0] = max_x
|
164 |
+
xyxy[0][1] = min_y
|
165 |
+
xyxy[1][1] = max_y
|
166 |
+
return xyxy
|
167 |
+
|
168 |
+
|
169 |
+
def get_points_with_draw(image, label, evt: gr.SelectData):
|
170 |
+
global global_points
|
171 |
+
global global_point_label
|
172 |
+
# global global_image
|
173 |
+
|
174 |
+
x, y = evt.index[0], evt.index[1]
|
175 |
+
# x = int(x * scale)
|
176 |
+
# y = int(y * scale)
|
177 |
+
point_radius, point_color = 10, (97, 217, 54) if label == "Positive" else (237, 34, 13)
|
178 |
+
global_points.append([x, y])
|
179 |
+
global_point_label.append(1 if label == "Positive" else 0)
|
180 |
+
|
181 |
+
print(f'global_points: {global_points}')
|
182 |
+
print(f'global_point_label: {global_point_label}')
|
183 |
+
|
184 |
+
draw = ImageDraw.Draw(image)
|
185 |
+
draw.ellipse(
|
186 |
+
[(x - point_radius, y - point_radius), (x + point_radius, y + point_radius)],
|
187 |
+
fill=point_color,
|
188 |
+
)
|
189 |
+
return image
|
190 |
+
|
191 |
+
|
192 |
+
def get_box_with_draw(image, evt: gr.SelectData):
|
193 |
+
global global_box
|
194 |
+
# global global_image
|
195 |
+
|
196 |
+
x, y = evt.index[0], evt.index[1]
|
197 |
+
# x = float(x * scale)
|
198 |
+
# y = float(y * scale)
|
199 |
+
point_radius, point_color, box_outline = 5, (97, 217, 54), 5
|
200 |
+
box_color = (0, 255, 0)
|
201 |
+
|
202 |
+
if len(global_box) == 0:
|
203 |
+
global_box.append([x, y])
|
204 |
+
elif len(global_box) == 1:
|
205 |
+
global_box.append([x, y])
|
206 |
+
elif len(global_box) == 2:
|
207 |
+
global_box = [[x, y]]
|
208 |
+
|
209 |
+
print(f'global_box: {global_box}')
|
210 |
+
|
211 |
+
draw = ImageDraw.Draw(image)
|
212 |
+
draw.ellipse(
|
213 |
+
[(x - point_radius, y - point_radius), (x + point_radius, y + point_radius)],
|
214 |
+
fill=point_color,
|
215 |
+
)
|
216 |
+
|
217 |
+
if len(global_box) == 2:
|
218 |
+
global_box = convert_box(global_box)
|
219 |
+
xy = (global_box[0][0], global_box[0][1], global_box[1][0], global_box[1][1])
|
220 |
+
draw.rectangle(
|
221 |
+
xy,
|
222 |
+
outline=box_color,
|
223 |
+
width=box_outline
|
224 |
+
)
|
225 |
+
|
226 |
+
return image
|
227 |
+
|
228 |
+
|
229 |
+
def segment_with_points(
|
230 |
+
image,
|
231 |
+
input_size=1024,
|
232 |
+
better_quality=False,
|
233 |
+
withContours=True,
|
234 |
+
use_retina=True,
|
235 |
+
mask_random_color=False,
|
236 |
+
):
|
237 |
+
global global_points
|
238 |
+
global global_point_label
|
239 |
+
|
240 |
+
global_points_np = np.array(global_points)
|
241 |
+
global_point_label_np = np.array(global_point_label)
|
242 |
+
|
243 |
+
if global_points_np.size == 0 and global_point_label_np.size == 0:
|
244 |
+
print("No point selected")
|
245 |
+
return image, image
|
246 |
+
|
247 |
+
num_multimask_outputs = 4
|
248 |
+
|
249 |
+
masks, scores, logits = predictor.predict(
|
250 |
+
point_coords=global_points_np,
|
251 |
+
point_labels=global_point_label_np,
|
252 |
+
num_multimask_outputs=num_multimask_outputs,
|
253 |
+
use_stability_score=True
|
254 |
+
)
|
255 |
+
|
256 |
+
print(f'scores: {scores}')
|
257 |
+
area = masks.sum(axis=(1, 2))
|
258 |
+
print(f'area: {area}')
|
259 |
+
|
260 |
+
if num_multimask_outputs == 1:
|
261 |
+
annotations = masks
|
262 |
+
else:
|
263 |
+
annotations = np.expand_dims(masks[scores.argmax()], axis=0)
|
264 |
+
|
265 |
+
seg = fast_process(
|
266 |
+
annotations=annotations,
|
267 |
+
image=image,
|
268 |
+
device=device,
|
269 |
+
scale=(1024 // input_size),
|
270 |
+
better_quality=better_quality,
|
271 |
+
mask_random_color=mask_random_color,
|
272 |
+
bbox=None,
|
273 |
+
use_retina=use_retina,
|
274 |
+
withContours=withContours,
|
275 |
+
)
|
276 |
+
|
277 |
+
return image, seg
|
278 |
+
|
279 |
+
|
280 |
+
def segment_with_box(
|
281 |
+
image,
|
282 |
+
input_size=1024,
|
283 |
+
better_quality=False,
|
284 |
+
withContours=True,
|
285 |
+
use_retina=True,
|
286 |
+
mask_random_color=False,
|
287 |
+
):
|
288 |
+
global global_box
|
289 |
+
global_box_np = np.array(global_box)
|
290 |
+
|
291 |
+
if global_box_np.size < 4:
|
292 |
+
print("No box selected")
|
293 |
+
return image, image
|
294 |
+
|
295 |
+
masks, scores, logits = predictor.predict(
|
296 |
+
box=global_box_np,
|
297 |
+
num_multimask_outputs=1,
|
298 |
+
)
|
299 |
+
annotations = masks
|
300 |
+
|
301 |
+
seg = fast_process(
|
302 |
+
annotations=annotations,
|
303 |
+
image=image,
|
304 |
+
device=device,
|
305 |
+
scale=(1024 // input_size),
|
306 |
+
better_quality=better_quality,
|
307 |
+
mask_random_color=mask_random_color,
|
308 |
+
bbox=None,
|
309 |
+
use_retina=use_retina,
|
310 |
+
withContours=withContours,
|
311 |
+
)
|
312 |
+
|
313 |
+
return image, seg
|
314 |
+
|
315 |
+
|
316 |
+
def segment_everything(
|
317 |
+
image,
|
318 |
+
input_size=1024,
|
319 |
+
better_quality=False,
|
320 |
+
withContours=True,
|
321 |
+
use_retina=True,
|
322 |
+
mask_random_color=True,
|
323 |
+
):
|
324 |
+
nd_image = np.array(image)
|
325 |
+
masks = mask_generator.generate(nd_image)
|
326 |
+
annotations = masks
|
327 |
+
seg = fast_process(
|
328 |
+
annotations=annotations,
|
329 |
+
image=image,
|
330 |
+
device=device,
|
331 |
+
scale=(1024 // input_size),
|
332 |
+
better_quality=better_quality,
|
333 |
+
mask_random_color=mask_random_color,
|
334 |
+
bbox=None,
|
335 |
+
use_retina=use_retina,
|
336 |
+
withContours=withContours,
|
337 |
+
)
|
338 |
+
|
339 |
+
return seg
|
340 |
+
|
341 |
+
|
342 |
+
cond_img_p = gr.Image(label="Input with points", type="pil")
|
343 |
+
cond_img_b = gr.Image(label="Input with box", type="pil")
|
344 |
+
cond_img_e = gr.Image(label="Input (everything)", type="pil")
|
345 |
+
|
346 |
+
segm_img_p = gr.Image(label="Segmented Image with points", interactive=False, type="pil")
|
347 |
+
segm_img_b = gr.Image(label="Segmented Image with box", interactive=False, type="pil")
|
348 |
+
segm_img_e = gr.Image(label="Segmented Everything", interactive=False, type="pil")
|
349 |
+
|
350 |
+
if args.enable_everything_mode:
|
351 |
+
all_outputs = [cond_img_p, cond_img_b, cond_img_e, segm_img_p, segm_img_b, segm_img_e]
|
352 |
+
else:
|
353 |
+
all_outputs = [cond_img_p, cond_img_b, segm_img_p, segm_img_b]
|
354 |
+
|
355 |
+
with gr.Blocks(css=css, title="EdgeSAM") as demo:
|
356 |
+
|
357 |
+
with gr.Row():
|
358 |
+
with gr.Column(scale=1):
|
359 |
+
# Title
|
360 |
+
gr.Markdown(title)
|
361 |
+
|
362 |
+
with gr.Tab("Point mode") as tab_p:
|
363 |
+
# Images
|
364 |
+
with gr.Row(variant="panel"):
|
365 |
+
with gr.Column(scale=1):
|
366 |
+
cond_img_p.render()
|
367 |
+
|
368 |
+
with gr.Column(scale=1):
|
369 |
+
segm_img_p.render()
|
370 |
+
|
371 |
+
# Submit & Clear
|
372 |
+
with gr.Row():
|
373 |
+
with gr.Column():
|
374 |
+
with gr.Row():
|
375 |
+
add_or_remove = gr.Radio(
|
376 |
+
["Positive", "Negative"],
|
377 |
+
value="Positive",
|
378 |
+
label="Point Type"
|
379 |
+
)
|
380 |
+
|
381 |
+
with gr.Column():
|
382 |
+
segment_btn_p = gr.Button(
|
383 |
+
"Start", variant="primary"
|
384 |
+
)
|
385 |
+
clear_btn_p = gr.Button("Clear", variant="secondary")
|
386 |
+
reset_btn_p = gr.Button("Reset", variant="secondary")
|
387 |
+
|
388 |
+
gr.Markdown("Try some of the examples below ⬇️")
|
389 |
+
gr.Examples(
|
390 |
+
examples=examples,
|
391 |
+
inputs=[cond_img_p],
|
392 |
+
outputs=[cond_img_p, segm_img_p],
|
393 |
+
examples_per_page=4,
|
394 |
+
fn=on_image_upload,
|
395 |
+
run_on_click=True
|
396 |
+
)
|
397 |
+
|
398 |
+
with gr.Column():
|
399 |
+
# Description
|
400 |
+
gr.Markdown(description_p)
|
401 |
+
|
402 |
+
with gr.Tab("Box mode") as tab_b:
|
403 |
+
# Images
|
404 |
+
with gr.Row(variant="panel"):
|
405 |
+
with gr.Column(scale=1):
|
406 |
+
cond_img_b.render()
|
407 |
+
|
408 |
+
with gr.Column(scale=1):
|
409 |
+
segm_img_b.render()
|
410 |
+
|
411 |
+
# Submit & Clear
|
412 |
+
with gr.Row():
|
413 |
+
with gr.Column():
|
414 |
+
with gr.Row():
|
415 |
+
with gr.Column():
|
416 |
+
segment_btn_b = gr.Button(
|
417 |
+
"Start", variant="primary"
|
418 |
+
)
|
419 |
+
clear_btn_b = gr.Button("Clear", variant="secondary")
|
420 |
+
reset_btn_b = gr.Button("Reset", variant="secondary")
|
421 |
+
|
422 |
+
gr.Markdown("Try some of the examples below ⬇️")
|
423 |
+
gr.Examples(
|
424 |
+
examples=examples,
|
425 |
+
inputs=[cond_img_b],
|
426 |
+
outputs=[cond_img_b, segm_img_b],
|
427 |
+
examples_per_page=4,
|
428 |
+
fn=on_image_upload,
|
429 |
+
run_on_click=True
|
430 |
+
)
|
431 |
+
|
432 |
+
with gr.Column():
|
433 |
+
# Description
|
434 |
+
gr.Markdown(description_b)
|
435 |
+
|
436 |
+
if args.enable_everything_mode:
|
437 |
+
with gr.Tab("Everything mode") as tab_e:
|
438 |
+
# Images
|
439 |
+
with gr.Row(variant="panel"):
|
440 |
+
with gr.Column(scale=1):
|
441 |
+
cond_img_e.render()
|
442 |
+
|
443 |
+
with gr.Column(scale=1):
|
444 |
+
segm_img_e.render()
|
445 |
+
|
446 |
+
# Submit & Clear
|
447 |
+
with gr.Row():
|
448 |
+
with gr.Column():
|
449 |
+
with gr.Row():
|
450 |
+
with gr.Column():
|
451 |
+
segment_btn_e = gr.Button(
|
452 |
+
"Start", variant="primary"
|
453 |
+
)
|
454 |
+
reset_btn_e = gr.Button("Reset", variant="secondary")
|
455 |
+
|
456 |
+
gr.Markdown("Try some of the examples below ⬇️")
|
457 |
+
gr.Examples(
|
458 |
+
examples=examples,
|
459 |
+
inputs=[cond_img_e],
|
460 |
+
examples_per_page=4,
|
461 |
+
)
|
462 |
+
|
463 |
+
with gr.Column():
|
464 |
+
# Description
|
465 |
+
gr.Markdown(description_e)
|
466 |
+
|
467 |
+
cond_img_p.upload(on_image_upload, cond_img_p, [cond_img_p, segm_img_p])
|
468 |
+
cond_img_p.select(get_points_with_draw, [cond_img_p, add_or_remove], cond_img_p)
|
469 |
+
segment_btn_p.click(
|
470 |
+
segment_with_points, inputs=[cond_img_p], outputs=[cond_img_p, segm_img_p]
|
471 |
+
)
|
472 |
+
clear_btn_p.click(clear, outputs=[cond_img_p, segm_img_p])
|
473 |
+
reset_btn_p.click(reset, outputs=[cond_img_p, segm_img_p])
|
474 |
+
tab_p.select(fn=reset_all, outputs=all_outputs)
|
475 |
+
|
476 |
+
cond_img_b.select(get_box_with_draw, [cond_img_b], cond_img_b)
|
477 |
+
segment_btn_b.click(
|
478 |
+
segment_with_box, inputs=[cond_img_b], outputs=[cond_img_b, segm_img_b]
|
479 |
+
)
|
480 |
+
clear_btn_b.click(clear, outputs=[cond_img_b, segm_img_b])
|
481 |
+
reset_btn_b.click(reset, outputs=[cond_img_b, segm_img_b])
|
482 |
+
tab_b.select(fn=reset_all, outputs=all_outputs)
|
483 |
+
|
484 |
+
if args.enable_everything_mode:
|
485 |
+
segment_btn_e.click(
|
486 |
+
segment_everything, inputs=[cond_img_e], outputs=segm_img_e
|
487 |
+
)
|
488 |
+
reset_btn_e.click(reset, outputs=[cond_img_e, segm_img_e])
|
489 |
+
tab_e.select(fn=reset_all, outputs=all_outputs)
|
490 |
+
|
491 |
+
demo.queue()
|
492 |
+
# demo.launch(server_name=args.server_name, server_port=args.port)
|
493 |
+
demo.launch()
|
assets/picture1.jpg
ADDED
assets/picture2.jpg
ADDED
assets/picture3.jpg
ADDED
assets/picture4.jpg
ADDED
requirements.txt
ADDED
@@ -0,0 +1,4 @@
|
|
|
|
|
|
|
|
|
|
|
1 |
+
torch
|
2 |
+
torchvision
|
3 |
+
opencv-python
|
4 |
+
timm
|
segment_anything/__init__.py
ADDED
@@ -0,0 +1,15 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
from .build_sam import (
|
8 |
+
build_sam,
|
9 |
+
build_sam_vit_h,
|
10 |
+
build_sam_vit_l,
|
11 |
+
build_sam_vit_b,
|
12 |
+
sam_model_registry,
|
13 |
+
)
|
14 |
+
from .predictor import SamPredictor
|
15 |
+
from .automatic_mask_generator import SamAutomaticMaskGenerator
|
segment_anything/automatic_mask_generator.py
ADDED
@@ -0,0 +1,372 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import numpy as np
|
8 |
+
import torch
|
9 |
+
from torchvision.ops.boxes import batched_nms, box_area # type: ignore
|
10 |
+
|
11 |
+
from typing import Any, Dict, List, Optional, Tuple
|
12 |
+
|
13 |
+
from .modeling import Sam
|
14 |
+
from .predictor import SamPredictor
|
15 |
+
from .utils.amg import (
|
16 |
+
MaskData,
|
17 |
+
area_from_rle,
|
18 |
+
batch_iterator,
|
19 |
+
batched_mask_to_box,
|
20 |
+
box_xyxy_to_xywh,
|
21 |
+
build_all_layer_point_grids,
|
22 |
+
calculate_stability_score,
|
23 |
+
coco_encode_rle,
|
24 |
+
generate_crop_boxes,
|
25 |
+
is_box_near_crop_edge,
|
26 |
+
mask_to_rle_pytorch,
|
27 |
+
remove_small_regions,
|
28 |
+
rle_to_mask,
|
29 |
+
uncrop_boxes_xyxy,
|
30 |
+
uncrop_masks,
|
31 |
+
uncrop_points,
|
32 |
+
)
|
33 |
+
|
34 |
+
|
35 |
+
class SamAutomaticMaskGenerator:
|
36 |
+
def __init__(
|
37 |
+
self,
|
38 |
+
model: Sam,
|
39 |
+
points_per_side: Optional[int] = 32,
|
40 |
+
points_per_batch: int = 64,
|
41 |
+
pred_iou_thresh: float = 0.88,
|
42 |
+
stability_score_thresh: float = 0.95,
|
43 |
+
stability_score_offset: float = 1.0,
|
44 |
+
box_nms_thresh: float = 0.7,
|
45 |
+
crop_n_layers: int = 0,
|
46 |
+
crop_nms_thresh: float = 0.7,
|
47 |
+
crop_overlap_ratio: float = 512 / 1500,
|
48 |
+
crop_n_points_downscale_factor: int = 1,
|
49 |
+
point_grids: Optional[List[np.ndarray]] = None,
|
50 |
+
min_mask_region_area: int = 0,
|
51 |
+
output_mode: str = "binary_mask",
|
52 |
+
) -> None:
|
53 |
+
"""
|
54 |
+
Using a SAM model, generates masks for the entire image.
|
55 |
+
Generates a grid of point prompts over the image, then filters
|
56 |
+
low quality and duplicate masks. The default settings are chosen
|
57 |
+
for SAM with a ViT-H backbone.
|
58 |
+
|
59 |
+
Arguments:
|
60 |
+
model (Sam): The SAM model to use for mask prediction.
|
61 |
+
points_per_side (int or None): The number of points to be sampled
|
62 |
+
along one side of the image. The total number of points is
|
63 |
+
points_per_side**2. If None, 'point_grids' must provide explicit
|
64 |
+
point sampling.
|
65 |
+
points_per_batch (int): Sets the number of points run simultaneously
|
66 |
+
by the model. Higher numbers may be faster but use more GPU memory.
|
67 |
+
pred_iou_thresh (float): A filtering threshold in [0,1], using the
|
68 |
+
model's predicted mask quality.
|
69 |
+
stability_score_thresh (float): A filtering threshold in [0,1], using
|
70 |
+
the stability of the mask under changes to the cutoff used to binarize
|
71 |
+
the model's mask predictions.
|
72 |
+
stability_score_offset (float): The amount to shift the cutoff when
|
73 |
+
calculated the stability score.
|
74 |
+
box_nms_thresh (float): The box IoU cutoff used by non-maximal
|
75 |
+
suppression to filter duplicate masks.
|
76 |
+
crop_n_layers (int): If >0, mask prediction will be run again on
|
77 |
+
crops of the image. Sets the number of layers to run, where each
|
78 |
+
layer has 2**i_layer number of image crops.
|
79 |
+
crop_nms_thresh (float): The box IoU cutoff used by non-maximal
|
80 |
+
suppression to filter duplicate masks between different crops.
|
81 |
+
crop_overlap_ratio (float): Sets the degree to which crops overlap.
|
82 |
+
In the first crop layer, crops will overlap by this fraction of
|
83 |
+
the image length. Later layers with more crops scale down this overlap.
|
84 |
+
crop_n_points_downscale_factor (int): The number of points-per-side
|
85 |
+
sampled in layer n is scaled down by crop_n_points_downscale_factor**n.
|
86 |
+
point_grids (list(np.ndarray) or None): A list over explicit grids
|
87 |
+
of points used for sampling, normalized to [0,1]. The nth grid in the
|
88 |
+
list is used in the nth crop layer. Exclusive with points_per_side.
|
89 |
+
min_mask_region_area (int): If >0, postprocessing will be applied
|
90 |
+
to remove disconnected regions and holes in masks with area smaller
|
91 |
+
than min_mask_region_area. Requires opencv.
|
92 |
+
output_mode (str): The form masks are returned in. Can be 'binary_mask',
|
93 |
+
'uncompressed_rle', or 'coco_rle'. 'coco_rle' requires pycocotools.
|
94 |
+
For large resolutions, 'binary_mask' may consume large amounts of
|
95 |
+
memory.
|
96 |
+
"""
|
97 |
+
|
98 |
+
assert (points_per_side is None) != (
|
99 |
+
point_grids is None
|
100 |
+
), "Exactly one of points_per_side or point_grid must be provided."
|
101 |
+
if points_per_side is not None:
|
102 |
+
self.point_grids = build_all_layer_point_grids(
|
103 |
+
points_per_side,
|
104 |
+
crop_n_layers,
|
105 |
+
crop_n_points_downscale_factor,
|
106 |
+
)
|
107 |
+
elif point_grids is not None:
|
108 |
+
self.point_grids = point_grids
|
109 |
+
else:
|
110 |
+
raise ValueError("Can't have both points_per_side and point_grid be None.")
|
111 |
+
|
112 |
+
assert output_mode in [
|
113 |
+
"binary_mask",
|
114 |
+
"uncompressed_rle",
|
115 |
+
"coco_rle",
|
116 |
+
], f"Unknown output_mode {output_mode}."
|
117 |
+
if output_mode == "coco_rle":
|
118 |
+
from pycocotools import mask as mask_utils # type: ignore # noqa: F401
|
119 |
+
|
120 |
+
if min_mask_region_area > 0:
|
121 |
+
import cv2 # type: ignore # noqa: F401
|
122 |
+
|
123 |
+
self.predictor = SamPredictor(model)
|
124 |
+
self.points_per_batch = points_per_batch
|
125 |
+
self.pred_iou_thresh = pred_iou_thresh
|
126 |
+
self.stability_score_thresh = stability_score_thresh
|
127 |
+
self.stability_score_offset = stability_score_offset
|
128 |
+
self.box_nms_thresh = box_nms_thresh
|
129 |
+
self.crop_n_layers = crop_n_layers
|
130 |
+
self.crop_nms_thresh = crop_nms_thresh
|
131 |
+
self.crop_overlap_ratio = crop_overlap_ratio
|
132 |
+
self.crop_n_points_downscale_factor = crop_n_points_downscale_factor
|
133 |
+
self.min_mask_region_area = min_mask_region_area
|
134 |
+
self.output_mode = output_mode
|
135 |
+
|
136 |
+
@torch.no_grad()
|
137 |
+
def generate(self, image: np.ndarray) -> List[Dict[str, Any]]:
|
138 |
+
"""
|
139 |
+
Generates masks for the given image.
|
140 |
+
|
141 |
+
Arguments:
|
142 |
+
image (np.ndarray): The image to generate masks for, in HWC uint8 format.
|
143 |
+
|
144 |
+
Returns:
|
145 |
+
list(dict(str, any)): A list over records for masks. Each record is
|
146 |
+
a dict containing the following keys:
|
147 |
+
segmentation (dict(str, any) or np.ndarray): The mask. If
|
148 |
+
output_mode='binary_mask', is an array of shape HW. Otherwise,
|
149 |
+
is a dictionary containing the RLE.
|
150 |
+
bbox (list(float)): The box around the mask, in XYWH format.
|
151 |
+
area (int): The area in pixels of the mask.
|
152 |
+
predicted_iou (float): The model's own prediction of the mask's
|
153 |
+
quality. This is filtered by the pred_iou_thresh parameter.
|
154 |
+
point_coords (list(list(float))): The point coordinates input
|
155 |
+
to the model to generate this mask.
|
156 |
+
stability_score (float): A measure of the mask's quality. This
|
157 |
+
is filtered on using the stability_score_thresh parameter.
|
158 |
+
crop_box (list(float)): The crop of the image used to generate
|
159 |
+
the mask, given in XYWH format.
|
160 |
+
"""
|
161 |
+
|
162 |
+
# Generate masks
|
163 |
+
mask_data = self._generate_masks(image)
|
164 |
+
|
165 |
+
# Filter small disconnected regions and holes in masks
|
166 |
+
if self.min_mask_region_area > 0:
|
167 |
+
mask_data = self.postprocess_small_regions(
|
168 |
+
mask_data,
|
169 |
+
self.min_mask_region_area,
|
170 |
+
max(self.box_nms_thresh, self.crop_nms_thresh),
|
171 |
+
)
|
172 |
+
|
173 |
+
# Encode masks
|
174 |
+
if self.output_mode == "coco_rle":
|
175 |
+
mask_data["segmentations"] = [coco_encode_rle(rle) for rle in mask_data["rles"]]
|
176 |
+
elif self.output_mode == "binary_mask":
|
177 |
+
mask_data["segmentations"] = [rle_to_mask(rle) for rle in mask_data["rles"]]
|
178 |
+
else:
|
179 |
+
mask_data["segmentations"] = mask_data["rles"]
|
180 |
+
|
181 |
+
# Write mask records
|
182 |
+
curr_anns = []
|
183 |
+
for idx in range(len(mask_data["segmentations"])):
|
184 |
+
ann = {
|
185 |
+
"segmentation": mask_data["segmentations"][idx],
|
186 |
+
"area": area_from_rle(mask_data["rles"][idx]),
|
187 |
+
"bbox": box_xyxy_to_xywh(mask_data["boxes"][idx]).tolist(),
|
188 |
+
"predicted_iou": mask_data["iou_preds"][idx].item(),
|
189 |
+
"point_coords": [mask_data["points"][idx].tolist()],
|
190 |
+
"stability_score": mask_data["stability_score"][idx].item(),
|
191 |
+
"crop_box": box_xyxy_to_xywh(mask_data["crop_boxes"][idx]).tolist(),
|
192 |
+
}
|
193 |
+
curr_anns.append(ann)
|
194 |
+
|
195 |
+
return curr_anns
|
196 |
+
|
197 |
+
def _generate_masks(self, image: np.ndarray) -> MaskData:
|
198 |
+
orig_size = image.shape[:2]
|
199 |
+
crop_boxes, layer_idxs = generate_crop_boxes(
|
200 |
+
orig_size, self.crop_n_layers, self.crop_overlap_ratio
|
201 |
+
)
|
202 |
+
|
203 |
+
# Iterate over image crops
|
204 |
+
data = MaskData()
|
205 |
+
for crop_box, layer_idx in zip(crop_boxes, layer_idxs):
|
206 |
+
crop_data = self._process_crop(image, crop_box, layer_idx, orig_size)
|
207 |
+
data.cat(crop_data)
|
208 |
+
|
209 |
+
# Remove duplicate masks between crops
|
210 |
+
if len(crop_boxes) > 1:
|
211 |
+
# Prefer masks from smaller crops
|
212 |
+
scores = 1 / box_area(data["crop_boxes"])
|
213 |
+
scores = scores.to(data["boxes"].device)
|
214 |
+
keep_by_nms = batched_nms(
|
215 |
+
data["boxes"].float(),
|
216 |
+
scores,
|
217 |
+
torch.zeros_like(data["boxes"][:, 0]), # categories
|
218 |
+
iou_threshold=self.crop_nms_thresh,
|
219 |
+
)
|
220 |
+
data.filter(keep_by_nms)
|
221 |
+
|
222 |
+
data.to_numpy()
|
223 |
+
return data
|
224 |
+
|
225 |
+
def _process_crop(
|
226 |
+
self,
|
227 |
+
image: np.ndarray,
|
228 |
+
crop_box: List[int],
|
229 |
+
crop_layer_idx: int,
|
230 |
+
orig_size: Tuple[int, ...],
|
231 |
+
) -> MaskData:
|
232 |
+
# Crop the image and calculate embeddings
|
233 |
+
x0, y0, x1, y1 = crop_box
|
234 |
+
cropped_im = image[y0:y1, x0:x1, :]
|
235 |
+
cropped_im_size = cropped_im.shape[:2]
|
236 |
+
self.predictor.set_image(cropped_im)
|
237 |
+
|
238 |
+
# Get points for this crop
|
239 |
+
points_scale = np.array(cropped_im_size)[None, ::-1]
|
240 |
+
points_for_image = self.point_grids[crop_layer_idx] * points_scale
|
241 |
+
|
242 |
+
# Generate masks for this crop in batches
|
243 |
+
data = MaskData()
|
244 |
+
for (points,) in batch_iterator(self.points_per_batch, points_for_image):
|
245 |
+
batch_data = self._process_batch(points, cropped_im_size, crop_box, orig_size)
|
246 |
+
data.cat(batch_data)
|
247 |
+
del batch_data
|
248 |
+
self.predictor.reset_image()
|
249 |
+
|
250 |
+
# Remove duplicates within this crop.
|
251 |
+
keep_by_nms = batched_nms(
|
252 |
+
data["boxes"].float(),
|
253 |
+
data["iou_preds"],
|
254 |
+
torch.zeros_like(data["boxes"][:, 0]), # categories
|
255 |
+
iou_threshold=self.box_nms_thresh,
|
256 |
+
)
|
257 |
+
data.filter(keep_by_nms)
|
258 |
+
|
259 |
+
# Return to the original image frame
|
260 |
+
data["boxes"] = uncrop_boxes_xyxy(data["boxes"], crop_box)
|
261 |
+
data["points"] = uncrop_points(data["points"], crop_box)
|
262 |
+
data["crop_boxes"] = torch.tensor([crop_box for _ in range(len(data["rles"]))])
|
263 |
+
|
264 |
+
return data
|
265 |
+
|
266 |
+
def _process_batch(
|
267 |
+
self,
|
268 |
+
points: np.ndarray,
|
269 |
+
im_size: Tuple[int, ...],
|
270 |
+
crop_box: List[int],
|
271 |
+
orig_size: Tuple[int, ...],
|
272 |
+
) -> MaskData:
|
273 |
+
orig_h, orig_w = orig_size
|
274 |
+
|
275 |
+
# Run model on this batch
|
276 |
+
transformed_points = self.predictor.transform.apply_coords(points, im_size)
|
277 |
+
in_points = torch.as_tensor(transformed_points, device=self.predictor.device)
|
278 |
+
in_labels = torch.ones(in_points.shape[0], dtype=torch.int, device=in_points.device)
|
279 |
+
masks, iou_preds, _ = self.predictor.predict_torch(
|
280 |
+
in_points[:, None, :],
|
281 |
+
in_labels[:, None],
|
282 |
+
num_multimask_outputs=3,
|
283 |
+
return_logits=True,
|
284 |
+
)
|
285 |
+
|
286 |
+
# Serialize predictions and store in MaskData
|
287 |
+
data = MaskData(
|
288 |
+
masks=masks.flatten(0, 1),
|
289 |
+
iou_preds=iou_preds.flatten(0, 1),
|
290 |
+
points=torch.as_tensor(points.repeat(masks.shape[1], axis=0)),
|
291 |
+
)
|
292 |
+
del masks
|
293 |
+
|
294 |
+
# Filter by predicted IoU
|
295 |
+
if self.pred_iou_thresh > 0.0:
|
296 |
+
keep_mask = data["iou_preds"] > self.pred_iou_thresh
|
297 |
+
data.filter(keep_mask)
|
298 |
+
|
299 |
+
# Calculate stability score
|
300 |
+
data["stability_score"] = calculate_stability_score(
|
301 |
+
data["masks"], self.predictor.model.mask_threshold, self.stability_score_offset
|
302 |
+
)
|
303 |
+
if self.stability_score_thresh > 0.0:
|
304 |
+
keep_mask = data["stability_score"] >= self.stability_score_thresh
|
305 |
+
data.filter(keep_mask)
|
306 |
+
|
307 |
+
# Threshold masks and calculate boxes
|
308 |
+
data["masks"] = data["masks"] > self.predictor.model.mask_threshold
|
309 |
+
data["boxes"] = batched_mask_to_box(data["masks"])
|
310 |
+
|
311 |
+
# Filter boxes that touch crop boundaries
|
312 |
+
keep_mask = ~is_box_near_crop_edge(data["boxes"], crop_box, [0, 0, orig_w, orig_h])
|
313 |
+
if not torch.all(keep_mask):
|
314 |
+
data.filter(keep_mask)
|
315 |
+
|
316 |
+
# Compress to RLE
|
317 |
+
data["masks"] = uncrop_masks(data["masks"], crop_box, orig_h, orig_w)
|
318 |
+
data["rles"] = mask_to_rle_pytorch(data["masks"])
|
319 |
+
del data["masks"]
|
320 |
+
|
321 |
+
return data
|
322 |
+
|
323 |
+
@staticmethod
|
324 |
+
def postprocess_small_regions(
|
325 |
+
mask_data: MaskData, min_area: int, nms_thresh: float
|
326 |
+
) -> MaskData:
|
327 |
+
"""
|
328 |
+
Removes small disconnected regions and holes in masks, then reruns
|
329 |
+
box NMS to remove any new duplicates.
|
330 |
+
|
331 |
+
Edits mask_data in place.
|
332 |
+
|
333 |
+
Requires open-cv as a dependency.
|
334 |
+
"""
|
335 |
+
if len(mask_data["rles"]) == 0:
|
336 |
+
return mask_data
|
337 |
+
|
338 |
+
# Filter small disconnected regions and holes
|
339 |
+
new_masks = []
|
340 |
+
scores = []
|
341 |
+
for rle in mask_data["rles"]:
|
342 |
+
mask = rle_to_mask(rle)
|
343 |
+
|
344 |
+
mask, changed = remove_small_regions(mask, min_area, mode="holes")
|
345 |
+
unchanged = not changed
|
346 |
+
mask, changed = remove_small_regions(mask, min_area, mode="islands")
|
347 |
+
unchanged = unchanged and not changed
|
348 |
+
|
349 |
+
new_masks.append(torch.as_tensor(mask).unsqueeze(0))
|
350 |
+
# Give score=0 to changed masks and score=1 to unchanged masks
|
351 |
+
# so NMS will prefer ones that didn't need postprocessing
|
352 |
+
scores.append(float(unchanged))
|
353 |
+
|
354 |
+
# Recalculate boxes and remove any new duplicates
|
355 |
+
masks = torch.cat(new_masks, dim=0)
|
356 |
+
boxes = batched_mask_to_box(masks)
|
357 |
+
keep_by_nms = batched_nms(
|
358 |
+
boxes.float(),
|
359 |
+
torch.as_tensor(scores),
|
360 |
+
torch.zeros_like(boxes[:, 0]), # categories
|
361 |
+
iou_threshold=nms_thresh,
|
362 |
+
)
|
363 |
+
|
364 |
+
# Only recalculate RLEs for masks that have changed
|
365 |
+
for i_mask in keep_by_nms:
|
366 |
+
if scores[i_mask] == 0.0:
|
367 |
+
mask_torch = masks[i_mask].unsqueeze(0)
|
368 |
+
mask_data["rles"][i_mask] = mask_to_rle_pytorch(mask_torch)[0]
|
369 |
+
mask_data["boxes"][i_mask] = boxes[i_mask] # update res directly
|
370 |
+
mask_data.filter(keep_by_nms)
|
371 |
+
|
372 |
+
return mask_data
|
segment_anything/build_sam.py
ADDED
@@ -0,0 +1,124 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
|
9 |
+
from functools import partial
|
10 |
+
|
11 |
+
from .modeling import ImageEncoderViT, MaskDecoder, PromptEncoder, Sam, TwoWayTransformer, RepViT
|
12 |
+
|
13 |
+
|
14 |
+
prompt_embed_dim = 256
|
15 |
+
image_size = 1024
|
16 |
+
vit_patch_size = 16
|
17 |
+
image_embedding_size = image_size // vit_patch_size
|
18 |
+
|
19 |
+
|
20 |
+
def build_sam_vit_h(checkpoint=None):
|
21 |
+
image_encoder = _build_sam_encoder(
|
22 |
+
encoder_embed_dim=1280,
|
23 |
+
encoder_depth=32,
|
24 |
+
encoder_num_heads=16,
|
25 |
+
encoder_global_attn_indexes=[7, 15, 23, 31]
|
26 |
+
)
|
27 |
+
return _build_sam(image_encoder, checkpoint)
|
28 |
+
|
29 |
+
|
30 |
+
def build_sam_vit_l(checkpoint=None):
|
31 |
+
image_encoder = _build_sam_encoder(
|
32 |
+
encoder_embed_dim=1024,
|
33 |
+
encoder_depth=24,
|
34 |
+
encoder_num_heads=16,
|
35 |
+
encoder_global_attn_indexes=[5, 11, 17, 23]
|
36 |
+
)
|
37 |
+
return _build_sam(image_encoder, checkpoint)
|
38 |
+
|
39 |
+
|
40 |
+
def build_sam_vit_b(checkpoint=None):
|
41 |
+
image_encoder = _build_sam_encoder(
|
42 |
+
encoder_embed_dim=768,
|
43 |
+
encoder_depth=12,
|
44 |
+
encoder_num_heads=12,
|
45 |
+
encoder_global_attn_indexes=[2, 5, 8, 11]
|
46 |
+
)
|
47 |
+
return _build_sam(image_encoder, checkpoint)
|
48 |
+
|
49 |
+
|
50 |
+
def build_edge_sam(checkpoint=None, upsample_mode="bicubic"):
|
51 |
+
image_encoder = RepViT(
|
52 |
+
arch="m1",
|
53 |
+
img_size=image_size,
|
54 |
+
upsample_mode=upsample_mode
|
55 |
+
)
|
56 |
+
return _build_sam(image_encoder, checkpoint)
|
57 |
+
|
58 |
+
|
59 |
+
sam_model_registry = {
|
60 |
+
"default": build_edge_sam,
|
61 |
+
"vit_h": build_sam_vit_h,
|
62 |
+
"vit_l": build_sam_vit_l,
|
63 |
+
"vit_b": build_sam_vit_b,
|
64 |
+
"edge_sam": build_edge_sam,
|
65 |
+
}
|
66 |
+
build_sam = build_edge_sam
|
67 |
+
|
68 |
+
|
69 |
+
def _build_sam_encoder(
|
70 |
+
encoder_embed_dim,
|
71 |
+
encoder_depth,
|
72 |
+
encoder_num_heads,
|
73 |
+
encoder_global_attn_indexes,
|
74 |
+
):
|
75 |
+
image_encoder = ImageEncoderViT(
|
76 |
+
depth=encoder_depth,
|
77 |
+
embed_dim=encoder_embed_dim,
|
78 |
+
img_size=image_size,
|
79 |
+
mlp_ratio=4,
|
80 |
+
norm_layer=partial(torch.nn.LayerNorm, eps=1e-6),
|
81 |
+
num_heads=encoder_num_heads,
|
82 |
+
patch_size=vit_patch_size,
|
83 |
+
qkv_bias=True,
|
84 |
+
use_rel_pos=True,
|
85 |
+
global_attn_indexes=encoder_global_attn_indexes,
|
86 |
+
window_size=14,
|
87 |
+
out_chans=prompt_embed_dim,
|
88 |
+
)
|
89 |
+
return image_encoder
|
90 |
+
|
91 |
+
|
92 |
+
def _build_sam(
|
93 |
+
image_encoder,
|
94 |
+
checkpoint=None,
|
95 |
+
):
|
96 |
+
sam = Sam(
|
97 |
+
image_encoder=image_encoder,
|
98 |
+
prompt_encoder=PromptEncoder(
|
99 |
+
embed_dim=prompt_embed_dim,
|
100 |
+
image_embedding_size=(image_embedding_size, image_embedding_size),
|
101 |
+
input_image_size=(image_size, image_size),
|
102 |
+
mask_in_chans=16,
|
103 |
+
),
|
104 |
+
mask_decoder=MaskDecoder(
|
105 |
+
num_multimask_outputs=3,
|
106 |
+
transformer=TwoWayTransformer(
|
107 |
+
depth=2,
|
108 |
+
embedding_dim=prompt_embed_dim,
|
109 |
+
mlp_dim=2048,
|
110 |
+
num_heads=8,
|
111 |
+
),
|
112 |
+
transformer_dim=prompt_embed_dim,
|
113 |
+
iou_head_depth=3,
|
114 |
+
iou_head_hidden_dim=256,
|
115 |
+
),
|
116 |
+
pixel_mean=[123.675, 116.28, 103.53],
|
117 |
+
pixel_std=[58.395, 57.12, 57.375],
|
118 |
+
)
|
119 |
+
sam.eval()
|
120 |
+
if checkpoint is not None:
|
121 |
+
with open(checkpoint, "rb") as f:
|
122 |
+
state_dict = torch.load(f, map_location="cpu")
|
123 |
+
sam.load_state_dict(state_dict)
|
124 |
+
return sam
|
segment_anything/modeling/__init__.py
ADDED
@@ -0,0 +1,12 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
from .sam import Sam
|
8 |
+
from .image_encoder import ImageEncoderViT
|
9 |
+
from .mask_decoder import MaskDecoder
|
10 |
+
from .prompt_encoder import PromptEncoder
|
11 |
+
from .transformer import TwoWayTransformer
|
12 |
+
from .rep_vit import *
|
segment_anything/modeling/common.py
ADDED
@@ -0,0 +1,118 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
import torch.nn as nn
|
9 |
+
import torch.nn.functional as F
|
10 |
+
|
11 |
+
from typing import Type
|
12 |
+
|
13 |
+
|
14 |
+
class MLPBlock(nn.Module):
|
15 |
+
def __init__(
|
16 |
+
self,
|
17 |
+
embedding_dim: int,
|
18 |
+
mlp_dim: int,
|
19 |
+
act: Type[nn.Module] = nn.GELU,
|
20 |
+
) -> None:
|
21 |
+
super().__init__()
|
22 |
+
self.lin1 = nn.Linear(embedding_dim, mlp_dim)
|
23 |
+
self.lin2 = nn.Linear(mlp_dim, embedding_dim)
|
24 |
+
self.act = act()
|
25 |
+
|
26 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
27 |
+
return self.lin2(self.act(self.lin1(x)))
|
28 |
+
|
29 |
+
|
30 |
+
# From https://github.com/facebookresearch/detectron2/blob/main/detectron2/layers/batch_norm.py # noqa
|
31 |
+
# Itself from https://github.com/facebookresearch/ConvNeXt/blob/d1fa8f6fef0a165b27399986cc2bdacc92777e40/models/convnext.py#L119 # noqa
|
32 |
+
class LayerNorm2d(nn.Module):
|
33 |
+
def __init__(self, num_channels: int, eps: float = 1e-6) -> None:
|
34 |
+
super().__init__()
|
35 |
+
self.weight = nn.Parameter(torch.ones(num_channels))
|
36 |
+
self.bias = nn.Parameter(torch.zeros(num_channels))
|
37 |
+
self.eps = eps
|
38 |
+
|
39 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
40 |
+
u = x.mean(1, keepdim=True)
|
41 |
+
s = (x - u).pow(2).mean(1, keepdim=True)
|
42 |
+
x = (x - u) / torch.sqrt(s + self.eps)
|
43 |
+
x = self.weight[:, None, None] * x + self.bias[:, None, None]
|
44 |
+
return x
|
45 |
+
|
46 |
+
|
47 |
+
def val2list(x: list or tuple or any, repeat_time=1) -> list:
|
48 |
+
if isinstance(x, (list, tuple)):
|
49 |
+
return list(x)
|
50 |
+
return [x for _ in range(repeat_time)]
|
51 |
+
|
52 |
+
|
53 |
+
def val2tuple(x: list or tuple or any, min_len: int = 1, idx_repeat: int = -1) -> tuple:
|
54 |
+
x = val2list(x)
|
55 |
+
|
56 |
+
# repeat elements if necessary
|
57 |
+
if len(x) > 0:
|
58 |
+
x[idx_repeat:idx_repeat] = [x[idx_repeat] for _ in range(min_len - len(x))]
|
59 |
+
|
60 |
+
return tuple(x)
|
61 |
+
|
62 |
+
|
63 |
+
def list_sum(x: list) -> any:
|
64 |
+
return x[0] if len(x) == 1 else x[0] + list_sum(x[1:])
|
65 |
+
|
66 |
+
|
67 |
+
def resize(
|
68 |
+
x: torch.Tensor,
|
69 |
+
size: any or None = None,
|
70 |
+
scale_factor=None,
|
71 |
+
mode: str = "bicubic",
|
72 |
+
align_corners: bool or None = False,
|
73 |
+
) -> torch.Tensor:
|
74 |
+
if mode in ["bilinear", "bicubic"]:
|
75 |
+
return F.interpolate(
|
76 |
+
x,
|
77 |
+
size=size,
|
78 |
+
scale_factor=scale_factor,
|
79 |
+
mode=mode,
|
80 |
+
align_corners=align_corners,
|
81 |
+
)
|
82 |
+
elif mode in ["nearest", "area"]:
|
83 |
+
return F.interpolate(x, size=size, scale_factor=scale_factor, mode=mode)
|
84 |
+
else:
|
85 |
+
raise NotImplementedError(f"resize(mode={mode}) not implemented.")
|
86 |
+
|
87 |
+
|
88 |
+
class UpSampleLayer(nn.Module):
|
89 |
+
def __init__(
|
90 |
+
self,
|
91 |
+
mode="bicubic",
|
92 |
+
size=None,
|
93 |
+
factor=2,
|
94 |
+
align_corners=False,
|
95 |
+
):
|
96 |
+
super(UpSampleLayer, self).__init__()
|
97 |
+
self.mode = mode
|
98 |
+
self.size = val2list(size, 2) if size is not None else None
|
99 |
+
self.factor = None if self.size is not None else factor
|
100 |
+
self.align_corners = align_corners
|
101 |
+
|
102 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
103 |
+
return resize(x, self.size, self.factor, self.mode, self.align_corners)
|
104 |
+
|
105 |
+
|
106 |
+
class OpSequential(nn.Module):
|
107 |
+
def __init__(self, op_list):
|
108 |
+
super(OpSequential, self).__init__()
|
109 |
+
valid_op_list = []
|
110 |
+
for op in op_list:
|
111 |
+
if op is not None:
|
112 |
+
valid_op_list.append(op)
|
113 |
+
self.op_list = nn.ModuleList(valid_op_list)
|
114 |
+
|
115 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
116 |
+
for op in self.op_list:
|
117 |
+
x = op(x)
|
118 |
+
return x
|
segment_anything/modeling/image_encoder.py
ADDED
@@ -0,0 +1,395 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
import torch.nn as nn
|
9 |
+
import torch.nn.functional as F
|
10 |
+
|
11 |
+
from typing import Optional, Tuple, Type
|
12 |
+
|
13 |
+
from .common import LayerNorm2d, MLPBlock
|
14 |
+
|
15 |
+
|
16 |
+
# This class and its supporting functions below lightly adapted from the ViTDet backbone available at: https://github.com/facebookresearch/detectron2/blob/main/detectron2/modeling/backbone/vit.py # noqa
|
17 |
+
class ImageEncoderViT(nn.Module):
|
18 |
+
def __init__(
|
19 |
+
self,
|
20 |
+
img_size: int = 1024,
|
21 |
+
patch_size: int = 16,
|
22 |
+
in_chans: int = 3,
|
23 |
+
embed_dim: int = 768,
|
24 |
+
depth: int = 12,
|
25 |
+
num_heads: int = 12,
|
26 |
+
mlp_ratio: float = 4.0,
|
27 |
+
out_chans: int = 256,
|
28 |
+
qkv_bias: bool = True,
|
29 |
+
norm_layer: Type[nn.Module] = nn.LayerNorm,
|
30 |
+
act_layer: Type[nn.Module] = nn.GELU,
|
31 |
+
use_abs_pos: bool = True,
|
32 |
+
use_rel_pos: bool = False,
|
33 |
+
rel_pos_zero_init: bool = True,
|
34 |
+
window_size: int = 0,
|
35 |
+
global_attn_indexes: Tuple[int, ...] = (),
|
36 |
+
) -> None:
|
37 |
+
"""
|
38 |
+
Args:
|
39 |
+
img_size (int): Input image size.
|
40 |
+
patch_size (int): Patch size.
|
41 |
+
in_chans (int): Number of input image channels.
|
42 |
+
embed_dim (int): Patch embedding dimension.
|
43 |
+
depth (int): Depth of ViT.
|
44 |
+
num_heads (int): Number of attention heads in each ViT block.
|
45 |
+
mlp_ratio (float): Ratio of mlp hidden dim to embedding dim.
|
46 |
+
qkv_bias (bool): If True, add a learnable bias to query, key, value.
|
47 |
+
norm_layer (nn.Module): Normalization layer.
|
48 |
+
act_layer (nn.Module): Activation layer.
|
49 |
+
use_abs_pos (bool): If True, use absolute positional embeddings.
|
50 |
+
use_rel_pos (bool): If True, add relative positional embeddings to the attention map.
|
51 |
+
rel_pos_zero_init (bool): If True, zero initialize relative positional parameters.
|
52 |
+
window_size (int): Window size for window attention blocks.
|
53 |
+
global_attn_indexes (list): Indexes for blocks using global attention.
|
54 |
+
"""
|
55 |
+
super().__init__()
|
56 |
+
self.img_size = img_size
|
57 |
+
|
58 |
+
self.patch_embed = PatchEmbed(
|
59 |
+
kernel_size=(patch_size, patch_size),
|
60 |
+
stride=(patch_size, patch_size),
|
61 |
+
in_chans=in_chans,
|
62 |
+
embed_dim=embed_dim,
|
63 |
+
)
|
64 |
+
|
65 |
+
self.pos_embed: Optional[nn.Parameter] = None
|
66 |
+
if use_abs_pos:
|
67 |
+
# Initialize absolute positional embedding with pretrain image size.
|
68 |
+
self.pos_embed = nn.Parameter(
|
69 |
+
torch.zeros(1, img_size // patch_size, img_size // patch_size, embed_dim)
|
70 |
+
)
|
71 |
+
|
72 |
+
self.blocks = nn.ModuleList()
|
73 |
+
for i in range(depth):
|
74 |
+
block = Block(
|
75 |
+
dim=embed_dim,
|
76 |
+
num_heads=num_heads,
|
77 |
+
mlp_ratio=mlp_ratio,
|
78 |
+
qkv_bias=qkv_bias,
|
79 |
+
norm_layer=norm_layer,
|
80 |
+
act_layer=act_layer,
|
81 |
+
use_rel_pos=use_rel_pos,
|
82 |
+
rel_pos_zero_init=rel_pos_zero_init,
|
83 |
+
window_size=window_size if i not in global_attn_indexes else 0,
|
84 |
+
input_size=(img_size // patch_size, img_size // patch_size),
|
85 |
+
)
|
86 |
+
self.blocks.append(block)
|
87 |
+
|
88 |
+
self.neck = nn.Sequential(
|
89 |
+
nn.Conv2d(
|
90 |
+
embed_dim,
|
91 |
+
out_chans,
|
92 |
+
kernel_size=1,
|
93 |
+
bias=False,
|
94 |
+
),
|
95 |
+
LayerNorm2d(out_chans),
|
96 |
+
nn.Conv2d(
|
97 |
+
out_chans,
|
98 |
+
out_chans,
|
99 |
+
kernel_size=3,
|
100 |
+
padding=1,
|
101 |
+
bias=False,
|
102 |
+
),
|
103 |
+
LayerNorm2d(out_chans),
|
104 |
+
)
|
105 |
+
|
106 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
107 |
+
x = self.patch_embed(x)
|
108 |
+
if self.pos_embed is not None:
|
109 |
+
x = x + self.pos_embed
|
110 |
+
|
111 |
+
for blk in self.blocks:
|
112 |
+
x = blk(x)
|
113 |
+
|
114 |
+
x = self.neck(x.permute(0, 3, 1, 2))
|
115 |
+
|
116 |
+
return x
|
117 |
+
|
118 |
+
|
119 |
+
class Block(nn.Module):
|
120 |
+
"""Transformer blocks with support of window attention and residual propagation blocks"""
|
121 |
+
|
122 |
+
def __init__(
|
123 |
+
self,
|
124 |
+
dim: int,
|
125 |
+
num_heads: int,
|
126 |
+
mlp_ratio: float = 4.0,
|
127 |
+
qkv_bias: bool = True,
|
128 |
+
norm_layer: Type[nn.Module] = nn.LayerNorm,
|
129 |
+
act_layer: Type[nn.Module] = nn.GELU,
|
130 |
+
use_rel_pos: bool = False,
|
131 |
+
rel_pos_zero_init: bool = True,
|
132 |
+
window_size: int = 0,
|
133 |
+
input_size: Optional[Tuple[int, int]] = None,
|
134 |
+
) -> None:
|
135 |
+
"""
|
136 |
+
Args:
|
137 |
+
dim (int): Number of input channels.
|
138 |
+
num_heads (int): Number of attention heads in each ViT block.
|
139 |
+
mlp_ratio (float): Ratio of mlp hidden dim to embedding dim.
|
140 |
+
qkv_bias (bool): If True, add a learnable bias to query, key, value.
|
141 |
+
norm_layer (nn.Module): Normalization layer.
|
142 |
+
act_layer (nn.Module): Activation layer.
|
143 |
+
use_rel_pos (bool): If True, add relative positional embeddings to the attention map.
|
144 |
+
rel_pos_zero_init (bool): If True, zero initialize relative positional parameters.
|
145 |
+
window_size (int): Window size for window attention blocks. If it equals 0, then
|
146 |
+
use global attention.
|
147 |
+
input_size (tuple(int, int) or None): Input resolution for calculating the relative
|
148 |
+
positional parameter size.
|
149 |
+
"""
|
150 |
+
super().__init__()
|
151 |
+
self.norm1 = norm_layer(dim)
|
152 |
+
self.attn = Attention(
|
153 |
+
dim,
|
154 |
+
num_heads=num_heads,
|
155 |
+
qkv_bias=qkv_bias,
|
156 |
+
use_rel_pos=use_rel_pos,
|
157 |
+
rel_pos_zero_init=rel_pos_zero_init,
|
158 |
+
input_size=input_size if window_size == 0 else (window_size, window_size),
|
159 |
+
)
|
160 |
+
|
161 |
+
self.norm2 = norm_layer(dim)
|
162 |
+
self.mlp = MLPBlock(embedding_dim=dim, mlp_dim=int(dim * mlp_ratio), act=act_layer)
|
163 |
+
|
164 |
+
self.window_size = window_size
|
165 |
+
|
166 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
167 |
+
shortcut = x
|
168 |
+
x = self.norm1(x)
|
169 |
+
# Window partition
|
170 |
+
if self.window_size > 0:
|
171 |
+
H, W = x.shape[1], x.shape[2]
|
172 |
+
x, pad_hw = window_partition(x, self.window_size)
|
173 |
+
|
174 |
+
x = self.attn(x)
|
175 |
+
# Reverse window partition
|
176 |
+
if self.window_size > 0:
|
177 |
+
x = window_unpartition(x, self.window_size, pad_hw, (H, W))
|
178 |
+
|
179 |
+
x = shortcut + x
|
180 |
+
x = x + self.mlp(self.norm2(x))
|
181 |
+
|
182 |
+
return x
|
183 |
+
|
184 |
+
|
185 |
+
class Attention(nn.Module):
|
186 |
+
"""Multi-head Attention block with relative position embeddings."""
|
187 |
+
|
188 |
+
def __init__(
|
189 |
+
self,
|
190 |
+
dim: int,
|
191 |
+
num_heads: int = 8,
|
192 |
+
qkv_bias: bool = True,
|
193 |
+
use_rel_pos: bool = False,
|
194 |
+
rel_pos_zero_init: bool = True,
|
195 |
+
input_size: Optional[Tuple[int, int]] = None,
|
196 |
+
) -> None:
|
197 |
+
"""
|
198 |
+
Args:
|
199 |
+
dim (int): Number of input channels.
|
200 |
+
num_heads (int): Number of attention heads.
|
201 |
+
qkv_bias (bool): If True, add a learnable bias to query, key, value.
|
202 |
+
rel_pos (bool): If True, add relative positional embeddings to the attention map.
|
203 |
+
rel_pos_zero_init (bool): If True, zero initialize relative positional parameters.
|
204 |
+
input_size (tuple(int, int) or None): Input resolution for calculating the relative
|
205 |
+
positional parameter size.
|
206 |
+
"""
|
207 |
+
super().__init__()
|
208 |
+
self.num_heads = num_heads
|
209 |
+
head_dim = dim // num_heads
|
210 |
+
self.scale = head_dim**-0.5
|
211 |
+
|
212 |
+
self.qkv = nn.Linear(dim, dim * 3, bias=qkv_bias)
|
213 |
+
self.proj = nn.Linear(dim, dim)
|
214 |
+
|
215 |
+
self.use_rel_pos = use_rel_pos
|
216 |
+
if self.use_rel_pos:
|
217 |
+
assert (
|
218 |
+
input_size is not None
|
219 |
+
), "Input size must be provided if using relative positional encoding."
|
220 |
+
# initialize relative positional embeddings
|
221 |
+
self.rel_pos_h = nn.Parameter(torch.zeros(2 * input_size[0] - 1, head_dim))
|
222 |
+
self.rel_pos_w = nn.Parameter(torch.zeros(2 * input_size[1] - 1, head_dim))
|
223 |
+
|
224 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
225 |
+
B, H, W, _ = x.shape
|
226 |
+
# qkv with shape (3, B, nHead, H * W, C)
|
227 |
+
qkv = self.qkv(x).reshape(B, H * W, 3, self.num_heads, -1).permute(2, 0, 3, 1, 4)
|
228 |
+
# q, k, v with shape (B * nHead, H * W, C)
|
229 |
+
q, k, v = qkv.reshape(3, B * self.num_heads, H * W, -1).unbind(0)
|
230 |
+
|
231 |
+
attn = (q * self.scale) @ k.transpose(-2, -1)
|
232 |
+
|
233 |
+
if self.use_rel_pos:
|
234 |
+
attn = add_decomposed_rel_pos(attn, q, self.rel_pos_h, self.rel_pos_w, (H, W), (H, W))
|
235 |
+
|
236 |
+
attn = attn.softmax(dim=-1)
|
237 |
+
x = (attn @ v).view(B, self.num_heads, H, W, -1).permute(0, 2, 3, 1, 4).reshape(B, H, W, -1)
|
238 |
+
x = self.proj(x)
|
239 |
+
|
240 |
+
return x
|
241 |
+
|
242 |
+
|
243 |
+
def window_partition(x: torch.Tensor, window_size: int) -> Tuple[torch.Tensor, Tuple[int, int]]:
|
244 |
+
"""
|
245 |
+
Partition into non-overlapping windows with padding if needed.
|
246 |
+
Args:
|
247 |
+
x (tensor): input tokens with [B, H, W, C].
|
248 |
+
window_size (int): window size.
|
249 |
+
|
250 |
+
Returns:
|
251 |
+
windows: windows after partition with [B * num_windows, window_size, window_size, C].
|
252 |
+
(Hp, Wp): padded height and width before partition
|
253 |
+
"""
|
254 |
+
B, H, W, C = x.shape
|
255 |
+
|
256 |
+
pad_h = (window_size - H % window_size) % window_size
|
257 |
+
pad_w = (window_size - W % window_size) % window_size
|
258 |
+
if pad_h > 0 or pad_w > 0:
|
259 |
+
x = F.pad(x, (0, 0, 0, pad_w, 0, pad_h))
|
260 |
+
Hp, Wp = H + pad_h, W + pad_w
|
261 |
+
|
262 |
+
x = x.view(B, Hp // window_size, window_size, Wp // window_size, window_size, C)
|
263 |
+
windows = x.permute(0, 1, 3, 2, 4, 5).contiguous().view(-1, window_size, window_size, C)
|
264 |
+
return windows, (Hp, Wp)
|
265 |
+
|
266 |
+
|
267 |
+
def window_unpartition(
|
268 |
+
windows: torch.Tensor, window_size: int, pad_hw: Tuple[int, int], hw: Tuple[int, int]
|
269 |
+
) -> torch.Tensor:
|
270 |
+
"""
|
271 |
+
Window unpartition into original sequences and removing padding.
|
272 |
+
Args:
|
273 |
+
windows (tensor): input tokens with [B * num_windows, window_size, window_size, C].
|
274 |
+
window_size (int): window size.
|
275 |
+
pad_hw (Tuple): padded height and width (Hp, Wp).
|
276 |
+
hw (Tuple): original height and width (H, W) before padding.
|
277 |
+
|
278 |
+
Returns:
|
279 |
+
x: unpartitioned sequences with [B, H, W, C].
|
280 |
+
"""
|
281 |
+
Hp, Wp = pad_hw
|
282 |
+
H, W = hw
|
283 |
+
B = windows.shape[0] // (Hp * Wp // window_size // window_size)
|
284 |
+
x = windows.view(B, Hp // window_size, Wp // window_size, window_size, window_size, -1)
|
285 |
+
x = x.permute(0, 1, 3, 2, 4, 5).contiguous().view(B, Hp, Wp, -1)
|
286 |
+
|
287 |
+
if Hp > H or Wp > W:
|
288 |
+
x = x[:, :H, :W, :].contiguous()
|
289 |
+
return x
|
290 |
+
|
291 |
+
|
292 |
+
def get_rel_pos(q_size: int, k_size: int, rel_pos: torch.Tensor) -> torch.Tensor:
|
293 |
+
"""
|
294 |
+
Get relative positional embeddings according to the relative positions of
|
295 |
+
query and key sizes.
|
296 |
+
Args:
|
297 |
+
q_size (int): size of query q.
|
298 |
+
k_size (int): size of key k.
|
299 |
+
rel_pos (Tensor): relative position embeddings (L, C).
|
300 |
+
|
301 |
+
Returns:
|
302 |
+
Extracted positional embeddings according to relative positions.
|
303 |
+
"""
|
304 |
+
max_rel_dist = int(2 * max(q_size, k_size) - 1)
|
305 |
+
# Interpolate rel pos if needed.
|
306 |
+
if rel_pos.shape[0] != max_rel_dist:
|
307 |
+
# Interpolate rel pos.
|
308 |
+
rel_pos_resized = F.interpolate(
|
309 |
+
rel_pos.reshape(1, rel_pos.shape[0], -1).permute(0, 2, 1),
|
310 |
+
size=max_rel_dist,
|
311 |
+
mode="linear",
|
312 |
+
)
|
313 |
+
rel_pos_resized = rel_pos_resized.reshape(-1, max_rel_dist).permute(1, 0)
|
314 |
+
else:
|
315 |
+
rel_pos_resized = rel_pos
|
316 |
+
|
317 |
+
# Scale the coords with short length if shapes for q and k are different.
|
318 |
+
q_coords = torch.arange(q_size)[:, None] * max(k_size / q_size, 1.0)
|
319 |
+
k_coords = torch.arange(k_size)[None, :] * max(q_size / k_size, 1.0)
|
320 |
+
relative_coords = (q_coords - k_coords) + (k_size - 1) * max(q_size / k_size, 1.0)
|
321 |
+
|
322 |
+
return rel_pos_resized[relative_coords.long()]
|
323 |
+
|
324 |
+
|
325 |
+
def add_decomposed_rel_pos(
|
326 |
+
attn: torch.Tensor,
|
327 |
+
q: torch.Tensor,
|
328 |
+
rel_pos_h: torch.Tensor,
|
329 |
+
rel_pos_w: torch.Tensor,
|
330 |
+
q_size: Tuple[int, int],
|
331 |
+
k_size: Tuple[int, int],
|
332 |
+
) -> torch.Tensor:
|
333 |
+
"""
|
334 |
+
Calculate decomposed Relative Positional Embeddings from :paper:`mvitv2`.
|
335 |
+
https://github.com/facebookresearch/mvit/blob/19786631e330df9f3622e5402b4a419a263a2c80/mvit/models/attention.py # noqa B950
|
336 |
+
Args:
|
337 |
+
attn (Tensor): attention map.
|
338 |
+
q (Tensor): query q in the attention layer with shape (B, q_h * q_w, C).
|
339 |
+
rel_pos_h (Tensor): relative position embeddings (Lh, C) for height axis.
|
340 |
+
rel_pos_w (Tensor): relative position embeddings (Lw, C) for width axis.
|
341 |
+
q_size (Tuple): spatial sequence size of query q with (q_h, q_w).
|
342 |
+
k_size (Tuple): spatial sequence size of key k with (k_h, k_w).
|
343 |
+
|
344 |
+
Returns:
|
345 |
+
attn (Tensor): attention map with added relative positional embeddings.
|
346 |
+
"""
|
347 |
+
q_h, q_w = q_size
|
348 |
+
k_h, k_w = k_size
|
349 |
+
Rh = get_rel_pos(q_h, k_h, rel_pos_h)
|
350 |
+
Rw = get_rel_pos(q_w, k_w, rel_pos_w)
|
351 |
+
|
352 |
+
B, _, dim = q.shape
|
353 |
+
r_q = q.reshape(B, q_h, q_w, dim)
|
354 |
+
rel_h = torch.einsum("bhwc,hkc->bhwk", r_q, Rh)
|
355 |
+
rel_w = torch.einsum("bhwc,wkc->bhwk", r_q, Rw)
|
356 |
+
|
357 |
+
attn = (
|
358 |
+
attn.view(B, q_h, q_w, k_h, k_w) + rel_h[:, :, :, :, None] + rel_w[:, :, :, None, :]
|
359 |
+
).view(B, q_h * q_w, k_h * k_w)
|
360 |
+
|
361 |
+
return attn
|
362 |
+
|
363 |
+
|
364 |
+
class PatchEmbed(nn.Module):
|
365 |
+
"""
|
366 |
+
Image to Patch Embedding.
|
367 |
+
"""
|
368 |
+
|
369 |
+
def __init__(
|
370 |
+
self,
|
371 |
+
kernel_size: Tuple[int, int] = (16, 16),
|
372 |
+
stride: Tuple[int, int] = (16, 16),
|
373 |
+
padding: Tuple[int, int] = (0, 0),
|
374 |
+
in_chans: int = 3,
|
375 |
+
embed_dim: int = 768,
|
376 |
+
) -> None:
|
377 |
+
"""
|
378 |
+
Args:
|
379 |
+
kernel_size (Tuple): kernel size of the projection layer.
|
380 |
+
stride (Tuple): stride of the projection layer.
|
381 |
+
padding (Tuple): padding size of the projection layer.
|
382 |
+
in_chans (int): Number of input image channels.
|
383 |
+
embed_dim (int): Patch embedding dimension.
|
384 |
+
"""
|
385 |
+
super().__init__()
|
386 |
+
|
387 |
+
self.proj = nn.Conv2d(
|
388 |
+
in_chans, embed_dim, kernel_size=kernel_size, stride=stride, padding=padding
|
389 |
+
)
|
390 |
+
|
391 |
+
def forward(self, x: torch.Tensor) -> torch.Tensor:
|
392 |
+
x = self.proj(x)
|
393 |
+
# B C H W -> B H W C
|
394 |
+
x = x.permute(0, 2, 3, 1)
|
395 |
+
return x
|
segment_anything/modeling/mask_decoder.py
ADDED
@@ -0,0 +1,181 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
from torch import nn
|
9 |
+
from torch.nn import functional as F
|
10 |
+
|
11 |
+
from typing import List, Tuple, Type
|
12 |
+
|
13 |
+
from .common import LayerNorm2d
|
14 |
+
|
15 |
+
|
16 |
+
class MaskDecoder(nn.Module):
|
17 |
+
def __init__(
|
18 |
+
self,
|
19 |
+
*,
|
20 |
+
transformer_dim: int,
|
21 |
+
transformer: nn.Module,
|
22 |
+
num_multimask_outputs: int = 3,
|
23 |
+
activation: Type[nn.Module] = nn.GELU,
|
24 |
+
iou_head_depth: int = 3,
|
25 |
+
iou_head_hidden_dim: int = 256,
|
26 |
+
) -> None:
|
27 |
+
"""
|
28 |
+
Predicts masks given an image and prompt embeddings, using a
|
29 |
+
transformer architecture.
|
30 |
+
|
31 |
+
Arguments:
|
32 |
+
transformer_dim (int): the channel dimension of the transformer
|
33 |
+
transformer (nn.Module): the transformer used to predict masks
|
34 |
+
num_multimask_outputs (int): the number of masks to predict
|
35 |
+
when disambiguating masks
|
36 |
+
activation (nn.Module): the type of activation to use when
|
37 |
+
upscaling masks
|
38 |
+
iou_head_depth (int): the depth of the MLP used to predict
|
39 |
+
mask quality
|
40 |
+
iou_head_hidden_dim (int): the hidden dimension of the MLP
|
41 |
+
used to predict mask quality
|
42 |
+
"""
|
43 |
+
super().__init__()
|
44 |
+
self.transformer_dim = transformer_dim
|
45 |
+
self.transformer = transformer
|
46 |
+
|
47 |
+
self.num_multimask_outputs = num_multimask_outputs
|
48 |
+
|
49 |
+
self.iou_token = nn.Embedding(1, transformer_dim)
|
50 |
+
self.num_mask_tokens = num_multimask_outputs + 1
|
51 |
+
self.mask_tokens = nn.Embedding(self.num_mask_tokens, transformer_dim)
|
52 |
+
|
53 |
+
self.output_upscaling = nn.Sequential(
|
54 |
+
nn.ConvTranspose2d(transformer_dim, transformer_dim // 4, kernel_size=2, stride=2),
|
55 |
+
LayerNorm2d(transformer_dim // 4),
|
56 |
+
activation(),
|
57 |
+
nn.ConvTranspose2d(transformer_dim // 4, transformer_dim // 8, kernel_size=2, stride=2),
|
58 |
+
activation(),
|
59 |
+
)
|
60 |
+
self.output_hypernetworks_mlps = nn.ModuleList(
|
61 |
+
[
|
62 |
+
MLP(transformer_dim, transformer_dim, transformer_dim // 8, 3)
|
63 |
+
for i in range(self.num_mask_tokens)
|
64 |
+
]
|
65 |
+
)
|
66 |
+
|
67 |
+
self.iou_prediction_head = MLP(
|
68 |
+
transformer_dim, iou_head_hidden_dim, self.num_mask_tokens, iou_head_depth
|
69 |
+
)
|
70 |
+
|
71 |
+
def forward(
|
72 |
+
self,
|
73 |
+
image_embeddings: torch.Tensor,
|
74 |
+
image_pe: torch.Tensor,
|
75 |
+
sparse_prompt_embeddings: torch.Tensor,
|
76 |
+
dense_prompt_embeddings: torch.Tensor,
|
77 |
+
num_multimask_outputs: int,
|
78 |
+
) -> Tuple[torch.Tensor, torch.Tensor]:
|
79 |
+
"""
|
80 |
+
Predict masks given image and prompt embeddings.
|
81 |
+
|
82 |
+
Arguments:
|
83 |
+
image_embeddings (torch.Tensor): the embeddings from the image encoder
|
84 |
+
image_pe (torch.Tensor): positional encoding with the shape of image_embeddings
|
85 |
+
sparse_prompt_embeddings (torch.Tensor): the embeddings of the points and boxes
|
86 |
+
dense_prompt_embeddings (torch.Tensor): the embeddings of the mask inputs
|
87 |
+
num_multimask_outputs (int): the number of masks to predict
|
88 |
+
when disambiguating masks
|
89 |
+
|
90 |
+
Returns:
|
91 |
+
torch.Tensor: batched predicted masks
|
92 |
+
torch.Tensor: batched predictions of mask quality
|
93 |
+
"""
|
94 |
+
masks, iou_pred = self.predict_masks(
|
95 |
+
image_embeddings=image_embeddings,
|
96 |
+
image_pe=image_pe,
|
97 |
+
sparse_prompt_embeddings=sparse_prompt_embeddings,
|
98 |
+
dense_prompt_embeddings=dense_prompt_embeddings,
|
99 |
+
)
|
100 |
+
|
101 |
+
# Select the correct mask or masks for output
|
102 |
+
if num_multimask_outputs == 4:
|
103 |
+
mask_slice = slice(0, None)
|
104 |
+
elif num_multimask_outputs == 3:
|
105 |
+
mask_slice = slice(1, None)
|
106 |
+
elif num_multimask_outputs == 1:
|
107 |
+
mask_slice = slice(0, 1)
|
108 |
+
else:
|
109 |
+
raise ValueError
|
110 |
+
|
111 |
+
masks = masks[:, mask_slice, :, :]
|
112 |
+
iou_pred = iou_pred[:, mask_slice]
|
113 |
+
|
114 |
+
# Prepare output
|
115 |
+
return masks, iou_pred
|
116 |
+
|
117 |
+
def predict_masks(
|
118 |
+
self,
|
119 |
+
image_embeddings: torch.Tensor,
|
120 |
+
image_pe: torch.Tensor,
|
121 |
+
sparse_prompt_embeddings: torch.Tensor,
|
122 |
+
dense_prompt_embeddings: torch.Tensor,
|
123 |
+
) -> Tuple[torch.Tensor, torch.Tensor]:
|
124 |
+
"""Predicts masks. See 'forward' for more details."""
|
125 |
+
# Concatenate output tokens
|
126 |
+
output_tokens = torch.cat([self.iou_token.weight, self.mask_tokens.weight], dim=0)
|
127 |
+
output_tokens = output_tokens.unsqueeze(0).expand(sparse_prompt_embeddings.size(0), -1, -1)
|
128 |
+
tokens = torch.cat((output_tokens, sparse_prompt_embeddings), dim=1)
|
129 |
+
|
130 |
+
# Expand per-image data in batch direction to be per-mask
|
131 |
+
src = torch.repeat_interleave(image_embeddings, tokens.shape[0], dim=0)
|
132 |
+
src = src + dense_prompt_embeddings
|
133 |
+
pos_src = torch.repeat_interleave(image_pe, tokens.shape[0], dim=0)
|
134 |
+
b, c, h, w = src.shape
|
135 |
+
|
136 |
+
# Run the transformer
|
137 |
+
hs, src = self.transformer(src, pos_src, tokens)
|
138 |
+
iou_token_out = hs[:, 0, :]
|
139 |
+
mask_tokens_out = hs[:, 1 : (1 + self.num_mask_tokens), :]
|
140 |
+
|
141 |
+
# Upscale mask embeddings and predict masks using the mask tokens
|
142 |
+
src = src.transpose(1, 2).view(b, c, h, w)
|
143 |
+
upscaled_embedding = self.output_upscaling(src)
|
144 |
+
hyper_in_list: List[torch.Tensor] = []
|
145 |
+
for i in range(self.num_mask_tokens):
|
146 |
+
hyper_in_list.append(self.output_hypernetworks_mlps[i](mask_tokens_out[:, i, :]))
|
147 |
+
hyper_in = torch.stack(hyper_in_list, dim=1)
|
148 |
+
b, c, h, w = upscaled_embedding.shape
|
149 |
+
masks = (hyper_in @ upscaled_embedding.view(b, c, h * w)).view(b, -1, h, w)
|
150 |
+
|
151 |
+
# Generate mask quality predictions
|
152 |
+
iou_pred = self.iou_prediction_head(iou_token_out)
|
153 |
+
|
154 |
+
return masks, iou_pred
|
155 |
+
|
156 |
+
|
157 |
+
# Lightly adapted from
|
158 |
+
# https://github.com/facebookresearch/MaskFormer/blob/main/mask_former/modeling/transformer/transformer_predictor.py # noqa
|
159 |
+
class MLP(nn.Module):
|
160 |
+
def __init__(
|
161 |
+
self,
|
162 |
+
input_dim: int,
|
163 |
+
hidden_dim: int,
|
164 |
+
output_dim: int,
|
165 |
+
num_layers: int,
|
166 |
+
sigmoid_output: bool = False,
|
167 |
+
) -> None:
|
168 |
+
super().__init__()
|
169 |
+
self.num_layers = num_layers
|
170 |
+
h = [hidden_dim] * (num_layers - 1)
|
171 |
+
self.layers = nn.ModuleList(
|
172 |
+
nn.Linear(n, k) for n, k in zip([input_dim] + h, h + [output_dim])
|
173 |
+
)
|
174 |
+
self.sigmoid_output = sigmoid_output
|
175 |
+
|
176 |
+
def forward(self, x):
|
177 |
+
for i, layer in enumerate(self.layers):
|
178 |
+
x = F.relu(layer(x)) if i < self.num_layers - 1 else layer(x)
|
179 |
+
if self.sigmoid_output:
|
180 |
+
x = F.sigmoid(x)
|
181 |
+
return x
|
segment_anything/modeling/prompt_encoder.py
ADDED
@@ -0,0 +1,214 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import numpy as np
|
8 |
+
import torch
|
9 |
+
from torch import nn
|
10 |
+
|
11 |
+
from typing import Any, Optional, Tuple, Type
|
12 |
+
|
13 |
+
from .common import LayerNorm2d
|
14 |
+
|
15 |
+
|
16 |
+
class PromptEncoder(nn.Module):
|
17 |
+
def __init__(
|
18 |
+
self,
|
19 |
+
embed_dim: int,
|
20 |
+
image_embedding_size: Tuple[int, int],
|
21 |
+
input_image_size: Tuple[int, int],
|
22 |
+
mask_in_chans: int,
|
23 |
+
activation: Type[nn.Module] = nn.GELU,
|
24 |
+
) -> None:
|
25 |
+
"""
|
26 |
+
Encodes prompts for input to SAM's mask decoder.
|
27 |
+
|
28 |
+
Arguments:
|
29 |
+
embed_dim (int): The prompts' embedding dimension
|
30 |
+
image_embedding_size (tuple(int, int)): The spatial size of the
|
31 |
+
image embedding, as (H, W).
|
32 |
+
input_image_size (int): The padded size of the image as input
|
33 |
+
to the image encoder, as (H, W).
|
34 |
+
mask_in_chans (int): The number of hidden channels used for
|
35 |
+
encoding input masks.
|
36 |
+
activation (nn.Module): The activation to use when encoding
|
37 |
+
input masks.
|
38 |
+
"""
|
39 |
+
super().__init__()
|
40 |
+
self.embed_dim = embed_dim
|
41 |
+
self.input_image_size = input_image_size
|
42 |
+
self.image_embedding_size = image_embedding_size
|
43 |
+
self.pe_layer = PositionEmbeddingRandom(embed_dim // 2)
|
44 |
+
|
45 |
+
self.num_point_embeddings: int = 4 # pos/neg point + 2 box corners
|
46 |
+
point_embeddings = [nn.Embedding(1, embed_dim) for i in range(self.num_point_embeddings)]
|
47 |
+
self.point_embeddings = nn.ModuleList(point_embeddings)
|
48 |
+
self.not_a_point_embed = nn.Embedding(1, embed_dim)
|
49 |
+
|
50 |
+
self.mask_input_size = (4 * image_embedding_size[0], 4 * image_embedding_size[1])
|
51 |
+
self.mask_downscaling = nn.Sequential(
|
52 |
+
nn.Conv2d(1, mask_in_chans // 4, kernel_size=2, stride=2),
|
53 |
+
LayerNorm2d(mask_in_chans // 4),
|
54 |
+
activation(),
|
55 |
+
nn.Conv2d(mask_in_chans // 4, mask_in_chans, kernel_size=2, stride=2),
|
56 |
+
LayerNorm2d(mask_in_chans),
|
57 |
+
activation(),
|
58 |
+
nn.Conv2d(mask_in_chans, embed_dim, kernel_size=1),
|
59 |
+
)
|
60 |
+
self.no_mask_embed = nn.Embedding(1, embed_dim)
|
61 |
+
|
62 |
+
def get_dense_pe(self) -> torch.Tensor:
|
63 |
+
"""
|
64 |
+
Returns the positional encoding used to encode point prompts,
|
65 |
+
applied to a dense set of points the shape of the image encoding.
|
66 |
+
|
67 |
+
Returns:
|
68 |
+
torch.Tensor: Positional encoding with shape
|
69 |
+
1x(embed_dim)x(embedding_h)x(embedding_w)
|
70 |
+
"""
|
71 |
+
return self.pe_layer(self.image_embedding_size).unsqueeze(0)
|
72 |
+
|
73 |
+
def _embed_points(
|
74 |
+
self,
|
75 |
+
points: torch.Tensor,
|
76 |
+
labels: torch.Tensor,
|
77 |
+
pad: bool,
|
78 |
+
) -> torch.Tensor:
|
79 |
+
"""Embeds point prompts."""
|
80 |
+
points = points + 0.5 # Shift to center of pixel
|
81 |
+
if pad:
|
82 |
+
padding_point = torch.zeros((points.shape[0], 1, 2), device=points.device)
|
83 |
+
padding_label = -torch.ones((labels.shape[0], 1), device=labels.device)
|
84 |
+
points = torch.cat([points, padding_point], dim=1)
|
85 |
+
labels = torch.cat([labels, padding_label], dim=1)
|
86 |
+
point_embedding = self.pe_layer.forward_with_coords(points, self.input_image_size)
|
87 |
+
point_embedding[labels == -1] = 0.0
|
88 |
+
point_embedding[labels == -1] += self.not_a_point_embed.weight
|
89 |
+
point_embedding[labels == 0] += self.point_embeddings[0].weight
|
90 |
+
point_embedding[labels == 1] += self.point_embeddings[1].weight
|
91 |
+
return point_embedding
|
92 |
+
|
93 |
+
def _embed_boxes(self, boxes: torch.Tensor) -> torch.Tensor:
|
94 |
+
"""Embeds box prompts."""
|
95 |
+
boxes = boxes + 0.5 # Shift to center of pixel
|
96 |
+
coords = boxes.reshape(-1, 2, 2)
|
97 |
+
corner_embedding = self.pe_layer.forward_with_coords(coords, self.input_image_size)
|
98 |
+
corner_embedding[:, 0, :] += self.point_embeddings[2].weight
|
99 |
+
corner_embedding[:, 1, :] += self.point_embeddings[3].weight
|
100 |
+
return corner_embedding
|
101 |
+
|
102 |
+
def _embed_masks(self, masks: torch.Tensor) -> torch.Tensor:
|
103 |
+
"""Embeds mask inputs."""
|
104 |
+
mask_embedding = self.mask_downscaling(masks)
|
105 |
+
return mask_embedding
|
106 |
+
|
107 |
+
def _get_batch_size(
|
108 |
+
self,
|
109 |
+
points: Optional[Tuple[torch.Tensor, torch.Tensor]],
|
110 |
+
boxes: Optional[torch.Tensor],
|
111 |
+
masks: Optional[torch.Tensor],
|
112 |
+
) -> int:
|
113 |
+
"""
|
114 |
+
Gets the batch size of the output given the batch size of the input prompts.
|
115 |
+
"""
|
116 |
+
if points is not None:
|
117 |
+
return points[0].shape[0]
|
118 |
+
elif boxes is not None:
|
119 |
+
return boxes.shape[0]
|
120 |
+
elif masks is not None:
|
121 |
+
return masks.shape[0]
|
122 |
+
else:
|
123 |
+
return 1
|
124 |
+
|
125 |
+
def _get_device(self) -> torch.device:
|
126 |
+
return self.point_embeddings[0].weight.device
|
127 |
+
|
128 |
+
def forward(
|
129 |
+
self,
|
130 |
+
points: Optional[Tuple[torch.Tensor, torch.Tensor]],
|
131 |
+
boxes: Optional[torch.Tensor],
|
132 |
+
masks: Optional[torch.Tensor],
|
133 |
+
) -> Tuple[torch.Tensor, torch.Tensor]:
|
134 |
+
"""
|
135 |
+
Embeds different types of prompts, returning both sparse and dense
|
136 |
+
embeddings.
|
137 |
+
|
138 |
+
Arguments:
|
139 |
+
points (tuple(torch.Tensor, torch.Tensor) or none): point coordinates
|
140 |
+
and labels to embed.
|
141 |
+
boxes (torch.Tensor or none): boxes to embed
|
142 |
+
masks (torch.Tensor or none): masks to embed
|
143 |
+
|
144 |
+
Returns:
|
145 |
+
torch.Tensor: sparse embeddings for the points and boxes, with shape
|
146 |
+
BxNx(embed_dim), where N is determined by the number of input points
|
147 |
+
and boxes.
|
148 |
+
torch.Tensor: dense embeddings for the masks, in the shape
|
149 |
+
Bx(embed_dim)x(embed_H)x(embed_W)
|
150 |
+
"""
|
151 |
+
bs = self._get_batch_size(points, boxes, masks)
|
152 |
+
sparse_embeddings = torch.empty((bs, 0, self.embed_dim), device=self._get_device())
|
153 |
+
if points is not None:
|
154 |
+
coords, labels = points
|
155 |
+
point_embeddings = self._embed_points(coords, labels, pad=(boxes is None))
|
156 |
+
sparse_embeddings = torch.cat([sparse_embeddings, point_embeddings], dim=1)
|
157 |
+
if boxes is not None:
|
158 |
+
box_embeddings = self._embed_boxes(boxes)
|
159 |
+
sparse_embeddings = torch.cat([sparse_embeddings, box_embeddings], dim=1)
|
160 |
+
|
161 |
+
if masks is not None:
|
162 |
+
dense_embeddings = self._embed_masks(masks)
|
163 |
+
else:
|
164 |
+
dense_embeddings = self.no_mask_embed.weight.reshape(1, -1, 1, 1).expand(
|
165 |
+
bs, -1, self.image_embedding_size[0], self.image_embedding_size[1]
|
166 |
+
)
|
167 |
+
|
168 |
+
return sparse_embeddings, dense_embeddings
|
169 |
+
|
170 |
+
|
171 |
+
class PositionEmbeddingRandom(nn.Module):
|
172 |
+
"""
|
173 |
+
Positional encoding using random spatial frequencies.
|
174 |
+
"""
|
175 |
+
|
176 |
+
def __init__(self, num_pos_feats: int = 64, scale: Optional[float] = None) -> None:
|
177 |
+
super().__init__()
|
178 |
+
if scale is None or scale <= 0.0:
|
179 |
+
scale = 1.0
|
180 |
+
self.register_buffer(
|
181 |
+
"positional_encoding_gaussian_matrix",
|
182 |
+
scale * torch.randn((2, num_pos_feats)),
|
183 |
+
)
|
184 |
+
|
185 |
+
def _pe_encoding(self, coords: torch.Tensor) -> torch.Tensor:
|
186 |
+
"""Positionally encode points that are normalized to [0,1]."""
|
187 |
+
# assuming coords are in [0, 1]^2 square and have d_1 x ... x d_n x 2 shape
|
188 |
+
coords = 2 * coords - 1
|
189 |
+
coords = coords @ self.positional_encoding_gaussian_matrix
|
190 |
+
coords = 2 * np.pi * coords
|
191 |
+
# outputs d_1 x ... x d_n x C shape
|
192 |
+
return torch.cat([torch.sin(coords), torch.cos(coords)], dim=-1)
|
193 |
+
|
194 |
+
def forward(self, size: Tuple[int, int]) -> torch.Tensor:
|
195 |
+
"""Generate positional encoding for a grid of the specified size."""
|
196 |
+
h, w = size
|
197 |
+
device: Any = self.positional_encoding_gaussian_matrix.device
|
198 |
+
grid = torch.ones((h, w), device=device, dtype=torch.float32)
|
199 |
+
y_embed = grid.cumsum(dim=0) - 0.5
|
200 |
+
x_embed = grid.cumsum(dim=1) - 0.5
|
201 |
+
y_embed = y_embed / h
|
202 |
+
x_embed = x_embed / w
|
203 |
+
|
204 |
+
pe = self._pe_encoding(torch.stack([x_embed, y_embed], dim=-1))
|
205 |
+
return pe.permute(2, 0, 1) # C x H x W
|
206 |
+
|
207 |
+
def forward_with_coords(
|
208 |
+
self, coords_input: torch.Tensor, image_size: Tuple[int, int]
|
209 |
+
) -> torch.Tensor:
|
210 |
+
"""Positionally encode points that are not normalized to [0,1]."""
|
211 |
+
coords = coords_input.clone()
|
212 |
+
coords[:, :, 0] = coords[:, :, 0] / image_size[1]
|
213 |
+
coords[:, :, 1] = coords[:, :, 1] / image_size[0]
|
214 |
+
return self._pe_encoding(coords.to(torch.float)) # B x N x C
|
segment_anything/modeling/rep_vit.py
ADDED
@@ -0,0 +1,367 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import torch.nn as nn
|
2 |
+
from segment_anything.modeling.common import LayerNorm2d, UpSampleLayer, OpSequential
|
3 |
+
|
4 |
+
__all__ = ['rep_vit_m1', 'rep_vit_m2', 'rep_vit_m3', 'RepViT']
|
5 |
+
|
6 |
+
m1_cfgs = [
|
7 |
+
# k, t, c, SE, HS, s
|
8 |
+
[3, 2, 48, 1, 0, 1],
|
9 |
+
[3, 2, 48, 0, 0, 1],
|
10 |
+
[3, 2, 48, 0, 0, 1],
|
11 |
+
[3, 2, 96, 0, 0, 2],
|
12 |
+
[3, 2, 96, 1, 0, 1],
|
13 |
+
[3, 2, 96, 0, 0, 1],
|
14 |
+
[3, 2, 96, 0, 0, 1],
|
15 |
+
[3, 2, 192, 0, 1, 2],
|
16 |
+
[3, 2, 192, 1, 1, 1],
|
17 |
+
[3, 2, 192, 0, 1, 1],
|
18 |
+
[3, 2, 192, 1, 1, 1],
|
19 |
+
[3, 2, 192, 0, 1, 1],
|
20 |
+
[3, 2, 192, 1, 1, 1],
|
21 |
+
[3, 2, 192, 0, 1, 1],
|
22 |
+
[3, 2, 192, 1, 1, 1],
|
23 |
+
[3, 2, 192, 0, 1, 1],
|
24 |
+
[3, 2, 192, 1, 1, 1],
|
25 |
+
[3, 2, 192, 0, 1, 1],
|
26 |
+
[3, 2, 192, 1, 1, 1],
|
27 |
+
[3, 2, 192, 0, 1, 1],
|
28 |
+
[3, 2, 192, 1, 1, 1],
|
29 |
+
[3, 2, 192, 0, 1, 1],
|
30 |
+
[3, 2, 192, 0, 1, 1],
|
31 |
+
[3, 2, 384, 0, 1, 2],
|
32 |
+
[3, 2, 384, 1, 1, 1],
|
33 |
+
[3, 2, 384, 0, 1, 1]
|
34 |
+
]
|
35 |
+
|
36 |
+
m2_cfgs = [
|
37 |
+
# k, t, c, SE, HS, s
|
38 |
+
[3, 2, 64, 1, 0, 1],
|
39 |
+
[3, 2, 64, 0, 0, 1],
|
40 |
+
[3, 2, 64, 0, 0, 1],
|
41 |
+
[3, 2, 128, 0, 0, 2],
|
42 |
+
[3, 2, 128, 1, 0, 1],
|
43 |
+
[3, 2, 128, 0, 0, 1],
|
44 |
+
[3, 2, 128, 0, 0, 1],
|
45 |
+
[3, 2, 256, 0, 1, 2],
|
46 |
+
[3, 2, 256, 1, 1, 1],
|
47 |
+
[3, 2, 256, 0, 1, 1],
|
48 |
+
[3, 2, 256, 1, 1, 1],
|
49 |
+
[3, 2, 256, 0, 1, 1],
|
50 |
+
[3, 2, 256, 1, 1, 1],
|
51 |
+
[3, 2, 256, 0, 1, 1],
|
52 |
+
[3, 2, 256, 1, 1, 1],
|
53 |
+
[3, 2, 256, 0, 1, 1],
|
54 |
+
[3, 2, 256, 1, 1, 1],
|
55 |
+
[3, 2, 256, 0, 1, 1],
|
56 |
+
[3, 2, 256, 1, 1, 1],
|
57 |
+
[3, 2, 256, 0, 1, 1],
|
58 |
+
[3, 2, 256, 0, 1, 1],
|
59 |
+
[3, 2, 512, 0, 1, 2],
|
60 |
+
[3, 2, 512, 1, 1, 1],
|
61 |
+
[3, 2, 512, 0, 1, 1]
|
62 |
+
]
|
63 |
+
|
64 |
+
m3_cfgs = [
|
65 |
+
# k, t, c, SE, HS, s
|
66 |
+
[3, 2, 64, 1, 0, 1],
|
67 |
+
[3, 2, 64, 0, 0, 1],
|
68 |
+
[3, 2, 64, 1, 0, 1],
|
69 |
+
[3, 2, 64, 0, 0, 1],
|
70 |
+
[3, 2, 64, 0, 0, 1],
|
71 |
+
[3, 2, 128, 0, 0, 2],
|
72 |
+
[3, 2, 128, 1, 0, 1],
|
73 |
+
[3, 2, 128, 0, 0, 1],
|
74 |
+
[3, 2, 128, 1, 0, 1],
|
75 |
+
[3, 2, 128, 0, 0, 1],
|
76 |
+
[3, 2, 128, 0, 0, 1],
|
77 |
+
[3, 2, 256, 0, 1, 2],
|
78 |
+
[3, 2, 256, 1, 1, 1],
|
79 |
+
[3, 2, 256, 0, 1, 1],
|
80 |
+
[3, 2, 256, 1, 1, 1],
|
81 |
+
[3, 2, 256, 0, 1, 1],
|
82 |
+
[3, 2, 256, 1, 1, 1],
|
83 |
+
[3, 2, 256, 0, 1, 1],
|
84 |
+
[3, 2, 256, 1, 1, 1],
|
85 |
+
[3, 2, 256, 0, 1, 1],
|
86 |
+
[3, 2, 256, 1, 1, 1],
|
87 |
+
[3, 2, 256, 0, 1, 1],
|
88 |
+
[3, 2, 256, 1, 1, 1],
|
89 |
+
[3, 2, 256, 0, 1, 1],
|
90 |
+
[3, 2, 256, 1, 1, 1],
|
91 |
+
[3, 2, 256, 0, 1, 1],
|
92 |
+
[3, 2, 256, 1, 1, 1],
|
93 |
+
[3, 2, 256, 0, 1, 1],
|
94 |
+
[3, 2, 256, 1, 1, 1],
|
95 |
+
[3, 2, 256, 0, 1, 1],
|
96 |
+
[3, 2, 256, 0, 1, 1],
|
97 |
+
[3, 2, 512, 0, 1, 2],
|
98 |
+
[3, 2, 512, 1, 1, 1],
|
99 |
+
[3, 2, 512, 0, 1, 1]
|
100 |
+
]
|
101 |
+
|
102 |
+
|
103 |
+
def _make_divisible(v, divisor, min_value=None):
|
104 |
+
"""
|
105 |
+
This function is taken from the original tf repo.
|
106 |
+
It ensures that all layers have a channel number that is divisible by 8
|
107 |
+
It can be seen here:
|
108 |
+
https://github.com/tensorflow/models/blob/master/research/slim/nets/mobilenet/mobilenet.py
|
109 |
+
:param v:
|
110 |
+
:param divisor:
|
111 |
+
:param min_value:
|
112 |
+
:return:
|
113 |
+
"""
|
114 |
+
if min_value is None:
|
115 |
+
min_value = divisor
|
116 |
+
new_v = max(min_value, int(v + divisor / 2) // divisor * divisor)
|
117 |
+
# Make sure that round down does not go down by more than 10%.
|
118 |
+
if new_v < 0.9 * v:
|
119 |
+
new_v += divisor
|
120 |
+
return new_v
|
121 |
+
|
122 |
+
|
123 |
+
from timm.models.layers import SqueezeExcite
|
124 |
+
|
125 |
+
import torch
|
126 |
+
|
127 |
+
|
128 |
+
class Conv2d_BN(torch.nn.Sequential):
|
129 |
+
def __init__(self, a, b, ks=1, stride=1, pad=0, dilation=1,
|
130 |
+
groups=1, bn_weight_init=1, resolution=-10000):
|
131 |
+
super().__init__()
|
132 |
+
self.add_module('c', torch.nn.Conv2d(
|
133 |
+
a, b, ks, stride, pad, dilation, groups, bias=False))
|
134 |
+
self.add_module('bn', torch.nn.BatchNorm2d(b))
|
135 |
+
torch.nn.init.constant_(self.bn.weight, bn_weight_init)
|
136 |
+
torch.nn.init.constant_(self.bn.bias, 0)
|
137 |
+
|
138 |
+
@torch.no_grad()
|
139 |
+
def fuse(self):
|
140 |
+
c, bn = self._modules.values()
|
141 |
+
w = bn.weight / (bn.running_var + bn.eps) ** 0.5
|
142 |
+
w = c.weight * w[:, None, None, None]
|
143 |
+
b = bn.bias - bn.running_mean * bn.weight / \
|
144 |
+
(bn.running_var + bn.eps) ** 0.5
|
145 |
+
m = torch.nn.Conv2d(w.size(1) * self.c.groups, w.size(
|
146 |
+
0), w.shape[2:], stride=self.c.stride, padding=self.c.padding, dilation=self.c.dilation,
|
147 |
+
groups=self.c.groups,
|
148 |
+
device=c.weight.device)
|
149 |
+
m.weight.data.copy_(w)
|
150 |
+
m.bias.data.copy_(b)
|
151 |
+
return m
|
152 |
+
|
153 |
+
|
154 |
+
class Residual(torch.nn.Module):
|
155 |
+
def __init__(self, m, drop=0.):
|
156 |
+
super().__init__()
|
157 |
+
self.m = m
|
158 |
+
self.drop = drop
|
159 |
+
|
160 |
+
def forward(self, x):
|
161 |
+
if self.training and self.drop > 0:
|
162 |
+
return x + self.m(x) * torch.rand(x.size(0), 1, 1, 1,
|
163 |
+
device=x.device).ge_(self.drop).div(1 - self.drop).detach()
|
164 |
+
else:
|
165 |
+
return x + self.m(x)
|
166 |
+
|
167 |
+
@torch.no_grad()
|
168 |
+
def fuse(self):
|
169 |
+
if isinstance(self.m, Conv2d_BN):
|
170 |
+
m = self.m.fuse()
|
171 |
+
assert (m.groups == m.in_channels)
|
172 |
+
identity = torch.ones(m.weight.shape[0], m.weight.shape[1], 1, 1)
|
173 |
+
identity = torch.nn.functional.pad(identity, [1, 1, 1, 1])
|
174 |
+
m.weight += identity.to(m.weight.device)
|
175 |
+
return m
|
176 |
+
elif isinstance(self.m, torch.nn.Conv2d):
|
177 |
+
m = self.m
|
178 |
+
assert (m.groups != m.in_channels)
|
179 |
+
identity = torch.ones(m.weight.shape[0], m.weight.shape[1], 1, 1)
|
180 |
+
identity = torch.nn.functional.pad(identity, [1, 1, 1, 1])
|
181 |
+
m.weight += identity.to(m.weight.device)
|
182 |
+
return m
|
183 |
+
else:
|
184 |
+
return self
|
185 |
+
|
186 |
+
|
187 |
+
class RepVGGDW(torch.nn.Module):
|
188 |
+
def __init__(self, ed) -> None:
|
189 |
+
super().__init__()
|
190 |
+
self.conv = Conv2d_BN(ed, ed, 3, 1, 1, groups=ed)
|
191 |
+
self.conv1 = Conv2d_BN(ed, ed, 1, 1, 0, groups=ed)
|
192 |
+
self.dim = ed
|
193 |
+
|
194 |
+
def forward(self, x):
|
195 |
+
return self.conv(x) + self.conv1(x) + x
|
196 |
+
|
197 |
+
@torch.no_grad()
|
198 |
+
def fuse(self):
|
199 |
+
conv = self.conv.fuse()
|
200 |
+
conv1 = self.conv1.fuse()
|
201 |
+
|
202 |
+
conv_w = conv.weight
|
203 |
+
conv_b = conv.bias
|
204 |
+
conv1_w = conv1.weight
|
205 |
+
conv1_b = conv1.bias
|
206 |
+
|
207 |
+
conv1_w = torch.nn.functional.pad(conv1_w, [1, 1, 1, 1])
|
208 |
+
|
209 |
+
identity = torch.nn.functional.pad(torch.ones(conv1_w.shape[0], conv1_w.shape[1], 1, 1, device=conv1_w.device),
|
210 |
+
[1, 1, 1, 1])
|
211 |
+
|
212 |
+
final_conv_w = conv_w + conv1_w + identity
|
213 |
+
final_conv_b = conv_b + conv1_b
|
214 |
+
|
215 |
+
conv.weight.data.copy_(final_conv_w)
|
216 |
+
conv.bias.data.copy_(final_conv_b)
|
217 |
+
return conv
|
218 |
+
|
219 |
+
|
220 |
+
class RepViTBlock(nn.Module):
|
221 |
+
def __init__(self, inp, hidden_dim, oup, kernel_size, stride, use_se, use_hs, skip_downsample=False):
|
222 |
+
super(RepViTBlock, self).__init__()
|
223 |
+
assert stride in [1, 2]
|
224 |
+
|
225 |
+
self.identity = stride == 1 and inp == oup
|
226 |
+
assert (hidden_dim == 2 * inp)
|
227 |
+
|
228 |
+
if stride == 2:
|
229 |
+
if skip_downsample:
|
230 |
+
stride = 1
|
231 |
+
self.token_mixer = nn.Sequential(
|
232 |
+
Conv2d_BN(inp, inp, kernel_size, stride, (kernel_size - 1) // 2, groups=inp),
|
233 |
+
SqueezeExcite(inp, 0.25) if use_se else nn.Identity(),
|
234 |
+
Conv2d_BN(inp, oup, ks=1, stride=1, pad=0)
|
235 |
+
)
|
236 |
+
self.channel_mixer = Residual(nn.Sequential(
|
237 |
+
# pw
|
238 |
+
Conv2d_BN(oup, 2 * oup, 1, 1, 0),
|
239 |
+
nn.GELU() if use_hs else nn.GELU(),
|
240 |
+
# pw-linear
|
241 |
+
Conv2d_BN(2 * oup, oup, 1, 1, 0, bn_weight_init=0),
|
242 |
+
))
|
243 |
+
else:
|
244 |
+
assert (self.identity)
|
245 |
+
self.token_mixer = nn.Sequential(
|
246 |
+
RepVGGDW(inp),
|
247 |
+
SqueezeExcite(inp, 0.25) if use_se else nn.Identity(),
|
248 |
+
)
|
249 |
+
self.channel_mixer = Residual(nn.Sequential(
|
250 |
+
# pw
|
251 |
+
Conv2d_BN(inp, hidden_dim, 1, 1, 0),
|
252 |
+
nn.GELU() if use_hs else nn.GELU(),
|
253 |
+
# pw-linear
|
254 |
+
Conv2d_BN(hidden_dim, oup, 1, 1, 0, bn_weight_init=0),
|
255 |
+
))
|
256 |
+
|
257 |
+
def forward(self, x):
|
258 |
+
return self.channel_mixer(self.token_mixer(x))
|
259 |
+
|
260 |
+
|
261 |
+
from timm.models.vision_transformer import trunc_normal_
|
262 |
+
|
263 |
+
|
264 |
+
class BN_Linear(torch.nn.Sequential):
|
265 |
+
def __init__(self, a, b, bias=True, std=0.02):
|
266 |
+
super().__init__()
|
267 |
+
self.add_module('bn', torch.nn.BatchNorm1d(a))
|
268 |
+
self.add_module('l', torch.nn.Linear(a, b, bias=bias))
|
269 |
+
trunc_normal_(self.l.weight, std=std)
|
270 |
+
if bias:
|
271 |
+
torch.nn.init.constant_(self.l.bias, 0)
|
272 |
+
|
273 |
+
@torch.no_grad()
|
274 |
+
def fuse(self):
|
275 |
+
bn, l = self._modules.values()
|
276 |
+
w = bn.weight / (bn.running_var + bn.eps) ** 0.5
|
277 |
+
b = bn.bias - self.bn.running_mean * \
|
278 |
+
self.bn.weight / (bn.running_var + bn.eps) ** 0.5
|
279 |
+
w = l.weight * w[None, :]
|
280 |
+
if l.bias is None:
|
281 |
+
b = b @ self.l.weight.T
|
282 |
+
else:
|
283 |
+
b = (l.weight @ b[:, None]).view(-1) + self.l.bias
|
284 |
+
m = torch.nn.Linear(w.size(1), w.size(0), device=l.weight.device)
|
285 |
+
m.weight.data.copy_(w)
|
286 |
+
m.bias.data.copy_(b)
|
287 |
+
return m
|
288 |
+
|
289 |
+
|
290 |
+
class RepViT(nn.Module):
|
291 |
+
arch_settings = {
|
292 |
+
'm1': m1_cfgs,
|
293 |
+
'm2': m2_cfgs,
|
294 |
+
'm3': m3_cfgs
|
295 |
+
}
|
296 |
+
|
297 |
+
def __init__(self, arch, img_size=1024, upsample_mode='bicubic'):
|
298 |
+
super(RepViT, self).__init__()
|
299 |
+
# setting of inverted residual blocks
|
300 |
+
self.cfgs = self.arch_settings[arch]
|
301 |
+
self.img_size = img_size
|
302 |
+
|
303 |
+
# building first layer
|
304 |
+
input_channel = self.cfgs[0][2]
|
305 |
+
patch_embed = torch.nn.Sequential(Conv2d_BN(3, input_channel // 2, 3, 2, 1), torch.nn.GELU(),
|
306 |
+
Conv2d_BN(input_channel // 2, input_channel, 3, 2, 1))
|
307 |
+
layers = [patch_embed]
|
308 |
+
# building inverted residual blocks
|
309 |
+
block = RepViTBlock
|
310 |
+
self.stage_idx = []
|
311 |
+
prev_c = input_channel
|
312 |
+
for idx, (k, t, c, use_se, use_hs, s) in enumerate(self.cfgs):
|
313 |
+
output_channel = _make_divisible(c, 8)
|
314 |
+
exp_size = _make_divisible(input_channel * t, 8)
|
315 |
+
skip_downsample = False
|
316 |
+
if c != prev_c:
|
317 |
+
self.stage_idx.append(idx - 1)
|
318 |
+
prev_c = c
|
319 |
+
layers.append(block(input_channel, exp_size, output_channel, k, s, use_se, use_hs, skip_downsample))
|
320 |
+
input_channel = output_channel
|
321 |
+
self.stage_idx.append(idx)
|
322 |
+
self.features = nn.ModuleList(layers)
|
323 |
+
|
324 |
+
stage2_channels = _make_divisible(self.cfgs[self.stage_idx[2]][2], 8)
|
325 |
+
stage3_channels = _make_divisible(self.cfgs[self.stage_idx[3]][2], 8)
|
326 |
+
self.fuse_stage2 = nn.Conv2d(stage2_channels, 256, kernel_size=1, bias=False)
|
327 |
+
self.fuse_stage3 = OpSequential([
|
328 |
+
nn.Conv2d(stage3_channels, 256, kernel_size=1, bias=False),
|
329 |
+
UpSampleLayer(factor=2, mode=upsample_mode),
|
330 |
+
])
|
331 |
+
|
332 |
+
self.neck = nn.Sequential(
|
333 |
+
nn.Conv2d(256, 256, kernel_size=1, bias=False),
|
334 |
+
LayerNorm2d(256),
|
335 |
+
nn.Conv2d(256, 256, kernel_size=3, padding=1, bias=False),
|
336 |
+
LayerNorm2d(256),
|
337 |
+
)
|
338 |
+
|
339 |
+
def forward(self, x):
|
340 |
+
counter = 0
|
341 |
+
output_dict = dict()
|
342 |
+
# patch_embed
|
343 |
+
x = self.features[0](x)
|
344 |
+
output_dict['stem'] = x
|
345 |
+
# stages
|
346 |
+
for idx, f in enumerate(self.features[1:]):
|
347 |
+
x = f(x)
|
348 |
+
if idx in self.stage_idx:
|
349 |
+
output_dict[f'stage{counter}'] = x
|
350 |
+
counter += 1
|
351 |
+
|
352 |
+
x = self.fuse_stage2(output_dict['stage2']) + self.fuse_stage3(output_dict['stage3'])
|
353 |
+
|
354 |
+
x = self.neck(x)
|
355 |
+
return x
|
356 |
+
|
357 |
+
|
358 |
+
def rep_vit_m1(img_size=1024, **kwargs):
|
359 |
+
return RepViT('m1', img_size, **kwargs)
|
360 |
+
|
361 |
+
|
362 |
+
def rep_vit_m2(img_size=1024, **kwargs):
|
363 |
+
return RepViT('m2', img_size, **kwargs)
|
364 |
+
|
365 |
+
|
366 |
+
def rep_vit_m3(img_size=1024, **kwargs):
|
367 |
+
return RepViT('m3', img_size, **kwargs)
|
segment_anything/modeling/sam.py
ADDED
@@ -0,0 +1,187 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
from torch import nn
|
9 |
+
from torch.nn import functional as F
|
10 |
+
|
11 |
+
from typing import Any, Dict, List, Tuple
|
12 |
+
|
13 |
+
from .image_encoder import ImageEncoderViT
|
14 |
+
from .mask_decoder import MaskDecoder
|
15 |
+
from .prompt_encoder import PromptEncoder
|
16 |
+
from ..utils.amg import calculate_stability_score
|
17 |
+
|
18 |
+
|
19 |
+
class Sam(nn.Module):
|
20 |
+
mask_threshold: float = 0.0
|
21 |
+
image_format: str = "RGB"
|
22 |
+
stability_score_offset: float = 1.0
|
23 |
+
|
24 |
+
def __init__(
|
25 |
+
self,
|
26 |
+
image_encoder: ImageEncoderViT,
|
27 |
+
prompt_encoder: PromptEncoder,
|
28 |
+
mask_decoder: MaskDecoder,
|
29 |
+
pixel_mean: List[float] = [123.675, 116.28, 103.53],
|
30 |
+
pixel_std: List[float] = [58.395, 57.12, 57.375],
|
31 |
+
) -> None:
|
32 |
+
"""
|
33 |
+
SAM predicts object masks from an image and input prompts.
|
34 |
+
|
35 |
+
Arguments:
|
36 |
+
image_encoder (ImageEncoderViT): The backbone used to encode the
|
37 |
+
image into image embeddings that allow for efficient mask prediction.
|
38 |
+
prompt_encoder (PromptEncoder): Encodes various types of input prompts.
|
39 |
+
mask_decoder (MaskDecoder): Predicts masks from the image embeddings
|
40 |
+
and encoded prompts.
|
41 |
+
pixel_mean (list(float)): Mean values for normalizing pixels in the input image.
|
42 |
+
pixel_std (list(float)): Std values for normalizing pixels in the input image.
|
43 |
+
"""
|
44 |
+
super().__init__()
|
45 |
+
self.image_encoder = image_encoder
|
46 |
+
self.prompt_encoder = prompt_encoder
|
47 |
+
self.mask_decoder = mask_decoder
|
48 |
+
self.register_buffer("pixel_mean", torch.Tensor(pixel_mean).view(-1, 1, 1), False)
|
49 |
+
self.register_buffer("pixel_std", torch.Tensor(pixel_std).view(-1, 1, 1), False)
|
50 |
+
|
51 |
+
@property
|
52 |
+
def device(self) -> Any:
|
53 |
+
return self.pixel_mean.device
|
54 |
+
|
55 |
+
@torch.no_grad()
|
56 |
+
def forward_dummy_encoder(self, x):
|
57 |
+
return self.image_encoder(x)
|
58 |
+
|
59 |
+
@torch.no_grad()
|
60 |
+
def forward(
|
61 |
+
self,
|
62 |
+
batched_input: List[Dict[str, Any]],
|
63 |
+
num_multimask_outputs: int = 1,
|
64 |
+
use_stability_score: bool = False
|
65 |
+
) -> List[Dict[str, torch.Tensor]]:
|
66 |
+
"""
|
67 |
+
Predicts masks end-to-end from provided images and prompts.
|
68 |
+
If prompts are not known in advance, using SamPredictor is
|
69 |
+
recommended over calling the model directly.
|
70 |
+
|
71 |
+
Arguments:
|
72 |
+
batched_input (list(dict)): A list over input images, each a
|
73 |
+
dictionary with the following keys. A prompt key can be
|
74 |
+
excluded if it is not present.
|
75 |
+
'image': The image as a torch tensor in 3xHxW format,
|
76 |
+
already transformed for input to the model.
|
77 |
+
'original_size': (tuple(int, int)) The original size of
|
78 |
+
the image before transformation, as (H, W).
|
79 |
+
'point_coords': (torch.Tensor) Batched point prompts for
|
80 |
+
this image, with shape BxNx2. Already transformed to the
|
81 |
+
input frame of the model.
|
82 |
+
'point_labels': (torch.Tensor) Batched labels for point prompts,
|
83 |
+
with shape BxN.
|
84 |
+
'boxes': (torch.Tensor) Batched box inputs, with shape Bx4.
|
85 |
+
Already transformed to the input frame of the model.
|
86 |
+
'mask_inputs': (torch.Tensor) Batched mask inputs to the model,
|
87 |
+
in the form Bx1xHxW.
|
88 |
+
num_multimask_outputs (int): the number of masks to predict
|
89 |
+
when disambiguating masks. Choices: 1, 3, 4.
|
90 |
+
use_stability_score (bool): If true, use stability scores to substitute
|
91 |
+
IoU predictions.
|
92 |
+
|
93 |
+
Returns:
|
94 |
+
(list(dict)): A list over input images, where each element is
|
95 |
+
as dictionary with the following keys.
|
96 |
+
'masks': (torch.Tensor) Batched binary mask predictions,
|
97 |
+
with shape BxCxHxW, where B is the number of input prompts,
|
98 |
+
C is determined by multimask_output, and (H, W) is the
|
99 |
+
original size of the image.
|
100 |
+
'iou_predictions': (torch.Tensor) The model's predictions
|
101 |
+
of mask quality, in shape BxC.
|
102 |
+
'low_res_logits': (torch.Tensor) Low resolution logits with
|
103 |
+
shape BxCxHxW, where H=W=256. Can be passed as mask input
|
104 |
+
to subsequent iterations of prediction.
|
105 |
+
"""
|
106 |
+
input_images = torch.stack([self.preprocess(x["image"]) for x in batched_input], dim=0)
|
107 |
+
image_embeddings = self.image_encoder(input_images)
|
108 |
+
|
109 |
+
outputs = []
|
110 |
+
for image_record, curr_embedding in zip(batched_input, image_embeddings):
|
111 |
+
if "point_coords" in image_record:
|
112 |
+
points = (image_record["point_coords"], image_record["point_labels"])
|
113 |
+
else:
|
114 |
+
points = None
|
115 |
+
sparse_embeddings, dense_embeddings = self.prompt_encoder(
|
116 |
+
points=points,
|
117 |
+
boxes=image_record.get("boxes", None),
|
118 |
+
masks=image_record.get("mask_inputs", None),
|
119 |
+
)
|
120 |
+
low_res_masks, iou_predictions = self.mask_decoder(
|
121 |
+
image_embeddings=curr_embedding.unsqueeze(0),
|
122 |
+
image_pe=self.prompt_encoder.get_dense_pe(),
|
123 |
+
sparse_prompt_embeddings=sparse_embeddings,
|
124 |
+
dense_prompt_embeddings=dense_embeddings,
|
125 |
+
num_multimask_outputs=num_multimask_outputs,
|
126 |
+
)
|
127 |
+
if use_stability_score:
|
128 |
+
iou_predictions = calculate_stability_score(
|
129 |
+
low_res_masks, self.mask_threshold, self.stability_score_offset
|
130 |
+
)
|
131 |
+
masks = self.postprocess_masks(
|
132 |
+
low_res_masks,
|
133 |
+
input_size=image_record["image"].shape[-2:],
|
134 |
+
original_size=image_record["original_size"],
|
135 |
+
)
|
136 |
+
masks = masks > self.mask_threshold
|
137 |
+
outputs.append(
|
138 |
+
{
|
139 |
+
"masks": masks,
|
140 |
+
"iou_predictions": iou_predictions,
|
141 |
+
"low_res_logits": low_res_masks,
|
142 |
+
}
|
143 |
+
)
|
144 |
+
return outputs
|
145 |
+
|
146 |
+
def postprocess_masks(
|
147 |
+
self,
|
148 |
+
masks: torch.Tensor,
|
149 |
+
input_size: Tuple[int, ...],
|
150 |
+
original_size: Tuple[int, ...],
|
151 |
+
) -> torch.Tensor:
|
152 |
+
"""
|
153 |
+
Remove padding and upscale masks to the original image size.
|
154 |
+
|
155 |
+
Arguments:
|
156 |
+
masks (torch.Tensor): Batched masks from the mask_decoder,
|
157 |
+
in BxCxHxW format.
|
158 |
+
input_size (tuple(int, int)): The size of the image input to the
|
159 |
+
model, in (H, W) format. Used to remove padding.
|
160 |
+
original_size (tuple(int, int)): The original size of the image
|
161 |
+
before resizing for input to the model, in (H, W) format.
|
162 |
+
|
163 |
+
Returns:
|
164 |
+
(torch.Tensor): Batched masks in BxCxHxW format, where (H, W)
|
165 |
+
is given by original_size.
|
166 |
+
"""
|
167 |
+
masks = F.interpolate(
|
168 |
+
masks,
|
169 |
+
(self.image_encoder.img_size, self.image_encoder.img_size),
|
170 |
+
mode="bilinear",
|
171 |
+
align_corners=False,
|
172 |
+
)
|
173 |
+
masks = masks[..., : input_size[0], : input_size[1]]
|
174 |
+
masks = F.interpolate(masks, original_size, mode="bilinear", align_corners=False)
|
175 |
+
return masks
|
176 |
+
|
177 |
+
def preprocess(self, x: torch.Tensor) -> torch.Tensor:
|
178 |
+
"""Normalize pixel values and pad to a square input."""
|
179 |
+
# Normalize colors
|
180 |
+
x = (x - self.pixel_mean) / self.pixel_std
|
181 |
+
|
182 |
+
# Pad
|
183 |
+
h, w = x.shape[-2:]
|
184 |
+
padh = self.image_encoder.img_size - h
|
185 |
+
padw = self.image_encoder.img_size - w
|
186 |
+
x = F.pad(x, (0, padw, 0, padh))
|
187 |
+
return x
|
segment_anything/modeling/transformer.py
ADDED
@@ -0,0 +1,240 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import torch
|
8 |
+
from torch import Tensor, nn
|
9 |
+
|
10 |
+
import math
|
11 |
+
from typing import Tuple, Type
|
12 |
+
|
13 |
+
from .common import MLPBlock
|
14 |
+
|
15 |
+
|
16 |
+
class TwoWayTransformer(nn.Module):
|
17 |
+
def __init__(
|
18 |
+
self,
|
19 |
+
depth: int,
|
20 |
+
embedding_dim: int,
|
21 |
+
num_heads: int,
|
22 |
+
mlp_dim: int,
|
23 |
+
activation: Type[nn.Module] = nn.ReLU,
|
24 |
+
attention_downsample_rate: int = 2,
|
25 |
+
) -> None:
|
26 |
+
"""
|
27 |
+
A transformer decoder that attends to an input image using
|
28 |
+
queries whose positional embedding is supplied.
|
29 |
+
|
30 |
+
Args:
|
31 |
+
depth (int): number of layers in the transformer
|
32 |
+
embedding_dim (int): the channel dimension for the input embeddings
|
33 |
+
num_heads (int): the number of heads for multihead attention. Must
|
34 |
+
divide embedding_dim
|
35 |
+
mlp_dim (int): the channel dimension internal to the MLP block
|
36 |
+
activation (nn.Module): the activation to use in the MLP block
|
37 |
+
"""
|
38 |
+
super().__init__()
|
39 |
+
self.depth = depth
|
40 |
+
self.embedding_dim = embedding_dim
|
41 |
+
self.num_heads = num_heads
|
42 |
+
self.mlp_dim = mlp_dim
|
43 |
+
self.layers = nn.ModuleList()
|
44 |
+
|
45 |
+
for i in range(depth):
|
46 |
+
self.layers.append(
|
47 |
+
TwoWayAttentionBlock(
|
48 |
+
embedding_dim=embedding_dim,
|
49 |
+
num_heads=num_heads,
|
50 |
+
mlp_dim=mlp_dim,
|
51 |
+
activation=activation,
|
52 |
+
attention_downsample_rate=attention_downsample_rate,
|
53 |
+
skip_first_layer_pe=(i == 0),
|
54 |
+
)
|
55 |
+
)
|
56 |
+
|
57 |
+
self.final_attn_token_to_image = Attention(
|
58 |
+
embedding_dim, num_heads, downsample_rate=attention_downsample_rate
|
59 |
+
)
|
60 |
+
self.norm_final_attn = nn.LayerNorm(embedding_dim)
|
61 |
+
|
62 |
+
def forward(
|
63 |
+
self,
|
64 |
+
image_embedding: Tensor,
|
65 |
+
image_pe: Tensor,
|
66 |
+
point_embedding: Tensor,
|
67 |
+
) -> Tuple[Tensor, Tensor]:
|
68 |
+
"""
|
69 |
+
Args:
|
70 |
+
image_embedding (torch.Tensor): image to attend to. Should be shape
|
71 |
+
B x embedding_dim x h x w for any h and w.
|
72 |
+
image_pe (torch.Tensor): the positional encoding to add to the image. Must
|
73 |
+
have the same shape as image_embedding.
|
74 |
+
point_embedding (torch.Tensor): the embedding to add to the query points.
|
75 |
+
Must have shape B x N_points x embedding_dim for any N_points.
|
76 |
+
|
77 |
+
Returns:
|
78 |
+
torch.Tensor: the processed point_embedding
|
79 |
+
torch.Tensor: the processed image_embedding
|
80 |
+
"""
|
81 |
+
# BxCxHxW -> BxHWxC == B x N_image_tokens x C
|
82 |
+
bs, c, h, w = image_embedding.shape
|
83 |
+
image_embedding = image_embedding.flatten(2).permute(0, 2, 1)
|
84 |
+
image_pe = image_pe.flatten(2).permute(0, 2, 1)
|
85 |
+
|
86 |
+
# Prepare queries
|
87 |
+
queries = point_embedding
|
88 |
+
keys = image_embedding
|
89 |
+
|
90 |
+
# Apply transformer blocks and final layernorm
|
91 |
+
for layer in self.layers:
|
92 |
+
queries, keys = layer(
|
93 |
+
queries=queries,
|
94 |
+
keys=keys,
|
95 |
+
query_pe=point_embedding,
|
96 |
+
key_pe=image_pe,
|
97 |
+
)
|
98 |
+
|
99 |
+
# Apply the final attention layer from the points to the image
|
100 |
+
q = queries + point_embedding
|
101 |
+
k = keys + image_pe
|
102 |
+
attn_out = self.final_attn_token_to_image(q=q, k=k, v=keys)
|
103 |
+
queries = queries + attn_out
|
104 |
+
queries = self.norm_final_attn(queries)
|
105 |
+
|
106 |
+
return queries, keys
|
107 |
+
|
108 |
+
|
109 |
+
class TwoWayAttentionBlock(nn.Module):
|
110 |
+
def __init__(
|
111 |
+
self,
|
112 |
+
embedding_dim: int,
|
113 |
+
num_heads: int,
|
114 |
+
mlp_dim: int = 2048,
|
115 |
+
activation: Type[nn.Module] = nn.ReLU,
|
116 |
+
attention_downsample_rate: int = 2,
|
117 |
+
skip_first_layer_pe: bool = False,
|
118 |
+
) -> None:
|
119 |
+
"""
|
120 |
+
A transformer block with four layers: (1) self-attention of sparse
|
121 |
+
inputs, (2) cross attention of sparse inputs to dense inputs, (3) mlp
|
122 |
+
block on sparse inputs, and (4) cross attention of dense inputs to sparse
|
123 |
+
inputs.
|
124 |
+
|
125 |
+
Arguments:
|
126 |
+
embedding_dim (int): the channel dimension of the embeddings
|
127 |
+
num_heads (int): the number of heads in the attention layers
|
128 |
+
mlp_dim (int): the hidden dimension of the mlp block
|
129 |
+
activation (nn.Module): the activation of the mlp block
|
130 |
+
skip_first_layer_pe (bool): skip the PE on the first layer
|
131 |
+
"""
|
132 |
+
super().__init__()
|
133 |
+
self.self_attn = Attention(embedding_dim, num_heads)
|
134 |
+
self.norm1 = nn.LayerNorm(embedding_dim)
|
135 |
+
|
136 |
+
self.cross_attn_token_to_image = Attention(
|
137 |
+
embedding_dim, num_heads, downsample_rate=attention_downsample_rate
|
138 |
+
)
|
139 |
+
self.norm2 = nn.LayerNorm(embedding_dim)
|
140 |
+
|
141 |
+
self.mlp = MLPBlock(embedding_dim, mlp_dim, activation)
|
142 |
+
self.norm3 = nn.LayerNorm(embedding_dim)
|
143 |
+
|
144 |
+
self.norm4 = nn.LayerNorm(embedding_dim)
|
145 |
+
self.cross_attn_image_to_token = Attention(
|
146 |
+
embedding_dim, num_heads, downsample_rate=attention_downsample_rate
|
147 |
+
)
|
148 |
+
|
149 |
+
self.skip_first_layer_pe = skip_first_layer_pe
|
150 |
+
|
151 |
+
def forward(
|
152 |
+
self, queries: Tensor, keys: Tensor, query_pe: Tensor, key_pe: Tensor
|
153 |
+
) -> Tuple[Tensor, Tensor]:
|
154 |
+
# Self attention block
|
155 |
+
if self.skip_first_layer_pe:
|
156 |
+
queries = self.self_attn(q=queries, k=queries, v=queries)
|
157 |
+
else:
|
158 |
+
q = queries + query_pe
|
159 |
+
attn_out = self.self_attn(q=q, k=q, v=queries)
|
160 |
+
queries = queries + attn_out
|
161 |
+
queries = self.norm1(queries)
|
162 |
+
|
163 |
+
# Cross attention block, tokens attending to image embedding
|
164 |
+
q = queries + query_pe
|
165 |
+
k = keys + key_pe
|
166 |
+
attn_out = self.cross_attn_token_to_image(q=q, k=k, v=keys)
|
167 |
+
queries = queries + attn_out
|
168 |
+
queries = self.norm2(queries)
|
169 |
+
|
170 |
+
# MLP block
|
171 |
+
mlp_out = self.mlp(queries)
|
172 |
+
queries = queries + mlp_out
|
173 |
+
queries = self.norm3(queries)
|
174 |
+
|
175 |
+
# Cross attention block, image embedding attending to tokens
|
176 |
+
q = queries + query_pe
|
177 |
+
k = keys + key_pe
|
178 |
+
attn_out = self.cross_attn_image_to_token(q=k, k=q, v=queries)
|
179 |
+
keys = keys + attn_out
|
180 |
+
keys = self.norm4(keys)
|
181 |
+
|
182 |
+
return queries, keys
|
183 |
+
|
184 |
+
|
185 |
+
class Attention(nn.Module):
|
186 |
+
"""
|
187 |
+
An attention layer that allows for downscaling the size of the embedding
|
188 |
+
after projection to queries, keys, and values.
|
189 |
+
"""
|
190 |
+
|
191 |
+
def __init__(
|
192 |
+
self,
|
193 |
+
embedding_dim: int,
|
194 |
+
num_heads: int,
|
195 |
+
downsample_rate: int = 1,
|
196 |
+
) -> None:
|
197 |
+
super().__init__()
|
198 |
+
self.embedding_dim = embedding_dim
|
199 |
+
self.internal_dim = embedding_dim // downsample_rate
|
200 |
+
self.num_heads = num_heads
|
201 |
+
assert self.internal_dim % num_heads == 0, "num_heads must divide embedding_dim."
|
202 |
+
|
203 |
+
self.q_proj = nn.Linear(embedding_dim, self.internal_dim)
|
204 |
+
self.k_proj = nn.Linear(embedding_dim, self.internal_dim)
|
205 |
+
self.v_proj = nn.Linear(embedding_dim, self.internal_dim)
|
206 |
+
self.out_proj = nn.Linear(self.internal_dim, embedding_dim)
|
207 |
+
|
208 |
+
def _separate_heads(self, x: Tensor, num_heads: int) -> Tensor:
|
209 |
+
b, n, c = x.shape
|
210 |
+
x = x.reshape(b, n, num_heads, c // num_heads)
|
211 |
+
return x.transpose(1, 2) # B x N_heads x N_tokens x C_per_head
|
212 |
+
|
213 |
+
def _recombine_heads(self, x: Tensor) -> Tensor:
|
214 |
+
b, n_heads, n_tokens, c_per_head = x.shape
|
215 |
+
x = x.transpose(1, 2)
|
216 |
+
return x.reshape(b, n_tokens, n_heads * c_per_head) # B x N_tokens x C
|
217 |
+
|
218 |
+
def forward(self, q: Tensor, k: Tensor, v: Tensor) -> Tensor:
|
219 |
+
# Input projections
|
220 |
+
q = self.q_proj(q)
|
221 |
+
k = self.k_proj(k)
|
222 |
+
v = self.v_proj(v)
|
223 |
+
|
224 |
+
# Separate into heads
|
225 |
+
q = self._separate_heads(q, self.num_heads)
|
226 |
+
k = self._separate_heads(k, self.num_heads)
|
227 |
+
v = self._separate_heads(v, self.num_heads)
|
228 |
+
|
229 |
+
# Attention
|
230 |
+
_, _, _, c_per_head = q.shape
|
231 |
+
attn = q @ k.permute(0, 1, 3, 2) # B x N_heads x N_tokens x N_tokens
|
232 |
+
attn = attn / math.sqrt(c_per_head)
|
233 |
+
attn = torch.softmax(attn, dim=-1)
|
234 |
+
|
235 |
+
# Get output
|
236 |
+
out = attn @ v
|
237 |
+
out = self._recombine_heads(out)
|
238 |
+
out = self.out_proj(out)
|
239 |
+
|
240 |
+
return out
|
segment_anything/predictor.py
ADDED
@@ -0,0 +1,275 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import numpy as np
|
8 |
+
import torch
|
9 |
+
|
10 |
+
from segment_anything.modeling import Sam
|
11 |
+
|
12 |
+
from typing import Optional, Tuple
|
13 |
+
|
14 |
+
from .utils.transforms import ResizeLongestSide
|
15 |
+
from .utils.amg import calculate_stability_score
|
16 |
+
|
17 |
+
|
18 |
+
class SamPredictor:
|
19 |
+
def __init__(
|
20 |
+
self,
|
21 |
+
sam_model: Sam,
|
22 |
+
) -> None:
|
23 |
+
"""
|
24 |
+
Uses SAM to calculate the image embedding for an image, and then
|
25 |
+
allow repeated, efficient mask prediction given prompts.
|
26 |
+
|
27 |
+
Arguments:
|
28 |
+
sam_model (Sam): The model to use for mask prediction.
|
29 |
+
"""
|
30 |
+
super().__init__()
|
31 |
+
self.model = sam_model
|
32 |
+
self.transform = ResizeLongestSide(sam_model.image_encoder.img_size)
|
33 |
+
self.stability_score_offset = 1.0
|
34 |
+
self.reset_image()
|
35 |
+
|
36 |
+
def set_image(
|
37 |
+
self,
|
38 |
+
image: np.ndarray,
|
39 |
+
image_format: str = "RGB",
|
40 |
+
) -> None:
|
41 |
+
"""
|
42 |
+
Calculates the image embeddings for the provided image, allowing
|
43 |
+
masks to be predicted with the 'predict' method.
|
44 |
+
|
45 |
+
Arguments:
|
46 |
+
image (np.ndarray): The image for calculating masks. Expects an
|
47 |
+
image in HWC uint8 format, with pixel values in [0, 255].
|
48 |
+
image_format (str): The color format of the image, in ['RGB', 'BGR'].
|
49 |
+
"""
|
50 |
+
assert image_format in [
|
51 |
+
"RGB",
|
52 |
+
"BGR",
|
53 |
+
], f"image_format must be in ['RGB', 'BGR'], is {image_format}."
|
54 |
+
if image_format != self.model.image_format:
|
55 |
+
image = image[..., ::-1]
|
56 |
+
|
57 |
+
# Transform the image to the form expected by the model
|
58 |
+
input_image = self.transform.apply_image(image)
|
59 |
+
input_image_torch = torch.as_tensor(input_image, device=self.device)
|
60 |
+
input_image_torch = input_image_torch.permute(2, 0, 1).contiguous()[None, :, :, :]
|
61 |
+
|
62 |
+
self.set_torch_image(input_image_torch, image.shape[:2])
|
63 |
+
|
64 |
+
@torch.no_grad()
|
65 |
+
def set_torch_image(
|
66 |
+
self,
|
67 |
+
transformed_image: torch.Tensor,
|
68 |
+
original_image_size: Tuple[int, ...],
|
69 |
+
) -> None:
|
70 |
+
"""
|
71 |
+
Calculates the image embeddings for the provided image, allowing
|
72 |
+
masks to be predicted with the 'predict' method. Expects the input
|
73 |
+
image to be already transformed to the format expected by the model.
|
74 |
+
|
75 |
+
Arguments:
|
76 |
+
transformed_image (torch.Tensor): The input image, with shape
|
77 |
+
1x3xHxW, which has been transformed with ResizeLongestSide.
|
78 |
+
original_image_size (tuple(int, int)): The size of the image
|
79 |
+
before transformation, in (H, W) format.
|
80 |
+
"""
|
81 |
+
assert (
|
82 |
+
len(transformed_image.shape) == 4
|
83 |
+
and transformed_image.shape[1] == 3
|
84 |
+
and max(*transformed_image.shape[2:]) == self.model.image_encoder.img_size
|
85 |
+
), f"set_torch_image input must be BCHW with long side {self.model.image_encoder.img_size}."
|
86 |
+
self.reset_image()
|
87 |
+
|
88 |
+
self.original_size = original_image_size
|
89 |
+
self.input_size = tuple(transformed_image.shape[-2:])
|
90 |
+
input_image = self.model.preprocess(transformed_image)
|
91 |
+
self.features = self.model.image_encoder(input_image)
|
92 |
+
self.is_image_set = True
|
93 |
+
|
94 |
+
def predict(
|
95 |
+
self,
|
96 |
+
point_coords: Optional[np.ndarray] = None,
|
97 |
+
point_labels: Optional[np.ndarray] = None,
|
98 |
+
box: Optional[np.ndarray] = None,
|
99 |
+
mask_input: Optional[np.ndarray] = None,
|
100 |
+
num_multimask_outputs: int = 3,
|
101 |
+
return_logits: bool = False,
|
102 |
+
use_stability_score: bool = False
|
103 |
+
) -> Tuple[np.ndarray, np.ndarray, np.ndarray]:
|
104 |
+
"""
|
105 |
+
Predict masks for the given input prompts, using the currently set image.
|
106 |
+
|
107 |
+
Arguments:
|
108 |
+
point_coords (np.ndarray or None): A Nx2 array of point prompts to the
|
109 |
+
model. Each point is in (X,Y) in pixels.
|
110 |
+
point_labels (np.ndarray or None): A length N array of labels for the
|
111 |
+
point prompts. 1 indicates a foreground point and 0 indicates a
|
112 |
+
background point.
|
113 |
+
box (np.ndarray or None): A length 4 array given a box prompt to the
|
114 |
+
model, in XYXY format.
|
115 |
+
mask_input (np.ndarray): A low resolution mask input to the model, typically
|
116 |
+
coming from a previous prediction iteration. Has form 1xHxW, where
|
117 |
+
for SAM, H=W=256.
|
118 |
+
num_multimask_outputs (int): the number of masks to predict
|
119 |
+
when disambiguating masks. Choices: 1, 3, 4.
|
120 |
+
return_logits (bool): If true, returns un-thresholded masks logits
|
121 |
+
instead of a binary mask.
|
122 |
+
use_stability_score (bool): If true, use stability scores to substitute
|
123 |
+
IoU predictions.
|
124 |
+
|
125 |
+
Returns:
|
126 |
+
(np.ndarray): The output masks in CxHxW format, where C is the
|
127 |
+
number of masks, and (H, W) is the original image size.
|
128 |
+
(np.ndarray): An array of length C containing the model's
|
129 |
+
predictions for the quality of each mask.
|
130 |
+
(np.ndarray): An array of shape CxHxW, where C is the number
|
131 |
+
of masks and H=W=256. These low resolution logits can be passed to
|
132 |
+
a subsequent iteration as mask input.
|
133 |
+
"""
|
134 |
+
if not self.is_image_set:
|
135 |
+
raise RuntimeError("An image must be set with .set_image(...) before mask prediction.")
|
136 |
+
|
137 |
+
# Transform input prompts
|
138 |
+
coords_torch, labels_torch, box_torch, mask_input_torch = None, None, None, None
|
139 |
+
if point_coords is not None:
|
140 |
+
assert (
|
141 |
+
point_labels is not None
|
142 |
+
), "point_labels must be supplied if point_coords is supplied."
|
143 |
+
point_coords = self.transform.apply_coords(point_coords, self.original_size)
|
144 |
+
coords_torch = torch.as_tensor(point_coords, dtype=torch.float, device=self.device)
|
145 |
+
labels_torch = torch.as_tensor(point_labels, dtype=torch.int, device=self.device)
|
146 |
+
coords_torch, labels_torch = coords_torch[None, :, :], labels_torch[None, :]
|
147 |
+
if box is not None:
|
148 |
+
box = self.transform.apply_boxes(box, self.original_size)
|
149 |
+
box_torch = torch.as_tensor(box, dtype=torch.float, device=self.device)
|
150 |
+
box_torch = box_torch[None, :]
|
151 |
+
if mask_input is not None:
|
152 |
+
mask_input_torch = torch.as_tensor(mask_input, dtype=torch.float, device=self.device)
|
153 |
+
mask_input_torch = mask_input_torch[None, :, :, :]
|
154 |
+
|
155 |
+
masks, iou_predictions, low_res_masks = self.predict_torch(
|
156 |
+
coords_torch,
|
157 |
+
labels_torch,
|
158 |
+
box_torch,
|
159 |
+
mask_input_torch,
|
160 |
+
num_multimask_outputs,
|
161 |
+
return_logits=return_logits,
|
162 |
+
use_stability_score=use_stability_score
|
163 |
+
)
|
164 |
+
|
165 |
+
masks_np = masks[0].detach().cpu().numpy()
|
166 |
+
iou_predictions_np = iou_predictions[0].detach().cpu().numpy()
|
167 |
+
low_res_masks_np = low_res_masks[0].detach().cpu().numpy()
|
168 |
+
return masks_np, iou_predictions_np, low_res_masks_np
|
169 |
+
|
170 |
+
@torch.no_grad()
|
171 |
+
def predict_torch(
|
172 |
+
self,
|
173 |
+
point_coords: Optional[torch.Tensor],
|
174 |
+
point_labels: Optional[torch.Tensor],
|
175 |
+
boxes: Optional[torch.Tensor] = None,
|
176 |
+
mask_input: Optional[torch.Tensor] = None,
|
177 |
+
num_multimask_outputs: int = 3,
|
178 |
+
return_logits: bool = False,
|
179 |
+
use_stability_score: bool = True
|
180 |
+
) -> Tuple[torch.Tensor, torch.Tensor, torch.Tensor]:
|
181 |
+
"""
|
182 |
+
Predict masks for the given input prompts, using the currently set image.
|
183 |
+
Input prompts are batched torch tensors and are expected to already be
|
184 |
+
transformed to the input frame using ResizeLongestSide.
|
185 |
+
|
186 |
+
Arguments:
|
187 |
+
point_coords (torch.Tensor or None): A BxNx2 array of point prompts to the
|
188 |
+
model. Each point is in (X,Y) in pixels.
|
189 |
+
point_labels (torch.Tensor or None): A BxN array of labels for the
|
190 |
+
point prompts. 1 indicates a foreground point and 0 indicates a
|
191 |
+
background point.
|
192 |
+
boxes (np.ndarray or None): A Bx4 array given a box prompt to the
|
193 |
+
model, in XYXY format.
|
194 |
+
mask_input (np.ndarray): A low resolution mask input to the model, typically
|
195 |
+
coming from a previous prediction iteration. Has form Bx1xHxW, where
|
196 |
+
for SAM, H=W=256. Masks returned by a previous iteration of the
|
197 |
+
predict method do not need further transformation.
|
198 |
+
num_multimask_outputs (int): the number of masks to predict
|
199 |
+
when disambiguating masks. Choices: 1, 3, 4.
|
200 |
+
return_logits (bool): If true, returns un-thresholded masks logits
|
201 |
+
instead of a binary mask.
|
202 |
+
use_stability_score (bool): If true, use stability scores to substitute
|
203 |
+
IoU predictions.
|
204 |
+
|
205 |
+
Returns:
|
206 |
+
(torch.Tensor): The output masks in BxCxHxW format, where C is the
|
207 |
+
number of masks, and (H, W) is the original image size.
|
208 |
+
(torch.Tensor): An array of shape BxC containing the model's
|
209 |
+
predictions for the quality of each mask.
|
210 |
+
(torch.Tensor): An array of shape BxCxHxW, where C is the number
|
211 |
+
of masks and H=W=256. These low res logits can be passed to
|
212 |
+
a subsequent iteration as mask input.
|
213 |
+
"""
|
214 |
+
if not self.is_image_set:
|
215 |
+
raise RuntimeError("An image must be set with .set_image(...) before mask prediction.")
|
216 |
+
|
217 |
+
if point_coords is not None:
|
218 |
+
points = (point_coords, point_labels)
|
219 |
+
else:
|
220 |
+
points = None
|
221 |
+
|
222 |
+
# Embed prompts
|
223 |
+
sparse_embeddings, dense_embeddings = self.model.prompt_encoder(
|
224 |
+
points=points,
|
225 |
+
boxes=boxes,
|
226 |
+
masks=mask_input,
|
227 |
+
)
|
228 |
+
|
229 |
+
# Predict masks
|
230 |
+
low_res_masks, iou_predictions = self.model.mask_decoder(
|
231 |
+
image_embeddings=self.features,
|
232 |
+
image_pe=self.model.prompt_encoder.get_dense_pe(),
|
233 |
+
sparse_prompt_embeddings=sparse_embeddings,
|
234 |
+
dense_prompt_embeddings=dense_embeddings,
|
235 |
+
num_multimask_outputs=num_multimask_outputs,
|
236 |
+
)
|
237 |
+
|
238 |
+
if use_stability_score:
|
239 |
+
iou_predictions = calculate_stability_score(
|
240 |
+
low_res_masks, self.model.mask_threshold, self.stability_score_offset
|
241 |
+
)
|
242 |
+
|
243 |
+
# Upscale the masks to the original image resolution
|
244 |
+
masks = self.model.postprocess_masks(low_res_masks, self.input_size, self.original_size)
|
245 |
+
|
246 |
+
if not return_logits:
|
247 |
+
masks = masks > self.model.mask_threshold
|
248 |
+
|
249 |
+
return masks, iou_predictions, low_res_masks
|
250 |
+
|
251 |
+
def get_image_embedding(self) -> torch.Tensor:
|
252 |
+
"""
|
253 |
+
Returns the image embeddings for the currently set image, with
|
254 |
+
shape 1xCxHxW, where C is the embedding dimension and (H,W) are
|
255 |
+
the embedding spatial dimension of SAM (typically C=256, H=W=64).
|
256 |
+
"""
|
257 |
+
if not self.is_image_set:
|
258 |
+
raise RuntimeError(
|
259 |
+
"An image must be set with .set_image(...) to generate an embedding."
|
260 |
+
)
|
261 |
+
assert self.features is not None, "Features must exist if an image has been set."
|
262 |
+
return self.features
|
263 |
+
|
264 |
+
@property
|
265 |
+
def device(self) -> torch.device:
|
266 |
+
return self.model.device
|
267 |
+
|
268 |
+
def reset_image(self) -> None:
|
269 |
+
"""Resets the currently set image."""
|
270 |
+
self.is_image_set = False
|
271 |
+
self.features = None
|
272 |
+
self.orig_h = None
|
273 |
+
self.orig_w = None
|
274 |
+
self.input_h = None
|
275 |
+
self.input_w = None
|
segment_anything/utils/__init__.py
ADDED
@@ -0,0 +1,5 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
segment_anything/utils/amg.py
ADDED
@@ -0,0 +1,346 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import numpy as np
|
8 |
+
import torch
|
9 |
+
|
10 |
+
import math
|
11 |
+
from copy import deepcopy
|
12 |
+
from itertools import product
|
13 |
+
from typing import Any, Dict, Generator, ItemsView, List, Tuple
|
14 |
+
|
15 |
+
|
16 |
+
class MaskData:
|
17 |
+
"""
|
18 |
+
A structure for storing masks and their related data in batched format.
|
19 |
+
Implements basic filtering and concatenation.
|
20 |
+
"""
|
21 |
+
|
22 |
+
def __init__(self, **kwargs) -> None:
|
23 |
+
for v in kwargs.values():
|
24 |
+
assert isinstance(
|
25 |
+
v, (list, np.ndarray, torch.Tensor)
|
26 |
+
), "MaskData only supports list, numpy arrays, and torch tensors."
|
27 |
+
self._stats = dict(**kwargs)
|
28 |
+
|
29 |
+
def __setitem__(self, key: str, item: Any) -> None:
|
30 |
+
assert isinstance(
|
31 |
+
item, (list, np.ndarray, torch.Tensor)
|
32 |
+
), "MaskData only supports list, numpy arrays, and torch tensors."
|
33 |
+
self._stats[key] = item
|
34 |
+
|
35 |
+
def __delitem__(self, key: str) -> None:
|
36 |
+
del self._stats[key]
|
37 |
+
|
38 |
+
def __getitem__(self, key: str) -> Any:
|
39 |
+
return self._stats[key]
|
40 |
+
|
41 |
+
def items(self) -> ItemsView[str, Any]:
|
42 |
+
return self._stats.items()
|
43 |
+
|
44 |
+
def filter(self, keep: torch.Tensor) -> None:
|
45 |
+
for k, v in self._stats.items():
|
46 |
+
if v is None:
|
47 |
+
self._stats[k] = None
|
48 |
+
elif isinstance(v, torch.Tensor):
|
49 |
+
self._stats[k] = v[torch.as_tensor(keep, device=v.device)]
|
50 |
+
elif isinstance(v, np.ndarray):
|
51 |
+
self._stats[k] = v[keep.detach().cpu().numpy()]
|
52 |
+
elif isinstance(v, list) and keep.dtype == torch.bool:
|
53 |
+
self._stats[k] = [a for i, a in enumerate(v) if keep[i]]
|
54 |
+
elif isinstance(v, list):
|
55 |
+
self._stats[k] = [v[i] for i in keep]
|
56 |
+
else:
|
57 |
+
raise TypeError(f"MaskData key {k} has an unsupported type {type(v)}.")
|
58 |
+
|
59 |
+
def cat(self, new_stats: "MaskData") -> None:
|
60 |
+
for k, v in new_stats.items():
|
61 |
+
if k not in self._stats or self._stats[k] is None:
|
62 |
+
self._stats[k] = deepcopy(v)
|
63 |
+
elif isinstance(v, torch.Tensor):
|
64 |
+
self._stats[k] = torch.cat([self._stats[k], v], dim=0)
|
65 |
+
elif isinstance(v, np.ndarray):
|
66 |
+
self._stats[k] = np.concatenate([self._stats[k], v], axis=0)
|
67 |
+
elif isinstance(v, list):
|
68 |
+
self._stats[k] = self._stats[k] + deepcopy(v)
|
69 |
+
else:
|
70 |
+
raise TypeError(f"MaskData key {k} has an unsupported type {type(v)}.")
|
71 |
+
|
72 |
+
def to_numpy(self) -> None:
|
73 |
+
for k, v in self._stats.items():
|
74 |
+
if isinstance(v, torch.Tensor):
|
75 |
+
self._stats[k] = v.detach().cpu().numpy()
|
76 |
+
|
77 |
+
|
78 |
+
def is_box_near_crop_edge(
|
79 |
+
boxes: torch.Tensor, crop_box: List[int], orig_box: List[int], atol: float = 20.0
|
80 |
+
) -> torch.Tensor:
|
81 |
+
"""Filter masks at the edge of a crop, but not at the edge of the original image."""
|
82 |
+
crop_box_torch = torch.as_tensor(crop_box, dtype=torch.float, device=boxes.device)
|
83 |
+
orig_box_torch = torch.as_tensor(orig_box, dtype=torch.float, device=boxes.device)
|
84 |
+
boxes = uncrop_boxes_xyxy(boxes, crop_box).float()
|
85 |
+
near_crop_edge = torch.isclose(boxes, crop_box_torch[None, :], atol=atol, rtol=0)
|
86 |
+
near_image_edge = torch.isclose(boxes, orig_box_torch[None, :], atol=atol, rtol=0)
|
87 |
+
near_crop_edge = torch.logical_and(near_crop_edge, ~near_image_edge)
|
88 |
+
return torch.any(near_crop_edge, dim=1)
|
89 |
+
|
90 |
+
|
91 |
+
def box_xyxy_to_xywh(box_xyxy: torch.Tensor) -> torch.Tensor:
|
92 |
+
box_xywh = deepcopy(box_xyxy)
|
93 |
+
box_xywh[2] = box_xywh[2] - box_xywh[0]
|
94 |
+
box_xywh[3] = box_xywh[3] - box_xywh[1]
|
95 |
+
return box_xywh
|
96 |
+
|
97 |
+
|
98 |
+
def batch_iterator(batch_size: int, *args) -> Generator[List[Any], None, None]:
|
99 |
+
assert len(args) > 0 and all(
|
100 |
+
len(a) == len(args[0]) for a in args
|
101 |
+
), "Batched iteration must have inputs of all the same size."
|
102 |
+
n_batches = len(args[0]) // batch_size + int(len(args[0]) % batch_size != 0)
|
103 |
+
for b in range(n_batches):
|
104 |
+
yield [arg[b * batch_size : (b + 1) * batch_size] for arg in args]
|
105 |
+
|
106 |
+
|
107 |
+
def mask_to_rle_pytorch(tensor: torch.Tensor) -> List[Dict[str, Any]]:
|
108 |
+
"""
|
109 |
+
Encodes masks to an uncompressed RLE, in the format expected by
|
110 |
+
pycoco tools.
|
111 |
+
"""
|
112 |
+
# Put in fortran order and flatten h,w
|
113 |
+
b, h, w = tensor.shape
|
114 |
+
tensor = tensor.permute(0, 2, 1).flatten(1)
|
115 |
+
|
116 |
+
# Compute change indices
|
117 |
+
diff = tensor[:, 1:] ^ tensor[:, :-1]
|
118 |
+
change_indices = diff.nonzero()
|
119 |
+
|
120 |
+
# Encode run length
|
121 |
+
out = []
|
122 |
+
for i in range(b):
|
123 |
+
cur_idxs = change_indices[change_indices[:, 0] == i, 1]
|
124 |
+
cur_idxs = torch.cat(
|
125 |
+
[
|
126 |
+
torch.tensor([0], dtype=cur_idxs.dtype, device=cur_idxs.device),
|
127 |
+
cur_idxs + 1,
|
128 |
+
torch.tensor([h * w], dtype=cur_idxs.dtype, device=cur_idxs.device),
|
129 |
+
]
|
130 |
+
)
|
131 |
+
btw_idxs = cur_idxs[1:] - cur_idxs[:-1]
|
132 |
+
counts = [] if tensor[i, 0] == 0 else [0]
|
133 |
+
counts.extend(btw_idxs.detach().cpu().tolist())
|
134 |
+
out.append({"size": [h, w], "counts": counts})
|
135 |
+
return out
|
136 |
+
|
137 |
+
|
138 |
+
def rle_to_mask(rle: Dict[str, Any]) -> np.ndarray:
|
139 |
+
"""Compute a binary mask from an uncompressed RLE."""
|
140 |
+
h, w = rle["size"]
|
141 |
+
mask = np.empty(h * w, dtype=bool)
|
142 |
+
idx = 0
|
143 |
+
parity = False
|
144 |
+
for count in rle["counts"]:
|
145 |
+
mask[idx : idx + count] = parity
|
146 |
+
idx += count
|
147 |
+
parity ^= True
|
148 |
+
mask = mask.reshape(w, h)
|
149 |
+
return mask.transpose() # Put in C order
|
150 |
+
|
151 |
+
|
152 |
+
def area_from_rle(rle: Dict[str, Any]) -> int:
|
153 |
+
return sum(rle["counts"][1::2])
|
154 |
+
|
155 |
+
|
156 |
+
def calculate_stability_score(
|
157 |
+
masks: torch.Tensor, mask_threshold: float, threshold_offset: float
|
158 |
+
) -> torch.Tensor:
|
159 |
+
"""
|
160 |
+
Computes the stability score for a batch of masks. The stability
|
161 |
+
score is the IoU between the binary masks obtained by thresholding
|
162 |
+
the predicted mask logits at high and low values.
|
163 |
+
"""
|
164 |
+
# One mask is always contained inside the other.
|
165 |
+
# Save memory by preventing unnecessary cast to torch.int64
|
166 |
+
intersections = (
|
167 |
+
(masks > (mask_threshold + threshold_offset))
|
168 |
+
.sum(-1, dtype=torch.int16)
|
169 |
+
.sum(-1, dtype=torch.int32)
|
170 |
+
)
|
171 |
+
unions = (
|
172 |
+
(masks > (mask_threshold - threshold_offset))
|
173 |
+
.sum(-1, dtype=torch.int16)
|
174 |
+
.sum(-1, dtype=torch.int32)
|
175 |
+
)
|
176 |
+
return intersections / unions
|
177 |
+
|
178 |
+
|
179 |
+
def build_point_grid(n_per_side: int) -> np.ndarray:
|
180 |
+
"""Generates a 2D grid of points evenly spaced in [0,1]x[0,1]."""
|
181 |
+
offset = 1 / (2 * n_per_side)
|
182 |
+
points_one_side = np.linspace(offset, 1 - offset, n_per_side)
|
183 |
+
points_x = np.tile(points_one_side[None, :], (n_per_side, 1))
|
184 |
+
points_y = np.tile(points_one_side[:, None], (1, n_per_side))
|
185 |
+
points = np.stack([points_x, points_y], axis=-1).reshape(-1, 2)
|
186 |
+
return points
|
187 |
+
|
188 |
+
|
189 |
+
def build_all_layer_point_grids(
|
190 |
+
n_per_side: int, n_layers: int, scale_per_layer: int
|
191 |
+
) -> List[np.ndarray]:
|
192 |
+
"""Generates point grids for all crop layers."""
|
193 |
+
points_by_layer = []
|
194 |
+
for i in range(n_layers + 1):
|
195 |
+
n_points = int(n_per_side / (scale_per_layer**i))
|
196 |
+
points_by_layer.append(build_point_grid(n_points))
|
197 |
+
return points_by_layer
|
198 |
+
|
199 |
+
|
200 |
+
def generate_crop_boxes(
|
201 |
+
im_size: Tuple[int, ...], n_layers: int, overlap_ratio: float
|
202 |
+
) -> Tuple[List[List[int]], List[int]]:
|
203 |
+
"""
|
204 |
+
Generates a list of crop boxes of different sizes. Each layer
|
205 |
+
has (2**i)**2 boxes for the ith layer.
|
206 |
+
"""
|
207 |
+
crop_boxes, layer_idxs = [], []
|
208 |
+
im_h, im_w = im_size
|
209 |
+
short_side = min(im_h, im_w)
|
210 |
+
|
211 |
+
# Original image
|
212 |
+
crop_boxes.append([0, 0, im_w, im_h])
|
213 |
+
layer_idxs.append(0)
|
214 |
+
|
215 |
+
def crop_len(orig_len, n_crops, overlap):
|
216 |
+
return int(math.ceil((overlap * (n_crops - 1) + orig_len) / n_crops))
|
217 |
+
|
218 |
+
for i_layer in range(n_layers):
|
219 |
+
n_crops_per_side = 2 ** (i_layer + 1)
|
220 |
+
overlap = int(overlap_ratio * short_side * (2 / n_crops_per_side))
|
221 |
+
|
222 |
+
crop_w = crop_len(im_w, n_crops_per_side, overlap)
|
223 |
+
crop_h = crop_len(im_h, n_crops_per_side, overlap)
|
224 |
+
|
225 |
+
crop_box_x0 = [int((crop_w - overlap) * i) for i in range(n_crops_per_side)]
|
226 |
+
crop_box_y0 = [int((crop_h - overlap) * i) for i in range(n_crops_per_side)]
|
227 |
+
|
228 |
+
# Crops in XYWH format
|
229 |
+
for x0, y0 in product(crop_box_x0, crop_box_y0):
|
230 |
+
box = [x0, y0, min(x0 + crop_w, im_w), min(y0 + crop_h, im_h)]
|
231 |
+
crop_boxes.append(box)
|
232 |
+
layer_idxs.append(i_layer + 1)
|
233 |
+
|
234 |
+
return crop_boxes, layer_idxs
|
235 |
+
|
236 |
+
|
237 |
+
def uncrop_boxes_xyxy(boxes: torch.Tensor, crop_box: List[int]) -> torch.Tensor:
|
238 |
+
x0, y0, _, _ = crop_box
|
239 |
+
offset = torch.tensor([[x0, y0, x0, y0]], device=boxes.device)
|
240 |
+
# Check if boxes has a channel dimension
|
241 |
+
if len(boxes.shape) == 3:
|
242 |
+
offset = offset.unsqueeze(1)
|
243 |
+
return boxes + offset
|
244 |
+
|
245 |
+
|
246 |
+
def uncrop_points(points: torch.Tensor, crop_box: List[int]) -> torch.Tensor:
|
247 |
+
x0, y0, _, _ = crop_box
|
248 |
+
offset = torch.tensor([[x0, y0]], device=points.device)
|
249 |
+
# Check if points has a channel dimension
|
250 |
+
if len(points.shape) == 3:
|
251 |
+
offset = offset.unsqueeze(1)
|
252 |
+
return points + offset
|
253 |
+
|
254 |
+
|
255 |
+
def uncrop_masks(
|
256 |
+
masks: torch.Tensor, crop_box: List[int], orig_h: int, orig_w: int
|
257 |
+
) -> torch.Tensor:
|
258 |
+
x0, y0, x1, y1 = crop_box
|
259 |
+
if x0 == 0 and y0 == 0 and x1 == orig_w and y1 == orig_h:
|
260 |
+
return masks
|
261 |
+
# Coordinate transform masks
|
262 |
+
pad_x, pad_y = orig_w - (x1 - x0), orig_h - (y1 - y0)
|
263 |
+
pad = (x0, pad_x - x0, y0, pad_y - y0)
|
264 |
+
return torch.nn.functional.pad(masks, pad, value=0)
|
265 |
+
|
266 |
+
|
267 |
+
def remove_small_regions(
|
268 |
+
mask: np.ndarray, area_thresh: float, mode: str
|
269 |
+
) -> Tuple[np.ndarray, bool]:
|
270 |
+
"""
|
271 |
+
Removes small disconnected regions and holes in a mask. Returns the
|
272 |
+
mask and an indicator of if the mask has been modified.
|
273 |
+
"""
|
274 |
+
import cv2 # type: ignore
|
275 |
+
|
276 |
+
assert mode in ["holes", "islands"]
|
277 |
+
correct_holes = mode == "holes"
|
278 |
+
working_mask = (correct_holes ^ mask).astype(np.uint8)
|
279 |
+
n_labels, regions, stats, _ = cv2.connectedComponentsWithStats(working_mask, 8)
|
280 |
+
sizes = stats[:, -1][1:] # Row 0 is background label
|
281 |
+
small_regions = [i + 1 for i, s in enumerate(sizes) if s < area_thresh]
|
282 |
+
if len(small_regions) == 0:
|
283 |
+
return mask, False
|
284 |
+
fill_labels = [0] + small_regions
|
285 |
+
if not correct_holes:
|
286 |
+
fill_labels = [i for i in range(n_labels) if i not in fill_labels]
|
287 |
+
# If every region is below threshold, keep largest
|
288 |
+
if len(fill_labels) == 0:
|
289 |
+
fill_labels = [int(np.argmax(sizes)) + 1]
|
290 |
+
mask = np.isin(regions, fill_labels)
|
291 |
+
return mask, True
|
292 |
+
|
293 |
+
|
294 |
+
def coco_encode_rle(uncompressed_rle: Dict[str, Any]) -> Dict[str, Any]:
|
295 |
+
from pycocotools import mask as mask_utils # type: ignore
|
296 |
+
|
297 |
+
h, w = uncompressed_rle["size"]
|
298 |
+
rle = mask_utils.frPyObjects(uncompressed_rle, h, w)
|
299 |
+
rle["counts"] = rle["counts"].decode("utf-8") # Necessary to serialize with json
|
300 |
+
return rle
|
301 |
+
|
302 |
+
|
303 |
+
def batched_mask_to_box(masks: torch.Tensor) -> torch.Tensor:
|
304 |
+
"""
|
305 |
+
Calculates boxes in XYXY format around masks. Return [0,0,0,0] for
|
306 |
+
an empty mask. For input shape C1xC2x...xHxW, the output shape is C1xC2x...x4.
|
307 |
+
"""
|
308 |
+
# torch.max below raises an error on empty inputs, just skip in this case
|
309 |
+
if torch.numel(masks) == 0:
|
310 |
+
return torch.zeros(*masks.shape[:-2], 4, device=masks.device)
|
311 |
+
|
312 |
+
# Normalize shape to CxHxW
|
313 |
+
shape = masks.shape
|
314 |
+
h, w = shape[-2:]
|
315 |
+
if len(shape) > 2:
|
316 |
+
masks = masks.flatten(0, -3)
|
317 |
+
else:
|
318 |
+
masks = masks.unsqueeze(0)
|
319 |
+
|
320 |
+
# Get top and bottom edges
|
321 |
+
in_height, _ = torch.max(masks, dim=-1)
|
322 |
+
in_height_coords = in_height * torch.arange(h, device=in_height.device)[None, :]
|
323 |
+
bottom_edges, _ = torch.max(in_height_coords, dim=-1)
|
324 |
+
in_height_coords = in_height_coords + h * (~in_height)
|
325 |
+
top_edges, _ = torch.min(in_height_coords, dim=-1)
|
326 |
+
|
327 |
+
# Get left and right edges
|
328 |
+
in_width, _ = torch.max(masks, dim=-2)
|
329 |
+
in_width_coords = in_width * torch.arange(w, device=in_width.device)[None, :]
|
330 |
+
right_edges, _ = torch.max(in_width_coords, dim=-1)
|
331 |
+
in_width_coords = in_width_coords + w * (~in_width)
|
332 |
+
left_edges, _ = torch.min(in_width_coords, dim=-1)
|
333 |
+
|
334 |
+
# If the mask is empty the right edge will be to the left of the left edge.
|
335 |
+
# Replace these boxes with [0, 0, 0, 0]
|
336 |
+
empty_filter = (right_edges < left_edges) | (bottom_edges < top_edges)
|
337 |
+
out = torch.stack([left_edges, top_edges, right_edges, bottom_edges], dim=-1)
|
338 |
+
out = out * (~empty_filter).unsqueeze(-1)
|
339 |
+
|
340 |
+
# Return to original shape
|
341 |
+
if len(shape) > 2:
|
342 |
+
out = out.reshape(*shape[:-2], 4)
|
343 |
+
else:
|
344 |
+
out = out[0]
|
345 |
+
|
346 |
+
return out
|
segment_anything/utils/coreml.py
ADDED
@@ -0,0 +1,64 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import torch
|
2 |
+
import torch.nn as nn
|
3 |
+
from ..modeling import Sam
|
4 |
+
from .amg import calculate_stability_score
|
5 |
+
|
6 |
+
|
7 |
+
class SamCoreMLModel(nn.Module):
|
8 |
+
"""
|
9 |
+
This model should not be called directly, but is used in CoreML export.
|
10 |
+
"""
|
11 |
+
|
12 |
+
def __init__(
|
13 |
+
self,
|
14 |
+
model: Sam,
|
15 |
+
use_stability_score: bool = False
|
16 |
+
) -> None:
|
17 |
+
super().__init__()
|
18 |
+
self.mask_decoder = model.mask_decoder
|
19 |
+
self.model = model
|
20 |
+
self.img_size = model.image_encoder.img_size
|
21 |
+
self.use_stability_score = use_stability_score
|
22 |
+
self.stability_score_offset = 1.0
|
23 |
+
|
24 |
+
def _embed_points(self, point_coords: torch.Tensor, point_labels: torch.Tensor) -> torch.Tensor:
|
25 |
+
point_coords = point_coords + 0.5
|
26 |
+
point_coords = point_coords / self.img_size
|
27 |
+
point_embedding = self.model.prompt_encoder.pe_layer._pe_encoding(point_coords)
|
28 |
+
point_labels = point_labels.unsqueeze(-1).expand_as(point_embedding)
|
29 |
+
|
30 |
+
point_embedding = point_embedding * (point_labels != -1)
|
31 |
+
point_embedding = point_embedding + self.model.prompt_encoder.not_a_point_embed.weight * (
|
32 |
+
point_labels == -1
|
33 |
+
)
|
34 |
+
|
35 |
+
for i in range(self.model.prompt_encoder.num_point_embeddings):
|
36 |
+
point_embedding = point_embedding + self.model.prompt_encoder.point_embeddings[
|
37 |
+
i
|
38 |
+
].weight * (point_labels == i)
|
39 |
+
|
40 |
+
return point_embedding
|
41 |
+
|
42 |
+
@torch.no_grad()
|
43 |
+
def forward(
|
44 |
+
self,
|
45 |
+
image_embeddings: torch.Tensor,
|
46 |
+
point_coords: torch.Tensor,
|
47 |
+
point_labels: torch.Tensor,
|
48 |
+
):
|
49 |
+
sparse_embedding = self._embed_points(point_coords, point_labels)
|
50 |
+
dense_embedding = self.model.prompt_encoder.no_mask_embed.weight.reshape(1, -1, 1, 1)
|
51 |
+
|
52 |
+
masks, scores = self.model.mask_decoder.predict_masks(
|
53 |
+
image_embeddings=image_embeddings,
|
54 |
+
image_pe=self.model.prompt_encoder.get_dense_pe(),
|
55 |
+
sparse_prompt_embeddings=sparse_embedding,
|
56 |
+
dense_prompt_embeddings=dense_embedding,
|
57 |
+
)
|
58 |
+
|
59 |
+
if self.use_stability_score:
|
60 |
+
scores = calculate_stability_score(
|
61 |
+
masks, self.model.mask_threshold, self.stability_score_offset
|
62 |
+
)
|
63 |
+
|
64 |
+
return scores, masks
|
segment_anything/utils/transforms.py
ADDED
@@ -0,0 +1,102 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
2 |
+
# All rights reserved.
|
3 |
+
|
4 |
+
# This source code is licensed under the license found in the
|
5 |
+
# LICENSE file in the root directory of this source tree.
|
6 |
+
|
7 |
+
import numpy as np
|
8 |
+
import torch
|
9 |
+
from torch.nn import functional as F
|
10 |
+
from torchvision.transforms.functional import resize, to_pil_image # type: ignore
|
11 |
+
|
12 |
+
from copy import deepcopy
|
13 |
+
from typing import Tuple
|
14 |
+
|
15 |
+
|
16 |
+
class ResizeLongestSide:
|
17 |
+
"""
|
18 |
+
Resizes images to the longest side 'target_length', as well as provides
|
19 |
+
methods for resizing coordinates and boxes. Provides methods for
|
20 |
+
transforming both numpy array and batched torch tensors.
|
21 |
+
"""
|
22 |
+
|
23 |
+
def __init__(self, target_length: int) -> None:
|
24 |
+
self.target_length = target_length
|
25 |
+
|
26 |
+
def apply_image(self, image: np.ndarray) -> np.ndarray:
|
27 |
+
"""
|
28 |
+
Expects a numpy array with shape HxWxC in uint8 format.
|
29 |
+
"""
|
30 |
+
target_size = self.get_preprocess_shape(image.shape[0], image.shape[1], self.target_length)
|
31 |
+
return np.array(resize(to_pil_image(image), target_size))
|
32 |
+
|
33 |
+
def apply_coords(self, coords: np.ndarray, original_size: Tuple[int, ...]) -> np.ndarray:
|
34 |
+
"""
|
35 |
+
Expects a numpy array of length 2 in the final dimension. Requires the
|
36 |
+
original image size in (H, W) format.
|
37 |
+
"""
|
38 |
+
old_h, old_w = original_size
|
39 |
+
new_h, new_w = self.get_preprocess_shape(
|
40 |
+
original_size[0], original_size[1], self.target_length
|
41 |
+
)
|
42 |
+
coords = deepcopy(coords).astype(float)
|
43 |
+
coords[..., 0] = coords[..., 0] * (new_w / old_w)
|
44 |
+
coords[..., 1] = coords[..., 1] * (new_h / old_h)
|
45 |
+
return coords
|
46 |
+
|
47 |
+
def apply_boxes(self, boxes: np.ndarray, original_size: Tuple[int, ...]) -> np.ndarray:
|
48 |
+
"""
|
49 |
+
Expects a numpy array shape Bx4. Requires the original image size
|
50 |
+
in (H, W) format.
|
51 |
+
"""
|
52 |
+
boxes = self.apply_coords(boxes.reshape(-1, 2, 2), original_size)
|
53 |
+
return boxes.reshape(-1, 4)
|
54 |
+
|
55 |
+
def apply_image_torch(self, image: torch.Tensor) -> torch.Tensor:
|
56 |
+
"""
|
57 |
+
Expects batched images with shape BxCxHxW and float format. This
|
58 |
+
transformation may not exactly match apply_image. apply_image is
|
59 |
+
the transformation expected by the model.
|
60 |
+
"""
|
61 |
+
# Expects an image in BCHW format. May not exactly match apply_image.
|
62 |
+
target_size = self.get_preprocess_shape(image.shape[2], image.shape[3], self.target_length)
|
63 |
+
return F.interpolate(
|
64 |
+
image, target_size, mode="bilinear", align_corners=False, antialias=True
|
65 |
+
)
|
66 |
+
|
67 |
+
def apply_coords_torch(
|
68 |
+
self, coords: torch.Tensor, original_size: Tuple[int, ...]
|
69 |
+
) -> torch.Tensor:
|
70 |
+
"""
|
71 |
+
Expects a torch tensor with length 2 in the last dimension. Requires the
|
72 |
+
original image size in (H, W) format.
|
73 |
+
"""
|
74 |
+
old_h, old_w = original_size
|
75 |
+
new_h, new_w = self.get_preprocess_shape(
|
76 |
+
original_size[0], original_size[1], self.target_length
|
77 |
+
)
|
78 |
+
coords = deepcopy(coords).to(torch.float)
|
79 |
+
coords[..., 0] = coords[..., 0] * (new_w / old_w)
|
80 |
+
coords[..., 1] = coords[..., 1] * (new_h / old_h)
|
81 |
+
return coords
|
82 |
+
|
83 |
+
def apply_boxes_torch(
|
84 |
+
self, boxes: torch.Tensor, original_size: Tuple[int, ...]
|
85 |
+
) -> torch.Tensor:
|
86 |
+
"""
|
87 |
+
Expects a torch tensor with shape Bx4. Requires the original image
|
88 |
+
size in (H, W) format.
|
89 |
+
"""
|
90 |
+
boxes = self.apply_coords_torch(boxes.reshape(-1, 2, 2), original_size)
|
91 |
+
return boxes.reshape(-1, 4)
|
92 |
+
|
93 |
+
@staticmethod
|
94 |
+
def get_preprocess_shape(oldh: int, oldw: int, long_side_length: int) -> Tuple[int, int]:
|
95 |
+
"""
|
96 |
+
Compute the output size given input size and target long side length.
|
97 |
+
"""
|
98 |
+
scale = long_side_length * 1.0 / max(oldh, oldw)
|
99 |
+
newh, neww = oldh * scale, oldw * scale
|
100 |
+
neww = int(neww + 0.5)
|
101 |
+
newh = int(newh + 0.5)
|
102 |
+
return (newh, neww)
|
utils/__init__.py
ADDED
File without changes
|
utils/tools.py
ADDED
@@ -0,0 +1,406 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import os
|
2 |
+
import sys
|
3 |
+
|
4 |
+
import cv2
|
5 |
+
import matplotlib.pyplot as plt
|
6 |
+
import numpy as np
|
7 |
+
import torch
|
8 |
+
from PIL import Image
|
9 |
+
|
10 |
+
|
11 |
+
def convert_box_xywh_to_xyxy(box):
|
12 |
+
x1 = box[0]
|
13 |
+
y1 = box[1]
|
14 |
+
x2 = box[0] + box[2]
|
15 |
+
y2 = box[1] + box[3]
|
16 |
+
return [x1, y1, x2, y2]
|
17 |
+
|
18 |
+
|
19 |
+
def segment_image(image, bbox):
|
20 |
+
image_array = np.array(image)
|
21 |
+
segmented_image_array = np.zeros_like(image_array)
|
22 |
+
x1, y1, x2, y2 = bbox
|
23 |
+
segmented_image_array[y1:y2, x1:x2] = image_array[y1:y2, x1:x2]
|
24 |
+
segmented_image = Image.fromarray(segmented_image_array)
|
25 |
+
black_image = Image.new("RGB", image.size, (255, 255, 255))
|
26 |
+
# transparency_mask = np.zeros_like((), dtype=np.uint8)
|
27 |
+
transparency_mask = np.zeros(
|
28 |
+
(image_array.shape[0], image_array.shape[1]), dtype=np.uint8
|
29 |
+
)
|
30 |
+
transparency_mask[y1:y2, x1:x2] = 255
|
31 |
+
transparency_mask_image = Image.fromarray(transparency_mask, mode="L")
|
32 |
+
black_image.paste(segmented_image, mask=transparency_mask_image)
|
33 |
+
return black_image
|
34 |
+
|
35 |
+
|
36 |
+
def format_results(masks, scores, logits, filter=0):
|
37 |
+
annotations = []
|
38 |
+
n = len(scores)
|
39 |
+
for i in range(n):
|
40 |
+
annotation = {}
|
41 |
+
|
42 |
+
mask = masks[i]
|
43 |
+
tmp = np.where(mask != 0)
|
44 |
+
if np.sum(mask) < filter:
|
45 |
+
continue
|
46 |
+
annotation["id"] = i
|
47 |
+
annotation["segmentation"] = mask
|
48 |
+
annotation["bbox"] = [
|
49 |
+
np.min(tmp[0]),
|
50 |
+
np.min(tmp[1]),
|
51 |
+
np.max(tmp[1]),
|
52 |
+
np.max(tmp[0]),
|
53 |
+
]
|
54 |
+
annotation["score"] = scores[i]
|
55 |
+
annotation["area"] = annotation["segmentation"].sum()
|
56 |
+
annotations.append(annotation)
|
57 |
+
return annotations
|
58 |
+
|
59 |
+
|
60 |
+
def filter_masks(annotations): # filter the overlap mask
|
61 |
+
annotations.sort(key=lambda x: x["area"], reverse=True)
|
62 |
+
to_remove = set()
|
63 |
+
for i in range(0, len(annotations)):
|
64 |
+
a = annotations[i]
|
65 |
+
for j in range(i + 1, len(annotations)):
|
66 |
+
b = annotations[j]
|
67 |
+
if i != j and j not in to_remove:
|
68 |
+
# check if
|
69 |
+
if b["area"] < a["area"]:
|
70 |
+
if (a["segmentation"] & b["segmentation"]).sum() / b[
|
71 |
+
"segmentation"
|
72 |
+
].sum() > 0.8:
|
73 |
+
to_remove.add(j)
|
74 |
+
|
75 |
+
return [a for i, a in enumerate(annotations) if i not in to_remove], to_remove
|
76 |
+
|
77 |
+
|
78 |
+
def get_bbox_from_mask(mask):
|
79 |
+
mask = mask.astype(np.uint8)
|
80 |
+
contours, hierarchy = cv2.findContours(
|
81 |
+
mask, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE
|
82 |
+
)
|
83 |
+
x1, y1, w, h = cv2.boundingRect(contours[0])
|
84 |
+
x2, y2 = x1 + w, y1 + h
|
85 |
+
if len(contours) > 1:
|
86 |
+
for b in contours:
|
87 |
+
x_t, y_t, w_t, h_t = cv2.boundingRect(b)
|
88 |
+
# 将多个bbox合并成一个
|
89 |
+
x1 = min(x1, x_t)
|
90 |
+
y1 = min(y1, y_t)
|
91 |
+
x2 = max(x2, x_t + w_t)
|
92 |
+
y2 = max(y2, y_t + h_t)
|
93 |
+
h = y2 - y1
|
94 |
+
w = x2 - x1
|
95 |
+
return [x1, y1, x2, y2]
|
96 |
+
|
97 |
+
|
98 |
+
def fast_process(
|
99 |
+
annotations, args, mask_random_color, bbox=None, points=None, edges=False
|
100 |
+
):
|
101 |
+
if isinstance(annotations[0], dict):
|
102 |
+
annotations = [annotation["segmentation"] for annotation in annotations]
|
103 |
+
result_name = os.path.basename(args.img_path)
|
104 |
+
image = cv2.imread(args.img_path)
|
105 |
+
image = cv2.cvtColor(image, cv2.COLOR_BGR2RGB)
|
106 |
+
original_h = image.shape[0]
|
107 |
+
original_w = image.shape[1]
|
108 |
+
if sys.platform == "darwin":
|
109 |
+
plt.switch_backend("TkAgg")
|
110 |
+
plt.figure(figsize=(original_w / 100, original_h / 100))
|
111 |
+
# Add subplot with no margin.
|
112 |
+
plt.subplots_adjust(top=1, bottom=0, right=1, left=0, hspace=0, wspace=0)
|
113 |
+
plt.margins(0, 0)
|
114 |
+
plt.gca().xaxis.set_major_locator(plt.NullLocator())
|
115 |
+
plt.gca().yaxis.set_major_locator(plt.NullLocator())
|
116 |
+
plt.imshow(image)
|
117 |
+
if args.better_quality == True:
|
118 |
+
if isinstance(annotations[0], torch.Tensor):
|
119 |
+
annotations = np.array(annotations.cpu())
|
120 |
+
for i, mask in enumerate(annotations):
|
121 |
+
mask = cv2.morphologyEx(
|
122 |
+
mask.astype(np.uint8), cv2.MORPH_CLOSE, np.ones((3, 3), np.uint8)
|
123 |
+
)
|
124 |
+
annotations[i] = cv2.morphologyEx(
|
125 |
+
mask.astype(np.uint8), cv2.MORPH_OPEN, np.ones((8, 8), np.uint8)
|
126 |
+
)
|
127 |
+
if args.device == "cpu":
|
128 |
+
annotations = np.array(annotations)
|
129 |
+
fast_show_mask(
|
130 |
+
annotations,
|
131 |
+
plt.gca(),
|
132 |
+
random_color=mask_random_color,
|
133 |
+
bbox=bbox,
|
134 |
+
points=points,
|
135 |
+
point_label=args.point_label,
|
136 |
+
retinamask=args.retina,
|
137 |
+
target_height=original_h,
|
138 |
+
target_width=original_w,
|
139 |
+
)
|
140 |
+
else:
|
141 |
+
if isinstance(annotations[0], np.ndarray):
|
142 |
+
annotations = torch.from_numpy(annotations)
|
143 |
+
fast_show_mask_gpu(
|
144 |
+
annotations,
|
145 |
+
plt.gca(),
|
146 |
+
random_color=args.randomcolor,
|
147 |
+
bbox=bbox,
|
148 |
+
points=points,
|
149 |
+
point_label=args.point_label,
|
150 |
+
retinamask=args.retina,
|
151 |
+
target_height=original_h,
|
152 |
+
target_width=original_w,
|
153 |
+
)
|
154 |
+
if isinstance(annotations, torch.Tensor):
|
155 |
+
annotations = annotations.cpu().numpy()
|
156 |
+
if args.withContours == True:
|
157 |
+
contour_all = []
|
158 |
+
temp = np.zeros((original_h, original_w, 1))
|
159 |
+
for i, mask in enumerate(annotations):
|
160 |
+
if type(mask) == dict:
|
161 |
+
mask = mask["segmentation"]
|
162 |
+
annotation = mask.astype(np.uint8)
|
163 |
+
if args.retina == False:
|
164 |
+
annotation = cv2.resize(
|
165 |
+
annotation,
|
166 |
+
(original_w, original_h),
|
167 |
+
interpolation=cv2.INTER_NEAREST,
|
168 |
+
)
|
169 |
+
contours, hierarchy = cv2.findContours(
|
170 |
+
annotation, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE
|
171 |
+
)
|
172 |
+
for contour in contours:
|
173 |
+
contour_all.append(contour)
|
174 |
+
cv2.drawContours(temp, contour_all, -1, (255, 255, 255), 2)
|
175 |
+
color = np.array([0 / 255, 0 / 255, 255 / 255, 0.8])
|
176 |
+
contour_mask = temp / 255 * color.reshape(1, 1, -1)
|
177 |
+
plt.imshow(contour_mask)
|
178 |
+
|
179 |
+
save_path = args.output
|
180 |
+
if not os.path.exists(save_path):
|
181 |
+
os.makedirs(save_path)
|
182 |
+
plt.axis("off")
|
183 |
+
fig = plt.gcf()
|
184 |
+
plt.draw()
|
185 |
+
|
186 |
+
try:
|
187 |
+
buf = fig.canvas.tostring_rgb()
|
188 |
+
except AttributeError:
|
189 |
+
fig.canvas.draw()
|
190 |
+
buf = fig.canvas.tostring_rgb()
|
191 |
+
|
192 |
+
cols, rows = fig.canvas.get_width_height()
|
193 |
+
img_array = np.fromstring(buf, dtype=np.uint8).reshape(rows, cols, 3)
|
194 |
+
cv2.imwrite(
|
195 |
+
os.path.join(save_path, result_name), cv2.cvtColor(img_array, cv2.COLOR_RGB2BGR)
|
196 |
+
)
|
197 |
+
|
198 |
+
|
199 |
+
# CPU post process
|
200 |
+
def fast_show_mask(
|
201 |
+
annotation,
|
202 |
+
ax,
|
203 |
+
random_color=False,
|
204 |
+
bbox=None,
|
205 |
+
points=None,
|
206 |
+
point_label=None,
|
207 |
+
retinamask=True,
|
208 |
+
target_height=960,
|
209 |
+
target_width=960,
|
210 |
+
):
|
211 |
+
msak_sum = annotation.shape[0]
|
212 |
+
height = annotation.shape[1]
|
213 |
+
weight = annotation.shape[2]
|
214 |
+
# 将annotation 按照面积 排序
|
215 |
+
areas = np.sum(annotation, axis=(1, 2))
|
216 |
+
sorted_indices = np.argsort(areas)
|
217 |
+
annotation = annotation[sorted_indices]
|
218 |
+
|
219 |
+
index = (annotation != 0).argmax(axis=0)
|
220 |
+
if random_color == True:
|
221 |
+
color = np.random.random((msak_sum, 1, 1, 3))
|
222 |
+
else:
|
223 |
+
color = np.ones((msak_sum, 1, 1, 3)) * np.array(
|
224 |
+
[30 / 255, 144 / 255, 255 / 255]
|
225 |
+
)
|
226 |
+
transparency = np.ones((msak_sum, 1, 1, 1)) * 0.6
|
227 |
+
visual = np.concatenate([color, transparency], axis=-1)
|
228 |
+
mask_image = np.expand_dims(annotation, -1) * visual
|
229 |
+
|
230 |
+
show = np.zeros((height, weight, 4))
|
231 |
+
h_indices, w_indices = np.meshgrid(
|
232 |
+
np.arange(height), np.arange(weight), indexing="ij"
|
233 |
+
)
|
234 |
+
indices = (index[h_indices, w_indices], h_indices, w_indices, slice(None))
|
235 |
+
# 使用向量化索引更新show的值
|
236 |
+
show[h_indices, w_indices, :] = mask_image[indices]
|
237 |
+
if bbox is not None:
|
238 |
+
x1, y1, x2, y2 = bbox
|
239 |
+
ax.add_patch(
|
240 |
+
plt.Rectangle(
|
241 |
+
(x1, y1), x2 - x1, y2 - y1, fill=False, edgecolor="b", linewidth=1
|
242 |
+
)
|
243 |
+
)
|
244 |
+
# draw point
|
245 |
+
if points is not None:
|
246 |
+
plt.scatter(
|
247 |
+
[point[0] for i, point in enumerate(points) if point_label[i] == 1],
|
248 |
+
[point[1] for i, point in enumerate(points) if point_label[i] == 1],
|
249 |
+
s=20,
|
250 |
+
c="y",
|
251 |
+
)
|
252 |
+
plt.scatter(
|
253 |
+
[point[0] for i, point in enumerate(points) if point_label[i] == 0],
|
254 |
+
[point[1] for i, point in enumerate(points) if point_label[i] == 0],
|
255 |
+
s=20,
|
256 |
+
c="m",
|
257 |
+
)
|
258 |
+
|
259 |
+
if retinamask == False:
|
260 |
+
show = cv2.resize(
|
261 |
+
show, (target_width, target_height), interpolation=cv2.INTER_NEAREST
|
262 |
+
)
|
263 |
+
ax.imshow(show)
|
264 |
+
|
265 |
+
|
266 |
+
def fast_show_mask_gpu(
|
267 |
+
annotation,
|
268 |
+
ax,
|
269 |
+
random_color=False,
|
270 |
+
bbox=None,
|
271 |
+
points=None,
|
272 |
+
point_label=None,
|
273 |
+
retinamask=True,
|
274 |
+
target_height=960,
|
275 |
+
target_width=960,
|
276 |
+
):
|
277 |
+
msak_sum = annotation.shape[0]
|
278 |
+
height = annotation.shape[1]
|
279 |
+
weight = annotation.shape[2]
|
280 |
+
areas = torch.sum(annotation, dim=(1, 2))
|
281 |
+
sorted_indices = torch.argsort(areas, descending=False)
|
282 |
+
annotation = annotation[sorted_indices]
|
283 |
+
# 找每个位置第一个非零值下标
|
284 |
+
index = (annotation != 0).to(torch.long).argmax(dim=0)
|
285 |
+
if random_color == True:
|
286 |
+
color = torch.rand((msak_sum, 1, 1, 3)).to(annotation.device)
|
287 |
+
else:
|
288 |
+
color = torch.ones((msak_sum, 1, 1, 3)).to(annotation.device) * torch.tensor(
|
289 |
+
[30 / 255, 144 / 255, 255 / 255]
|
290 |
+
).to(annotation.device)
|
291 |
+
transparency = torch.ones((msak_sum, 1, 1, 1)).to(annotation.device) * 0.6
|
292 |
+
visual = torch.cat([color, transparency], dim=-1)
|
293 |
+
mask_image = torch.unsqueeze(annotation, -1) * visual
|
294 |
+
# 按index取数,index指每个位置选哪个batch的数,把mask_image转成一个batch的形式
|
295 |
+
show = torch.zeros((height, weight, 4)).to(annotation.device)
|
296 |
+
h_indices, w_indices = torch.meshgrid(
|
297 |
+
torch.arange(height), torch.arange(weight), indexing="ij"
|
298 |
+
)
|
299 |
+
indices = (index[h_indices, w_indices], h_indices, w_indices, slice(None))
|
300 |
+
# 使用向量化索引更新show的值
|
301 |
+
show[h_indices, w_indices, :] = mask_image[indices]
|
302 |
+
show_cpu = show.cpu().numpy()
|
303 |
+
if bbox is not None:
|
304 |
+
x1, y1, x2, y2 = bbox
|
305 |
+
ax.add_patch(
|
306 |
+
plt.Rectangle(
|
307 |
+
(x1, y1), x2 - x1, y2 - y1, fill=False, edgecolor="b", linewidth=1
|
308 |
+
)
|
309 |
+
)
|
310 |
+
# draw point
|
311 |
+
if points is not None:
|
312 |
+
plt.scatter(
|
313 |
+
[point[0] for i, point in enumerate(points) if point_label[i] == 1],
|
314 |
+
[point[1] for i, point in enumerate(points) if point_label[i] == 1],
|
315 |
+
s=20,
|
316 |
+
c="y",
|
317 |
+
)
|
318 |
+
plt.scatter(
|
319 |
+
[point[0] for i, point in enumerate(points) if point_label[i] == 0],
|
320 |
+
[point[1] for i, point in enumerate(points) if point_label[i] == 0],
|
321 |
+
s=20,
|
322 |
+
c="m",
|
323 |
+
)
|
324 |
+
if retinamask == False:
|
325 |
+
show_cpu = cv2.resize(
|
326 |
+
show_cpu, (target_width, target_height), interpolation=cv2.INTER_NEAREST
|
327 |
+
)
|
328 |
+
ax.imshow(show_cpu)
|
329 |
+
|
330 |
+
|
331 |
+
def crop_image(annotations, image_like):
|
332 |
+
if isinstance(image_like, str):
|
333 |
+
image = Image.open(image_like)
|
334 |
+
else:
|
335 |
+
image = image_like
|
336 |
+
ori_w, ori_h = image.size
|
337 |
+
mask_h, mask_w = annotations[0]["segmentation"].shape
|
338 |
+
if ori_w != mask_w or ori_h != mask_h:
|
339 |
+
image = image.resize((mask_w, mask_h))
|
340 |
+
cropped_boxes = []
|
341 |
+
cropped_images = []
|
342 |
+
not_crop = []
|
343 |
+
filter_id = []
|
344 |
+
# annotations, _ = filter_masks(annotations)
|
345 |
+
# filter_id = list(_)
|
346 |
+
for _, mask in enumerate(annotations):
|
347 |
+
if np.sum(mask["segmentation"]) <= 100:
|
348 |
+
filter_id.append(_)
|
349 |
+
continue
|
350 |
+
bbox = get_bbox_from_mask(mask["segmentation"]) # mask 的 bbox
|
351 |
+
cropped_boxes.append(segment_image(image, bbox)) # 保存裁剪的图片
|
352 |
+
# cropped_boxes.append(segment_image(image,mask["segmentation"]))
|
353 |
+
cropped_images.append(bbox) # 保存裁剪的图片的bbox
|
354 |
+
|
355 |
+
return cropped_boxes, cropped_images, not_crop, filter_id, annotations
|
356 |
+
|
357 |
+
|
358 |
+
def box_prompt(masks, bbox, target_height, target_width):
|
359 |
+
h = masks.shape[1]
|
360 |
+
w = masks.shape[2]
|
361 |
+
if h != target_height or w != target_width:
|
362 |
+
bbox = [
|
363 |
+
int(bbox[0] * w / target_width),
|
364 |
+
int(bbox[1] * h / target_height),
|
365 |
+
int(bbox[2] * w / target_width),
|
366 |
+
int(bbox[3] * h / target_height),
|
367 |
+
]
|
368 |
+
bbox[0] = round(bbox[0]) if round(bbox[0]) > 0 else 0
|
369 |
+
bbox[1] = round(bbox[1]) if round(bbox[1]) > 0 else 0
|
370 |
+
bbox[2] = round(bbox[2]) if round(bbox[2]) < w else w
|
371 |
+
bbox[3] = round(bbox[3]) if round(bbox[3]) < h else h
|
372 |
+
|
373 |
+
# IoUs = torch.zeros(len(masks), dtype=torch.float32)
|
374 |
+
bbox_area = (bbox[3] - bbox[1]) * (bbox[2] - bbox[0])
|
375 |
+
|
376 |
+
masks_area = torch.sum(masks[:, bbox[1] : bbox[3], bbox[0] : bbox[2]], dim=(1, 2))
|
377 |
+
orig_masks_area = torch.sum(masks, dim=(1, 2))
|
378 |
+
|
379 |
+
union = bbox_area + orig_masks_area - masks_area
|
380 |
+
IoUs = masks_area / union
|
381 |
+
max_iou_index = torch.argmax(IoUs)
|
382 |
+
|
383 |
+
return masks[max_iou_index].cpu().numpy(), max_iou_index
|
384 |
+
|
385 |
+
|
386 |
+
def point_prompt(masks, points, point_label, target_height, target_width): # numpy 处理
|
387 |
+
h = masks[0]["segmentation"].shape[0]
|
388 |
+
w = masks[0]["segmentation"].shape[1]
|
389 |
+
if h != target_height or w != target_width:
|
390 |
+
points = [
|
391 |
+
[int(point[0] * w / target_width), int(point[1] * h / target_height)]
|
392 |
+
for point in points
|
393 |
+
]
|
394 |
+
onemask = np.zeros((h, w))
|
395 |
+
for i, annotation in enumerate(masks):
|
396 |
+
if type(annotation) == dict:
|
397 |
+
mask = annotation["segmentation"]
|
398 |
+
else:
|
399 |
+
mask = annotation
|
400 |
+
for i, point in enumerate(points):
|
401 |
+
if mask[point[1], point[0]] == 1 and point_label[i] == 1:
|
402 |
+
onemask += mask
|
403 |
+
if mask[point[1], point[0]] == 1 and point_label[i] == 0:
|
404 |
+
onemask -= mask
|
405 |
+
onemask = onemask >= 1
|
406 |
+
return onemask, 0
|
utils/tools_gradio.py
ADDED
@@ -0,0 +1,192 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
import cv2
|
2 |
+
import matplotlib.pyplot as plt
|
3 |
+
import numpy as np
|
4 |
+
import torch
|
5 |
+
from PIL import Image
|
6 |
+
|
7 |
+
|
8 |
+
def fast_process(
|
9 |
+
annotations,
|
10 |
+
image,
|
11 |
+
device,
|
12 |
+
scale,
|
13 |
+
better_quality=False,
|
14 |
+
mask_random_color=True,
|
15 |
+
bbox=None,
|
16 |
+
use_retina=True,
|
17 |
+
withContours=True,
|
18 |
+
):
|
19 |
+
if isinstance(annotations[0], dict):
|
20 |
+
annotations = [annotation["segmentation"] for annotation in annotations]
|
21 |
+
|
22 |
+
original_h = image.height
|
23 |
+
original_w = image.width
|
24 |
+
if better_quality:
|
25 |
+
if isinstance(annotations[0], torch.Tensor):
|
26 |
+
annotations = np.array(annotations.cpu())
|
27 |
+
for i, mask in enumerate(annotations):
|
28 |
+
mask = cv2.morphologyEx(
|
29 |
+
mask.astype(np.uint8), cv2.MORPH_CLOSE, np.ones((3, 3), np.uint8)
|
30 |
+
)
|
31 |
+
annotations[i] = cv2.morphologyEx(
|
32 |
+
mask.astype(np.uint8), cv2.MORPH_OPEN, np.ones((8, 8), np.uint8)
|
33 |
+
)
|
34 |
+
if device == "cpu":
|
35 |
+
annotations = np.array(annotations)
|
36 |
+
inner_mask = fast_show_mask(
|
37 |
+
annotations,
|
38 |
+
plt.gca(),
|
39 |
+
random_color=mask_random_color,
|
40 |
+
bbox=bbox,
|
41 |
+
retinamask=use_retina,
|
42 |
+
target_height=original_h,
|
43 |
+
target_width=original_w,
|
44 |
+
)
|
45 |
+
else:
|
46 |
+
if isinstance(annotations[0], np.ndarray):
|
47 |
+
annotations = np.array(annotations)
|
48 |
+
annotations = torch.from_numpy(annotations)
|
49 |
+
inner_mask = fast_show_mask_gpu(
|
50 |
+
annotations,
|
51 |
+
plt.gca(),
|
52 |
+
random_color=mask_random_color,
|
53 |
+
bbox=bbox,
|
54 |
+
retinamask=use_retina,
|
55 |
+
target_height=original_h,
|
56 |
+
target_width=original_w,
|
57 |
+
)
|
58 |
+
if isinstance(annotations, torch.Tensor):
|
59 |
+
annotations = annotations.cpu().numpy()
|
60 |
+
|
61 |
+
if withContours:
|
62 |
+
contour_all = []
|
63 |
+
temp = np.zeros((original_h, original_w, 1))
|
64 |
+
for i, mask in enumerate(annotations):
|
65 |
+
if type(mask) == dict:
|
66 |
+
mask = mask["segmentation"]
|
67 |
+
annotation = mask.astype(np.uint8)
|
68 |
+
if use_retina == False:
|
69 |
+
annotation = cv2.resize(
|
70 |
+
annotation,
|
71 |
+
(original_w, original_h),
|
72 |
+
interpolation=cv2.INTER_NEAREST,
|
73 |
+
)
|
74 |
+
contours, _ = cv2.findContours(
|
75 |
+
annotation, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE
|
76 |
+
)
|
77 |
+
for contour in contours:
|
78 |
+
contour_all.append(contour)
|
79 |
+
cv2.drawContours(temp, contour_all, -1, (255, 255, 255), 2 // scale)
|
80 |
+
color = np.array([0 / 255, 0 / 255, 255 / 255, 0.9])
|
81 |
+
contour_mask = temp / 255 * color.reshape(1, 1, -1)
|
82 |
+
|
83 |
+
image = image.convert("RGBA")
|
84 |
+
overlay_inner = Image.fromarray((inner_mask * 255).astype(np.uint8), "RGBA")
|
85 |
+
image.paste(overlay_inner, (0, 0), overlay_inner)
|
86 |
+
|
87 |
+
if withContours:
|
88 |
+
overlay_contour = Image.fromarray((contour_mask * 255).astype(np.uint8), "RGBA")
|
89 |
+
image.paste(overlay_contour, (0, 0), overlay_contour)
|
90 |
+
|
91 |
+
return image
|
92 |
+
|
93 |
+
|
94 |
+
# CPU post process
|
95 |
+
def fast_show_mask(
|
96 |
+
annotation,
|
97 |
+
ax,
|
98 |
+
random_color=False,
|
99 |
+
bbox=None,
|
100 |
+
retinamask=True,
|
101 |
+
target_height=960,
|
102 |
+
target_width=960,
|
103 |
+
):
|
104 |
+
mask_sum = annotation.shape[0]
|
105 |
+
height = annotation.shape[1]
|
106 |
+
weight = annotation.shape[2]
|
107 |
+
# 将annotation 按照面积 排序
|
108 |
+
areas = np.sum(annotation, axis=(1, 2))
|
109 |
+
sorted_indices = np.argsort(areas)[::1]
|
110 |
+
annotation = annotation[sorted_indices]
|
111 |
+
|
112 |
+
index = (annotation != 0).argmax(axis=0)
|
113 |
+
if random_color == True:
|
114 |
+
color = np.random.random((mask_sum, 1, 1, 3))
|
115 |
+
else:
|
116 |
+
color = np.ones((mask_sum, 1, 1, 3)) * np.array(
|
117 |
+
[30 / 255, 144 / 255, 255 / 255]
|
118 |
+
)
|
119 |
+
transparency = np.ones((mask_sum, 1, 1, 1)) * 0.6
|
120 |
+
visual = np.concatenate([color, transparency], axis=-1)
|
121 |
+
mask_image = np.expand_dims(annotation, -1) * visual
|
122 |
+
|
123 |
+
mask = np.zeros((height, weight, 4))
|
124 |
+
|
125 |
+
h_indices, w_indices = np.meshgrid(
|
126 |
+
np.arange(height), np.arange(weight), indexing="ij"
|
127 |
+
)
|
128 |
+
indices = (index[h_indices, w_indices], h_indices, w_indices, slice(None))
|
129 |
+
|
130 |
+
mask[h_indices, w_indices, :] = mask_image[indices]
|
131 |
+
if bbox is not None:
|
132 |
+
x1, y1, x2, y2 = bbox
|
133 |
+
ax.add_patch(
|
134 |
+
plt.Rectangle(
|
135 |
+
(x1, y1), x2 - x1, y2 - y1, fill=False, edgecolor="b", linewidth=1
|
136 |
+
)
|
137 |
+
)
|
138 |
+
|
139 |
+
if retinamask == False:
|
140 |
+
mask = cv2.resize(
|
141 |
+
mask, (target_width, target_height), interpolation=cv2.INTER_NEAREST
|
142 |
+
)
|
143 |
+
|
144 |
+
return mask
|
145 |
+
|
146 |
+
|
147 |
+
def fast_show_mask_gpu(
|
148 |
+
annotation,
|
149 |
+
ax,
|
150 |
+
random_color=False,
|
151 |
+
bbox=None,
|
152 |
+
retinamask=True,
|
153 |
+
target_height=960,
|
154 |
+
target_width=960,
|
155 |
+
):
|
156 |
+
device = annotation.device
|
157 |
+
mask_sum = annotation.shape[0]
|
158 |
+
height = annotation.shape[1]
|
159 |
+
weight = annotation.shape[2]
|
160 |
+
areas = torch.sum(annotation, dim=(1, 2))
|
161 |
+
sorted_indices = torch.argsort(areas, descending=False)
|
162 |
+
annotation = annotation[sorted_indices]
|
163 |
+
# 找每个位置第一个非零值下标
|
164 |
+
index = (annotation != 0).to(torch.long).argmax(dim=0)
|
165 |
+
if random_color == True:
|
166 |
+
color = torch.rand((mask_sum, 1, 1, 3)).to(device)
|
167 |
+
else:
|
168 |
+
color = torch.ones((mask_sum, 1, 1, 3)).to(device) * torch.tensor(
|
169 |
+
[30 / 255, 144 / 255, 255 / 255]
|
170 |
+
).to(device)
|
171 |
+
transparency = torch.ones((mask_sum, 1, 1, 1)).to(device) * 0.6
|
172 |
+
visual = torch.cat([color, transparency], dim=-1)
|
173 |
+
mask_image = torch.unsqueeze(annotation, -1) * visual
|
174 |
+
# 按index取数,index指每个位置选哪个batch的数,把mask_image转成一个batch的形式
|
175 |
+
mask = torch.zeros((height, weight, 4)).to(device)
|
176 |
+
h_indices, w_indices = torch.meshgrid(torch.arange(height), torch.arange(weight))
|
177 |
+
indices = (index[h_indices, w_indices], h_indices, w_indices, slice(None))
|
178 |
+
# 使用向量化索引更新show的值
|
179 |
+
mask[h_indices, w_indices, :] = mask_image[indices]
|
180 |
+
mask_cpu = mask.cpu().numpy()
|
181 |
+
if bbox is not None:
|
182 |
+
x1, y1, x2, y2 = bbox
|
183 |
+
ax.add_patch(
|
184 |
+
plt.Rectangle(
|
185 |
+
(x1, y1), x2 - x1, y2 - y1, fill=False, edgecolor="b", linewidth=1
|
186 |
+
)
|
187 |
+
)
|
188 |
+
if retinamask == False:
|
189 |
+
mask_cpu = cv2.resize(
|
190 |
+
mask_cpu, (target_width, target_height), interpolation=cv2.INTER_NEAREST
|
191 |
+
)
|
192 |
+
return mask_cpu
|
weights/edge_sam_3x.pth
ADDED
@@ -0,0 +1,3 @@
|
|
|
|
|
|
|
|
|
1 |
+
version https://git-lfs.github.com/spec/v1
|
2 |
+
oid sha256:5a3e3261da9e2f4c8154410885689ae57d09cbf4cf5d0c848b9d80b6df336ece
|
3 |
+
size 38807540
|