repo_name
stringclasses
4 values
method_name
stringlengths
3
72
method_code
stringlengths
87
3.59k
method_summary
stringlengths
12
196
original_method_code
stringlengths
129
8.98k
method_path
stringlengths
15
136
open-mmlab/mmcv
imresize_like
def imresize_like(img, dst_img, return_scale=False, interpolation='bilinear'): h, w = dst_img.shape[:2] return imresize(img, (w, h), return_scale, interpolation)
Resize image to the same size of a given image.
def imresize_like(img, dst_img, return_scale=False, interpolation='bilinear'): """Resize image to the same size of a given image. Args: img (ndarray): The input image. dst_img (ndarray): The target image. return_scale (bool): Whether to return `w_scale` and `h_scale`. interpolat...
mmcv/image/transforms/resize.py
open-mmlab/mmcv
imrescale
def imrescale(img, scale, return_scale=False, interpolation='bilinear'): h, w = img.shape[:2] if isinstance(scale, (float, int)): if scale <= 0: raise ValueError( 'Invalid scale {}, must be positive.'.format(scale)) scale_factor = scale elif isinstance(scale, tupl...
Resize image while keeping the aspect ratio.
def imrescale(img, scale, return_scale=False, interpolation='bilinear'): """Resize image while keeping the aspect ratio. Args: img (ndarray): The input image. scale (float or tuple[int]): The scaling factor or maximum size. If it is a float number, then the image will be rescaled by...
mmcv/image/transforms/resize.py
open-mmlab/mmcv
_register_handler
def _register_handler(handler, file_formats): if not isinstance(handler, BaseFileHandler): raise TypeError( 'handler must be a child of BaseFileHandler, not {}'.format( type(handler))) if isinstance(file_formats, str): file_formats = [file_formats] if not is_list_...
Register a handler for some file extensions.
def _register_handler(handler, file_formats): """Register a handler for some file extensions. Args: handler (:obj:`BaseFileHandler`): Handler to be registered. file_formats (str or list[str]): File formats to be handled by this handler. """ if not isinstance(handler, BaseFil...
mmcv/fileio/io.py
open-mmlab/mmcv
get_priority
def get_priority(priority): if isinstance(priority, int): if priority < 0 or priority > 100: raise ValueError('priority must be between 0 and 100') return priority elif isinstance(priority, Priority): return priority.value elif isinstance(priority, str): return Pr...
Get priority value.
def get_priority(priority): """Get priority value. Args: priority (int or str or :obj:`Priority`): Priority. Returns: int: The priority value. """ if isinstance(priority, int): if priority < 0 or priority > 100: raise ValueError('priority must be between 0 and 1...
mmcv/runner/priority.py
open-mmlab/mmcv
dequantize
def dequantize(arr, min_val, max_val, levels, dtype=np.float64): if not (isinstance(levels, int) and levels > 1): raise ValueError( 'levels must be a positive integer, but got {}'.format(levels)) if min_val >= max_val: raise ValueError( 'min_val ({}) must be smaller than ...
Dequantize an array.
def dequantize(arr, min_val, max_val, levels, dtype=np.float64): """Dequantize an array. Args: arr (ndarray): Input array. min_val (scalar): Minimum value to be clipped. max_val (scalar): Maximum value to be clipped. levels (int): Quantization levels. dtype (np.type): Th...
mmcv/arraymisc/quantization.py
open-mmlab/mmcv
imshow
def imshow(img, win_name='', wait_time=0): cv2.imshow(win_name, imread(img)) cv2.waitKey(wait_time)
Show an image.
def imshow(img, win_name='', wait_time=0): """Show an image. Args: img (str or ndarray): The image to be displayed. win_name (str): The window name. wait_time (int): Value of waitKey param. """ cv2.imshow(win_name, imread(img)) cv2.waitKey(wait_time)
mmcv/visualization/image.py
open-mmlab/mmcv
imshow_bboxes
def imshow_bboxes(img, bboxes, colors='green', top_k=-1, thickness=1, show=True, win_name='', wait_time=0, out_file=None): img = imread(img) if isinstance(bboxes, np.n...
Draw bboxes on an image.
def imshow_bboxes(img, bboxes, colors='green', top_k=-1, thickness=1, show=True, win_name='', wait_time=0, out_file=None): """Draw bboxes on an image. Args: im...
mmcv/visualization/image.py
open-mmlab/mmcv
flowread
def flowread(flow_or_path, quantize=False, concat_axis=0, *args, **kwargs): if isinstance(flow_or_path, np.ndarray): if (flow_or_path.ndim != 3) or (flow_or_path.shape[-1] != 2): raise ValueError('Invalid flow with shape {}'.format( flow_or_path.shape)) return flow_or_pat...
Read an optical flow map.
def flowread(flow_or_path, quantize=False, concat_axis=0, *args, **kwargs): """Read an optical flow map. Args: flow_or_path (ndarray or str): A flow map or filepath. quantize (bool): whether to read quantized pair, if set to True, remaining args will be passed to :func:`dequantize_f...
mmcv/video/optflow.py
open-mmlab/mmcv
dequantize_flow
def dequantize_flow(dx, dy, max_val=0.02, denorm=True): assert dx.shape == dy.shape assert dx.ndim == 2 or (dx.ndim == 3 and dx.shape[-1] == 1) dx, dy = [dequantize(d, -max_val, max_val, 255) for d in [dx, dy]] if denorm: dx *= dx.shape[1] dy *= dx.shape[0] flow = np.dstack((dx, dy...
Recover from quantized flow.
def dequantize_flow(dx, dy, max_val=0.02, denorm=True): """Recover from quantized flow. Args: dx (ndarray): Quantized dx. dy (ndarray): Quantized dy. max_val (float): Maximum value used when quantizing. denorm (bool): Whether to multiply flow values with width/height. Retur...
mmcv/video/optflow.py
open-mmlab/mmcv
load_checkpoint
def load_checkpoint(model, filename, map_location=None, strict=False, logger=None): if filename.startswith('modelzoo://'): import torchvision model_urls = dict() for _, name, ispkg in pkgutil.walk_packages( ...
Load checkpoint from a file or URI.
def load_checkpoint(model, filename, map_location=None, strict=False, logger=None): """Load checkpoint from a file or URI. Args: model (Module): Module to load checkpoint. filename (str): Either a filepath or URL or...
mmcv/runner/checkpoint.py
open-mmlab/mmcv
weights_to_cpu
def weights_to_cpu(state_dict): state_dict_cpu = OrderedDict() for key, val in state_dict.items(): state_dict_cpu[key] = val.cpu() return state_dict_cpu
Copy a model state_dict to cpu.
def weights_to_cpu(state_dict): """Copy a model state_dict to cpu. Args: state_dict (OrderedDict): Model weights on GPU. Returns: OrderedDict: Model weights on GPU. """ state_dict_cpu = OrderedDict() for key, val in state_dict.items(): state_dict_cpu[key] = val.cpu() ...
mmcv/runner/checkpoint.py
open-mmlab/mmcv
save_checkpoint
def save_checkpoint(model, filename, optimizer=None, meta=None): if meta is None: meta = {} elif not isinstance(meta, dict): raise TypeError('meta must be a dict or None, but got {}'.format( type(meta))) meta.update(mmcv_version=mmcv.__version__, time=time.asctime()) mmcv.mk...
Save checkpoint to file. The checkpoint will have 3
def save_checkpoint(model, filename, optimizer=None, meta=None): """Save checkpoint to file. The checkpoint will have 3 fields: ``meta``, ``state_dict`` and ``optimizer``. By default ``meta`` will contain version and time info. Args: model (Module): Module whose params are to be saved. ...
mmcv/runner/checkpoint.py
open-mmlab/mmcv
Runner.init_optimizer
def init_optimizer(self, optimizer): if isinstance(optimizer, dict): optimizer = obj_from_dict( optimizer, torch.optim, dict(params=self.model.parameters())) elif not isinstance(optimizer, torch.optim.Optimizer): raise TypeError( 'optimizer must be...
Init the optimizer.
def init_optimizer(self, optimizer): """Init the optimizer. Args: optimizer (dict or :obj:`~torch.optim.Optimizer`): Either an optimizer object or a dict used for constructing the optimizer. Returns: :obj:`~torch.optim.Optimizer`: An optimizer object. ...
mmcv/runner/runner.py
open-mmlab/mmcv
Runner.init_logger
def init_logger(self, log_dir=None, level=logging.INFO): logging.basicConfig( format='%(asctime)s - %(levelname)s - %(message)s', level=level) logger = logging.getLogger(__name__) if log_dir and self.rank == 0: filename = '{}.log'.format(self.timestamp) log_fi...
Init the logger.
def init_logger(self, log_dir=None, level=logging.INFO): """Init the logger. Args: log_dir(str, optional): Log file directory. If not specified, no log file will be used. level (int or str): See the built-in python logging module. Returns: :o...
mmcv/runner/runner.py
open-mmlab/mmcv
Runner.current_lr
def current_lr(self): if self.optimizer is None: raise RuntimeError( 'lr is not applicable because optimizer does not exist.') return [group['lr'] for group in self.optimizer.param_groups]
Get current learning rates.
def current_lr(self): """Get current learning rates. Returns: list: Current learning rate of all param groups. """ if self.optimizer is None: raise RuntimeError( 'lr is not applicable because optimizer does not exist.') return [group['lr']...
mmcv/runner/runner.py
open-mmlab/mmcv
Runner.register_hook
def register_hook(self, hook, priority='NORMAL'): assert isinstance(hook, Hook) if hasattr(hook, 'priority'): raise ValueError('"priority" is a reserved attribute for hooks') priority = get_priority(priority) hook.priority = priority inserted = False ...
Register a hook into the hook list.
def register_hook(self, hook, priority='NORMAL'): """Register a hook into the hook list. Args: hook (:obj:`Hook`): The hook to be registered. priority (int or str or :obj:`Priority`): Hook priority. Lower value means higher priority. """ assert is...
mmcv/runner/runner.py
open-mmlab/mmcv
Runner.run
def run(self, data_loaders, workflow, max_epochs, **kwargs): assert isinstance(data_loaders, list) assert mmcv.is_list_of(workflow, tuple) assert len(data_loaders) == len(workflow) self._max_epochs = max_epochs work_dir = self.work_dir if self.work_dir is not None else 'NONE' ...
Start running.
def run(self, data_loaders, workflow, max_epochs, **kwargs): """Start running. Args: data_loaders (list[:obj:`DataLoader`]): Dataloaders for training and validation. workflow (list[tuple]): A list of (phase, epochs) to specify the running order an...
mmcv/runner/runner.py
open-mmlab/mmcv
Runner.register_training_hooks
def register_training_hooks(self, lr_config, optimizer_config=None, checkpoint_config=None, log_config=None): if optimizer_config is None: optimizer_config = {} if ...
Register default hooks for training. Default hooks
def register_training_hooks(self, lr_config, optimizer_config=None, checkpoint_config=None, log_config=None): """Register default hooks for training. Default hooks include: ...
mmcv/runner/runner.py
open-mmlab/mmcv
convert_video
def convert_video(in_file, out_file, print_cmd=False, pre_options='', **kwargs): options = [] for k, v in kwargs.items(): if isinstance(v, bool): if v: options.append('-{}'.format(k)) elif k == 'log_level': assert v in [ '...
Convert a video with ffmpeg. This provides a general api to ffmpeg, the executed command
def convert_video(in_file, out_file, print_cmd=False, pre_options='', **kwargs): """Convert a video with ffmpeg. This provides a general api to ffmpeg, the executed command is:: `ffmpeg -y <pre_options> -i <in_file> <options> <out_file>` Options(kwargs) are mapped to ffmpeg comm...
mmcv/video/processing.py
open-mmlab/mmcv
resize_video
def resize_video(in_file, out_file, size=None, ratio=None, keep_ar=False, log_level='info', print_cmd=False, **kwargs): if size is None and ratio is None: raise ValueError('expected size or...
Resize a video.
def resize_video(in_file, out_file, size=None, ratio=None, keep_ar=False, log_level='info', print_cmd=False, **kwargs): """Resize a video. Args: in_file (str): Input video filename. ...
mmcv/video/processing.py
open-mmlab/mmcv
cut_video
def cut_video(in_file, out_file, start=None, end=None, vcodec=None, acodec=None, log_level='info', print_cmd=False, **kwargs): options = {'log_level': log_level} if vcodec is None: options['vc...
Cut a clip from a video.
def cut_video(in_file, out_file, start=None, end=None, vcodec=None, acodec=None, log_level='info', print_cmd=False, **kwargs): """Cut a clip from a video. Args: in_file (str): Input video fil...
mmcv/video/processing.py
open-mmlab/mmcv
concat_video
def concat_video(video_list, out_file, vcodec=None, acodec=None, log_level='info', print_cmd=False, **kwargs): _, tmp_filename = tempfile.mkstemp(suffix='.txt', text=True) with open(tmp_filename, 'w') as f: ...
Concatenate multiple videos into a single one.
def concat_video(video_list, out_file, vcodec=None, acodec=None, log_level='info', print_cmd=False, **kwargs): """Concatenate multiple videos into a single one. Args: video_list (list): A list of video...
mmcv/video/processing.py
open-mmlab/mmcv
list_from_file
def list_from_file(filename, prefix='', offset=0, max_num=0): cnt = 0 item_list = [] with open(filename, 'r') as f: for _ in range(offset): f.readline() for line in f: if max_num > 0 and cnt >= max_num: break item_list.append(prefix + line....
Load a text file and parse the content as a list of strings.
def list_from_file(filename, prefix='', offset=0, max_num=0): """Load a text file and parse the content as a list of strings. Args: filename (str): Filename. prefix (str): The prefix to be inserted to the begining of each item. offset (int): The offset of lines. max_num (int): T...
mmcv/fileio/parse.py
open-mmlab/mmcv
conv3x3
def conv3x3(in_planes, out_planes, dilation=1): "3x3 convolution with padding" return nn.Conv2d( in_planes, out_planes, kernel_size=3, padding=dilation, dilation=dilation)
3x3 convolution with padding
def conv3x3(in_planes, out_planes, dilation=1): "3x3 convolution with padding" return nn.Conv2d( in_planes, out_planes, kernel_size=3, padding=dilation, dilation=dilation)
mmcv/cnn/vgg.py
open-mmlab/mmcv
imread
def imread(img_or_path, flag='color'): if isinstance(img_or_path, np.ndarray): return img_or_path elif is_str(img_or_path): flag = imread_flags[flag] if is_str(flag) else flag check_file_exist(img_or_path, 'img file does not exist: {}'.format(img_or_path)) ...
Read an image.
def imread(img_or_path, flag='color'): """Read an image. Args: img_or_path (ndarray or str): Either a numpy array or image path. If it is a numpy array (loaded image), then it will be returned as is. flag (str): Flags specifying the color type of a loaded image, ...
mmcv/image/io.py
open-mmlab/mmcv
imfrombytes
def imfrombytes(content, flag='color'): img_np = np.frombuffer(content, np.uint8) flag = imread_flags[flag] if is_str(flag) else flag img = cv2.imdecode(img_np, flag) return img
Read an image from bytes.
def imfrombytes(content, flag='color'): """Read an image from bytes. Args: content (bytes): Image bytes got from files or other streams. flag (str): Same as :func:`imread`. Returns: ndarray: Loaded image array. """ img_np = np.frombuffer(content, np.uint8) flag = imread...
mmcv/image/io.py
open-mmlab/mmcv
imwrite
def imwrite(img, file_path, params=None, auto_mkdir=True): if auto_mkdir: dir_name = osp.abspath(osp.dirname(file_path)) mkdir_or_exist(dir_name) return cv2.imwrite(file_path, img, params)
Write image to file
def imwrite(img, file_path, params=None, auto_mkdir=True): """Write image to file Args: img (ndarray): Image array to be written. file_path (str): Image file path. params (None or list): Same as opencv's :func:`imwrite` interface. auto_mkdir (bool): If the parent folder of `file...
mmcv/image/io.py
open-mmlab/mmcv
bgr2gray
def bgr2gray(img, keepdim=False): out_img = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY) if keepdim: out_img = out_img[..., None] return out_img
Convert a BGR image to grayscale image.
def bgr2gray(img, keepdim=False): """Convert a BGR image to grayscale image. Args: img (ndarray): The input image. keepdim (bool): If False (by default), then return the grayscale image with 2 dims, otherwise 3 dims. Returns: ndarray: The converted grayscale image. ...
mmcv/image/transforms/colorspace.py
open-mmlab/mmcv
gray2bgr
def gray2bgr(img): img = img[..., None] if img.ndim == 2 else img out_img = cv2.cvtColor(img, cv2.COLOR_GRAY2BGR) return out_img
Convert a grayscale image to BGR image.
def gray2bgr(img): """Convert a grayscale image to BGR image. Args: img (ndarray or str): The input image. Returns: ndarray: The converted BGR image. """ img = img[..., None] if img.ndim == 2 else img out_img = cv2.cvtColor(img, cv2.COLOR_GRAY2BGR) return out_img
mmcv/image/transforms/colorspace.py
open-mmlab/mmcv
iter_cast
def iter_cast(inputs, dst_type, return_type=None): if not isinstance(inputs, collections_abc.Iterable): raise TypeError('inputs must be an iterable object') if not isinstance(dst_type, type): raise TypeError('"dst_type" must be a valid type') out_iterable = six.moves.map(dst_type, inputs) ...
Cast elements of an iterable object into some type.
def iter_cast(inputs, dst_type, return_type=None): """Cast elements of an iterable object into some type. Args: inputs (Iterable): The input object. dst_type (type): Destination type. return_type (type, optional): If specified, the output object will be converted to this typ...
mmcv/utils/misc.py
open-mmlab/mmcv
is_seq_of
def is_seq_of(seq, expected_type, seq_type=None): if seq_type is None: exp_seq_type = collections_abc.Sequence else: assert isinstance(seq_type, type) exp_seq_type = seq_type if not isinstance(seq, exp_seq_type): return False for item in seq: if not isinstance(ite...
Check whether it is a sequence of some type.
def is_seq_of(seq, expected_type, seq_type=None): """Check whether it is a sequence of some type. Args: seq (Sequence): The sequence to be checked. expected_type (type): Expected type of sequence items. seq_type (type, optional): Expected sequence type. Returns: bool: Wheth...
mmcv/utils/misc.py
open-mmlab/mmcv
slice_list
def slice_list(in_list, lens): if not isinstance(lens, list): raise TypeError('"indices" must be a list of integers') elif sum(lens) != len(in_list): raise ValueError( 'sum of lens and list length does not match: {} != {}'.format( sum(lens), len(in_list))) out_lis...
Slice a list into several sub lists by a list of given length.
def slice_list(in_list, lens): """Slice a list into several sub lists by a list of given length. Args: in_list (list): The list to be sliced. lens(int or list): The expected length of each out list. Returns: list: A list of sliced list. """ if not isinstance(lens, list): ...
mmcv/utils/misc.py
open-mmlab/mmcv
check_prerequisites
def check_prerequisites( prerequisites, checker, msg_tmpl='Prerequisites "{}" are required in method "{}" but not ' 'found, please install them first.'): def wrap(func): @functools.wraps(func) def wrapped_func(*args, **kwargs): requirements = [prerequisit...
A decorator factory to check if prerequisites are satisfied.
def check_prerequisites( prerequisites, checker, msg_tmpl='Prerequisites "{}" are required in method "{}" but not ' 'found, please install them first.'): """A decorator factory to check if prerequisites are satisfied. Args: prerequisites (str of list[str]): Prerequisites...
mmcv/utils/misc.py
open-mmlab/mmcv
LogBuffer.average
def average(self, n=0): assert n >= 0 for key in self.val_history: values = np.array(self.val_history[key][-n:]) nums = np.array(self.n_history[key][-n:]) avg = np.sum(values * nums) / np.sum(nums) self.output[key] = avg self.ready = True
Average latest n values or all values
def average(self, n=0): """Average latest n values or all values""" assert n >= 0 for key in self.val_history: values = np.array(self.val_history[key][-n:]) nums = np.array(self.n_history[key][-n:]) avg = np.sum(values * nums) / np.sum(nums) self.o...
mmcv/runner/log_buffer.py
open-mmlab/mmcv
scatter
def scatter(input, devices, streams=None): if streams is None: streams = [None] * len(devices) if isinstance(input, list): chunk_size = (len(input) - 1) // len(devices) + 1 outputs = [ scatter(input[i], [devices[i // chunk_size]], [streams[i // chunk_size...
Scatters tensor across multiple GPUs.
def scatter(input, devices, streams=None): """Scatters tensor across multiple GPUs. """ if streams is None: streams = [None] * len(devices) if isinstance(input, list): chunk_size = (len(input) - 1) // len(devices) + 1 outputs = [ scatter(input[i], [devices[i // chunk...
mmcv/parallel/_functions.py
open-mmlab/mmcv
color_val
def color_val(color): if is_str(color): return Color[color].value elif isinstance(color, Color): return color.value elif isinstance(color, tuple): assert len(color) == 3 for channel in color: assert channel >= 0 and channel <= 255 return color elif isi...
Convert various input to color tuples.
def color_val(color): """Convert various input to color tuples. Args: color (:obj:`Color`/str/tuple/int/ndarray): Color inputs Returns: tuple[int]: A tuple of 3 integers indicating BGR channels. """ if is_str(color): return Color[color].value elif isinstance(color, Colo...
mmcv/visualization/color.py
open-mmlab/mmcv
check_time
def check_time(timer_id): if timer_id not in _g_timers: _g_timers[timer_id] = Timer() return 0 else: return _g_timers[timer_id].since_last_check()
Add check points in a single line. This method is suitable for running a task on a list of items. A timer will be registered when the method is called for the first time.
def check_time(timer_id): """Add check points in a single line. This method is suitable for running a task on a list of items. A timer will be registered when the method is called for the first time. :Example: >>> import time >>> import mmcv >>> for i in range(1, 6): >>> # simulat...
mmcv/utils/timer.py
open-mmlab/mmcv
Timer.start
def start(self): if not self._is_running: self._t_start = time() self._is_running = True self._t_last = time()
Start the timer.
def start(self): """Start the timer.""" if not self._is_running: self._t_start = time() self._is_running = True self._t_last = time()
mmcv/utils/timer.py
open-mmlab/mmcv
Timer.since_start
def since_start(self): if not self._is_running: raise TimerError('timer is not running') self._t_last = time() return self._t_last - self._t_start
Total time since the timer is started.
def since_start(self): """Total time since the timer is started. Returns (float): Time in seconds. """ if not self._is_running: raise TimerError('timer is not running') self._t_last = time() return self._t_last - self._t_start
mmcv/utils/timer.py
open-mmlab/mmcv
Timer.since_last_check
def since_last_check(self): if not self._is_running: raise TimerError('timer is not running') dur = time() - self._t_last self._t_last = time() return dur
Time since the last checking. Either :func:`since_start` or :func:`since_last_check` is a checking operation.
def since_last_check(self): """Time since the last checking. Either :func:`since_start` or :func:`since_last_check` is a checking operation. Returns (float): Time in seconds. """ if not self._is_running: raise TimerError('timer is not running') dur =...
mmcv/utils/timer.py
open-mmlab/mmcv
flowshow
def flowshow(flow, win_name='', wait_time=0): flow = flowread(flow) flow_img = flow2rgb(flow) imshow(rgb2bgr(flow_img), win_name, wait_time)
Show optical flow.
def flowshow(flow, win_name='', wait_time=0): """Show optical flow. Args: flow (ndarray or str): The optical flow to be displayed. win_name (str): The window name. wait_time (int): Value of waitKey param. """ flow = flowread(flow) flow_img = flow2rgb(flow) imshow(rgb2bgr...
mmcv/visualization/optflow.py
open-mmlab/mmcv
flow2rgb
def flow2rgb(flow, color_wheel=None, unknown_thr=1e6): assert flow.ndim == 3 and flow.shape[-1] == 2 if color_wheel is None: color_wheel = make_color_wheel() assert color_wheel.ndim == 2 and color_wheel.shape[1] == 3 num_bins = color_wheel.shape[0] dx = flow[:, :, 0].copy() dy = flow[:,...
Convert flow map to RGB image.
def flow2rgb(flow, color_wheel=None, unknown_thr=1e6): """Convert flow map to RGB image. Args: flow (ndarray): Array of optical flow. color_wheel (ndarray or None): Color wheel used to map flow field to RGB colorspace. Default color wheel will be used if not specified. unkno...
mmcv/visualization/optflow.py
open-mmlab/mmcv
make_color_wheel
def make_color_wheel(bins=None): if bins is None: bins = [15, 6, 4, 11, 13, 6] assert len(bins) == 6 RY, YG, GC, CB, BM, MR = tuple(bins) ry = [1, np.arange(RY) / RY, 0] yg = [1 - np.arange(YG) / YG, 1, 0] gc = [0, 1, np.arange(GC) / GC] cb = [0, 1 - np.arange(CB) / CB, 1] bm =...
Build a color wheel.
def make_color_wheel(bins=None): """Build a color wheel. Args: bins(list or tuple, optional): Specify the number of bins for each color range, corresponding to six ranges: red -> yellow, yellow -> green, green -> cyan, cyan -> blue, blue -> magenta, magenta -> red. [...
mmcv/visualization/optflow.py
open-mmlab/mmcv
accuracy
def accuracy(output, target, topk=(1, )): with torch.no_grad(): maxk = max(topk) batch_size = target.size(0) _, pred = output.topk(maxk, 1, True, True) pred = pred.t() correct = pred.eq(target.view(1, -1).expand_as(pred)) res = [] for k in topk: ...
Computes the precision@k for the specified values of k
def accuracy(output, target, topk=(1, )): """Computes the precision@k for the specified values of k""" with torch.no_grad(): maxk = max(topk) batch_size = target.size(0) _, pred = output.topk(maxk, 1, True, True) pred = pred.t() correct = pred.eq(target.view(1, -1).expan...
examples/train_cifar10.py
open-mmlab/mmcv
scatter
def scatter(inputs, target_gpus, dim=0): def scatter_map(obj): if isinstance(obj, torch.Tensor): return OrigScatter.apply(target_gpus, None, dim, obj) if isinstance(obj, DataContainer): if obj.cpu_only: return obj.data else: return ...
Scatter inputs to target gpus. The only difference from original :func:`scatter` is to add support for
def scatter(inputs, target_gpus, dim=0): """Scatter inputs to target gpus. The only difference from original :func:`scatter` is to add support for :type:`~mmcv.parallel.DataContainer`. """ def scatter_map(obj): if isinstance(obj, torch.Tensor): return OrigScatter.apply(target_g...
mmcv/parallel/scatter_gather.py
open-mmlab/mmcv
scatter_kwargs
def scatter_kwargs(inputs, kwargs, target_gpus, dim=0): inputs = scatter(inputs, target_gpus, dim) if inputs else [] kwargs = scatter(kwargs, target_gpus, dim) if kwargs else [] if len(inputs) < len(kwargs): inputs.extend([() for _ in range(len(kwargs) - len(inputs))]) elif len(kwargs) < len(inp...
Scatter with support for kwargs dictionary
def scatter_kwargs(inputs, kwargs, target_gpus, dim=0): """Scatter with support for kwargs dictionary""" inputs = scatter(inputs, target_gpus, dim) if inputs else [] kwargs = scatter(kwargs, target_gpus, dim) if kwargs else [] if len(inputs) < len(kwargs): inputs.extend([() for _ in range(len(kw...
mmcv/parallel/scatter_gather.py
Free AI Image Generator No sign-up. Instant results. Open Now