Spaces:
Running
on
Zero
Running
on
Zero
File size: 13,143 Bytes
a249588 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 |
# Copyright (c) OpenMMLab. All rights reserved.
import logging
import os
from collections import defaultdict
from typing import Dict, List, Optional, Sequence, Tuple, Union
import mmcv
import numpy as np
import torch
from mmengine.config import Config, ConfigDict
from mmengine.infer.infer import ModelType
from mmengine.logging import print_log
from mmengine.model import revert_sync_batchnorm
from mmengine.registry import init_default_scope
from mmengine.structures import InstanceData
from mmpose.evaluation.functional import nms
from mmpose.registry import INFERENCERS
from mmpose.structures import PoseDataSample, merge_data_samples
from .base_mmpose_inferencer import BaseMMPoseInferencer
InstanceList = List[InstanceData]
InputType = Union[str, np.ndarray]
InputsType = Union[InputType, Sequence[InputType]]
PredType = Union[InstanceData, InstanceList]
ImgType = Union[np.ndarray, Sequence[np.ndarray]]
ConfigType = Union[Config, ConfigDict]
ResType = Union[Dict, List[Dict], InstanceData, List[InstanceData]]
@INFERENCERS.register_module()
class Hand3DInferencer(BaseMMPoseInferencer):
"""The inferencer for 3D hand pose estimation.
Args:
model (str, optional): Pretrained 2D pose estimation algorithm.
It's the path to the config file or the model name defined in
metafile. For example, it could be:
- model alias, e.g. ``'body'``,
- config name, e.g. ``'simcc_res50_8xb64-210e_coco-256x192'``,
- config path
Defaults to ``None``.
weights (str, optional): Path to the checkpoint. If it is not
specified and "model" is a model name of metafile, the weights
will be loaded from metafile. Defaults to None.
device (str, optional): Device to run inference. If None, the
available device will be automatically used. Defaults to None.
scope (str, optional): The scope of the model. Defaults to "mmpose".
det_model (str, optional): Config path or alias of detection model.
Defaults to None.
det_weights (str, optional): Path to the checkpoints of detection
model. Defaults to None.
det_cat_ids (int or list[int], optional): Category id for
detection model. Defaults to None.
"""
preprocess_kwargs: set = {'bbox_thr', 'nms_thr', 'bboxes'}
forward_kwargs: set = {'disable_rebase_keypoint'}
visualize_kwargs: set = {
'return_vis',
'show',
'wait_time',
'draw_bbox',
'radius',
'thickness',
'kpt_thr',
'vis_out_dir',
'num_instances',
}
postprocess_kwargs: set = {'pred_out_dir', 'return_datasample'}
def __init__(self,
model: Union[ModelType, str],
weights: Optional[str] = None,
device: Optional[str] = None,
scope: Optional[str] = 'mmpose',
det_model: Optional[Union[ModelType, str]] = None,
det_weights: Optional[str] = None,
det_cat_ids: Optional[Union[int, Tuple]] = None,
show_progress: bool = False) -> None:
init_default_scope(scope)
super().__init__(
model=model,
weights=weights,
device=device,
scope=scope,
show_progress=show_progress)
self.model = revert_sync_batchnorm(self.model)
# assign dataset metainfo to self.visualizer
self.visualizer.set_dataset_meta(self.model.dataset_meta)
# initialize hand detector
self._init_detector(
det_model=det_model,
det_weights=det_weights,
det_cat_ids=det_cat_ids,
device=device,
)
self._video_input = False
self._buffer = defaultdict(list)
def preprocess_single(self,
input: InputType,
index: int,
bbox_thr: float = 0.3,
nms_thr: float = 0.3,
bboxes: Union[List[List], List[np.ndarray],
np.ndarray] = []):
"""Process a single input into a model-feedable format.
Args:
input (InputType): Input given by user.
index (int): index of the input
bbox_thr (float): threshold for bounding box detection.
Defaults to 0.3.
nms_thr (float): IoU threshold for bounding box NMS.
Defaults to 0.3.
Yields:
Any: Data processed by the ``pipeline`` and ``collate_fn``.
"""
if isinstance(input, str):
data_info = dict(img_path=input)
else:
data_info = dict(img=input, img_path=f'{index}.jpg'.rjust(10, '0'))
data_info.update(self.model.dataset_meta)
if self.detector is not None:
try:
det_results = self.detector(
input, return_datasamples=True)['predictions']
except ValueError:
print_log(
'Support for mmpose and mmdet versions up to 3.1.0 '
'will be discontinued in upcoming releases. To '
'ensure ongoing compatibility, please upgrade to '
'mmdet version 3.2.0 or later.',
logger='current',
level=logging.WARNING)
det_results = self.detector(
input, return_datasample=True)['predictions']
pred_instance = det_results[0].pred_instances.cpu().numpy()
bboxes = np.concatenate(
(pred_instance.bboxes, pred_instance.scores[:, None]), axis=1)
label_mask = np.zeros(len(bboxes), dtype=np.uint8)
for cat_id in self.det_cat_ids:
label_mask = np.logical_or(label_mask,
pred_instance.labels == cat_id)
bboxes = bboxes[np.logical_and(label_mask,
pred_instance.scores > bbox_thr)]
bboxes = bboxes[nms(bboxes, nms_thr)]
data_infos = []
if len(bboxes) > 0:
for bbox in bboxes:
inst = data_info.copy()
inst['bbox'] = bbox[None, :4]
inst['bbox_score'] = bbox[4:5]
data_infos.append(self.pipeline(inst))
else:
inst = data_info.copy()
# get bbox from the image size
if isinstance(input, str):
input = mmcv.imread(input)
h, w = input.shape[:2]
inst['bbox'] = np.array([[0, 0, w, h]], dtype=np.float32)
inst['bbox_score'] = np.ones(1, dtype=np.float32)
data_infos.append(self.pipeline(inst))
return data_infos
@torch.no_grad()
def forward(self,
inputs: Union[dict, tuple],
disable_rebase_keypoint: bool = False):
"""Performs a forward pass through the model.
Args:
inputs (Union[dict, tuple]): The input data to be processed. Can
be either a dictionary or a tuple.
disable_rebase_keypoint (bool, optional): Flag to disable rebasing
the height of the keypoints. Defaults to False.
Returns:
A list of data samples with prediction instances.
"""
data_samples = self.model.test_step(inputs)
data_samples_2d = []
for idx, res in enumerate(data_samples):
pred_instances = res.pred_instances
keypoints = pred_instances.keypoints
rel_root_depth = pred_instances.rel_root_depth
scores = pred_instances.keypoint_scores
hand_type = pred_instances.hand_type
res_2d = PoseDataSample()
gt_instances = res.gt_instances.clone()
pred_instances = pred_instances.clone()
res_2d.gt_instances = gt_instances
res_2d.pred_instances = pred_instances
# add relative root depth to left hand joints
keypoints[:, 21:, 2] += rel_root_depth
# set joint scores according to hand type
scores[:, :21] *= hand_type[:, [0]]
scores[:, 21:] *= hand_type[:, [1]]
# normalize kpt score
if scores.max() > 1:
scores /= 255
res_2d.pred_instances.set_field(keypoints[..., :2].copy(),
'keypoints')
# rotate the keypoint to make z-axis correspondent to height
# for better visualization
vis_R = np.array([[1, 0, 0], [0, 0, -1], [0, 1, 0]])
keypoints[..., :3] = keypoints[..., :3] @ vis_R
# rebase height (z-axis)
if not disable_rebase_keypoint:
valid = scores > 0
keypoints[..., 2] -= np.min(
keypoints[valid, 2], axis=-1, keepdims=True)
data_samples[idx].pred_instances.keypoints = keypoints
data_samples[idx].pred_instances.keypoint_scores = scores
data_samples_2d.append(res_2d)
data_samples = [merge_data_samples(data_samples)]
data_samples_2d = merge_data_samples(data_samples_2d)
self._buffer['pose2d_results'] = data_samples_2d
return data_samples
def visualize(
self,
inputs: list,
preds: List[PoseDataSample],
return_vis: bool = False,
show: bool = False,
draw_bbox: bool = False,
wait_time: float = 0,
radius: int = 3,
thickness: int = 1,
kpt_thr: float = 0.3,
num_instances: int = 1,
vis_out_dir: str = '',
window_name: str = '',
) -> List[np.ndarray]:
"""Visualize predictions.
Args:
inputs (list): Inputs preprocessed by :meth:`_inputs_to_list`.
preds (Any): Predictions of the model.
return_vis (bool): Whether to return images with predicted results.
show (bool): Whether to display the image in a popup window.
Defaults to False.
wait_time (float): The interval of show (ms). Defaults to 0
draw_bbox (bool): Whether to draw the bounding boxes.
Defaults to False
radius (int): Keypoint radius for visualization. Defaults to 3
thickness (int): Link thickness for visualization. Defaults to 1
kpt_thr (float): The threshold to visualize the keypoints.
Defaults to 0.3
vis_out_dir (str, optional): Directory to save visualization
results w/o predictions. If left as empty, no file will
be saved. Defaults to ''.
window_name (str, optional): Title of display window.
window_close_event_handler (callable, optional):
Returns:
List[np.ndarray]: Visualization results.
"""
if (not return_vis) and (not show) and (not vis_out_dir):
return
if getattr(self, 'visualizer', None) is None:
raise ValueError('Visualization needs the "visualizer" term'
'defined in the config, but got None.')
self.visualizer.radius = radius
self.visualizer.line_width = thickness
results = []
for single_input, pred in zip(inputs, preds):
if isinstance(single_input, str):
img = mmcv.imread(single_input, channel_order='rgb')
elif isinstance(single_input, np.ndarray):
img = mmcv.bgr2rgb(single_input)
else:
raise ValueError('Unsupported input type: '
f'{type(single_input)}')
img_name = os.path.basename(pred.metainfo['img_path'])
# since visualization and inference utilize the same process,
# the wait time is reduced when a video input is utilized,
# thereby eliminating the issue of inference getting stuck.
wait_time = 1e-5 if self._video_input else wait_time
if num_instances < 0:
num_instances = len(pred.pred_instances)
visualization = self.visualizer.add_datasample(
window_name,
img,
data_sample=pred,
det_data_sample=self._buffer['pose2d_results'],
draw_gt=False,
draw_bbox=draw_bbox,
show=show,
wait_time=wait_time,
convert_keypoint=False,
axis_azimuth=-115,
axis_limit=200,
axis_elev=15,
kpt_thr=kpt_thr,
num_instances=num_instances)
results.append(visualization)
if vis_out_dir:
self.save_visualization(
visualization,
vis_out_dir,
img_name=img_name,
)
if return_vis:
return results
else:
return []
|