code
stringlengths
501
5.19M
package
stringlengths
2
81
path
stringlengths
9
304
filename
stringlengths
4
145
from __future__ import absolute_import from __future__ import division from __future__ import print_function import abc import six import tensorflow.compat.v1 as tf from object_detection.core import standard_fields as fields # If using a new enough version of TensorFlow, detection models should be a # tf module or keras model for tracking. try: _BaseClass = tf.keras.layers.Layer except AttributeError: _BaseClass = object class DetectionModel(six.with_metaclass(abc.ABCMeta, _BaseClass)): """Abstract base class for detection models. Extends tf.Module to guarantee variable tracking. """ def __init__(self, num_classes): """Constructor. Args: num_classes: number of classes. Note that num_classes *does not* include background categories that might be implicitly predicted in various implementations. """ self._num_classes = num_classes self._groundtruth_lists = {} super(DetectionModel, self).__init__() @property def num_classes(self): return self._num_classes def groundtruth_lists(self, field): """Access list of groundtruth tensors. Args: field: a string key, options are fields.BoxListFields.{boxes,classes,masks,keypoints, keypoint_visibilities, densepose_*, track_ids, temporal_offsets, track_match_flags} fields.InputDataFields.is_annotated. Returns: a list of tensors holding groundtruth information (see also provide_groundtruth function below), with one entry for each image in the batch. Raises: RuntimeError: if the field has not been provided via provide_groundtruth. """ if field not in self._groundtruth_lists: raise RuntimeError('Groundtruth tensor {} has not been provided'.format( field)) return self._groundtruth_lists[field] def groundtruth_has_field(self, field): """Determines whether the groundtruth includes the given field. Args: field: a string key, options are fields.BoxListFields.{boxes,classes,masks,keypoints, keypoint_visibilities, densepose_*, track_ids} or fields.InputDataFields.is_annotated. Returns: True if the groundtruth includes the given field, False otherwise. """ return field in self._groundtruth_lists @staticmethod def get_side_inputs(features): """Get side inputs from input features. This placeholder method provides a way for a meta-architecture to specify how to grab additional side inputs from input features (in addition to the image itself) and allows models to depend on contextual information. By default, detection models do not use side information (and thus this method returns an empty dictionary by default. However it can be overridden if side inputs are necessary." Args: features: A dictionary of tensors. Returns: An empty dictionary by default. """ return {} @abc.abstractmethod def preprocess(self, inputs): """Input preprocessing. To be overridden by implementations. This function is responsible for any scaling/shifting of input values that is necessary prior to running the detector on an input image. It is also responsible for any resizing, padding that might be necessary as images are assumed to arrive in arbitrary sizes. While this function could conceivably be part of the predict method (below), it is often convenient to keep these separate --- for example, we may want to preprocess on one device, place onto a queue, and let another device (e.g., the GPU) handle prediction. A few important notes about the preprocess function: + We assume that this operation does not have any trainable variables nor does it affect the groundtruth annotations in any way (thus data augmentation operations such as random cropping should be performed externally). + There is no assumption that the batchsize in this function is the same as the batch size in the predict function. In fact, we recommend calling the preprocess function prior to calling any batching operations (which should happen outside of the model) and thus assuming that batch sizes are equal to 1 in the preprocess function. + There is also no explicit assumption that the output resolutions must be fixed across inputs --- this is to support "fully convolutional" settings in which input images can have different shapes/resolutions. Args: inputs: a [batch, height_in, width_in, channels] float32 tensor representing a batch of images with values between 0 and 255.0. Returns: preprocessed_inputs: a [batch, height_out, width_out, channels] float32 tensor representing a batch of images. true_image_shapes: int32 tensor of shape [batch, 3] where each row is of the form [height, width, channels] indicating the shapes of true images in the resized images, as resized images can be padded with zeros. """ pass @abc.abstractmethod def predict(self, preprocessed_inputs, true_image_shapes, **side_inputs): """Predict prediction tensors from inputs tensor. Outputs of this function can be passed to loss or postprocess functions. Args: preprocessed_inputs: a [batch, height, width, channels] float32 tensor representing a batch of images. true_image_shapes: int32 tensor of shape [batch, 3] where each row is of the form [height, width, channels] indicating the shapes of true images in the resized images, as resized images can be padded with zeros. **side_inputs: additional tensors that are required by the network. Returns: prediction_dict: a dictionary holding prediction tensors to be passed to the Loss or Postprocess functions. """ pass @abc.abstractmethod def postprocess(self, prediction_dict, true_image_shapes, **params): """Convert predicted output tensors to final detections. This stage typically performs a few things such as * Non-Max Suppression to remove overlapping detection boxes. * Score conversion and background class removal. Outputs adhere to the following conventions: * Classes are integers in [0, num_classes); background classes are removed and the first non-background class is mapped to 0. If the model produces class-agnostic detections, then no output is produced for classes. * Boxes are to be interpreted as being in [y_min, x_min, y_max, x_max] format and normalized relative to the image window. * `num_detections` is provided for settings where detections are padded to a fixed number of boxes. * We do not specifically assume any kind of probabilistic interpretation of the scores --- the only important thing is their relative ordering. Thus implementations of the postprocess function are free to output logits, probabilities, calibrated probabilities, or anything else. Args: prediction_dict: a dictionary holding prediction tensors. true_image_shapes: int32 tensor of shape [batch, 3] where each row is of the form [height, width, channels] indicating the shapes of true images in the resized images, as resized images can be padded with zeros. **params: Additional keyword arguments for specific implementations of DetectionModel. Returns: detections: a dictionary containing the following fields detection_boxes: [batch, max_detections, 4] detection_scores: [batch, max_detections] detection_classes: [batch, max_detections] (If a model is producing class-agnostic detections, this field may be missing) detection_masks: [batch, max_detections, mask_height, mask_width] (optional) detection_keypoints: [batch, max_detections, num_keypoints, 2] (optional) detection_keypoint_scores: [batch, max_detections, num_keypoints] (optional) detection_surface_coords: [batch, max_detections, mask_height, mask_width, 2] (optional) num_detections: [batch] In addition to the above fields this stage also outputs the following raw tensors: raw_detection_boxes: [batch, total_detections, 4] tensor containing all detection boxes from `prediction_dict` in the format [ymin, xmin, ymax, xmax] and normalized co-ordinates. raw_detection_scores: [batch, total_detections, num_classes_with_background] tensor of class score logits for raw detection boxes. """ pass @abc.abstractmethod def loss(self, prediction_dict, true_image_shapes): """Compute scalar loss tensors with respect to provided groundtruth. Calling this function requires that groundtruth tensors have been provided via the provide_groundtruth function. Args: prediction_dict: a dictionary holding predicted tensors true_image_shapes: int32 tensor of shape [batch, 3] where each row is of the form [height, width, channels] indicating the shapes of true images in the resized images, as resized images can be padded with zeros. Returns: a dictionary mapping strings (loss names) to scalar tensors representing loss values. """ pass def provide_groundtruth( self, groundtruth_boxes_list, groundtruth_classes_list, groundtruth_masks_list=None, groundtruth_keypoints_list=None, groundtruth_keypoint_visibilities_list=None, groundtruth_dp_num_points_list=None, groundtruth_dp_part_ids_list=None, groundtruth_dp_surface_coords_list=None, groundtruth_track_ids_list=None, groundtruth_temporal_offsets_list=None, groundtruth_track_match_flags_list=None, groundtruth_weights_list=None, groundtruth_confidences_list=None, groundtruth_is_crowd_list=None, groundtruth_group_of_list=None, groundtruth_area_list=None, is_annotated_list=None, groundtruth_labeled_classes=None, groundtruth_verified_neg_classes=None, groundtruth_not_exhaustive_classes=None, groundtruth_keypoint_depths_list=None, groundtruth_keypoint_depth_weights_list=None): """Provide groundtruth tensors. Args: groundtruth_boxes_list: a list of 2-D tf.float32 tensors of shape [num_boxes, 4] containing coordinates of the groundtruth boxes. Groundtruth boxes are provided in [y_min, x_min, y_max, x_max] format and assumed to be normalized and clipped relative to the image window with y_min <= y_max and x_min <= x_max. groundtruth_classes_list: a list of 2-D tf.float32 one-hot (or k-hot) tensors of shape [num_boxes, num_classes] containing the class targets with the 0th index assumed to map to the first non-background class. groundtruth_masks_list: a list of 3-D tf.float32 tensors of shape [num_boxes, height_in, width_in] containing instance masks with values in {0, 1}. If None, no masks are provided. Mask resolution `height_in`x`width_in` must agree with the resolution of the input image tensor provided to the `preprocess` function. groundtruth_keypoints_list: a list of 3-D tf.float32 tensors of shape [num_boxes, num_keypoints, 2] containing keypoints. Keypoints are assumed to be provided in normalized coordinates and missing keypoints should be encoded as NaN (but it is recommended to use `groundtruth_keypoint_visibilities_list`). groundtruth_keypoint_visibilities_list: a list of 3-D tf.bool tensors of shape [num_boxes, num_keypoints] containing keypoint visibilities. groundtruth_dp_num_points_list: a list of 1-D tf.int32 tensors of shape [num_boxes] containing the number of DensePose sampled points. groundtruth_dp_part_ids_list: a list of 2-D tf.int32 tensors of shape [num_boxes, max_sampled_points] containing the DensePose part ids (0-indexed) for each sampled point. Note that there may be padding. groundtruth_dp_surface_coords_list: a list of 3-D tf.float32 tensors of shape [num_boxes, max_sampled_points, 4] containing the DensePose surface coordinates for each sampled point. Note that there may be padding. groundtruth_track_ids_list: a list of 1-D tf.int32 tensors of shape [num_boxes] containing the track IDs of groundtruth objects. groundtruth_temporal_offsets_list: a list of 2-D tf.float32 tensors of shape [num_boxes, 2] containing the spatial offsets of objects' centers compared with the previous frame. groundtruth_track_match_flags_list: a list of 1-D tf.float32 tensors of shape [num_boxes] containing 0-1 flags that indicate if an object has existed in the previous frame. groundtruth_weights_list: A list of 1-D tf.float32 tensors of shape [num_boxes] containing weights for groundtruth boxes. groundtruth_confidences_list: A list of 2-D tf.float32 tensors of shape [num_boxes, num_classes] containing class confidences for groundtruth boxes. groundtruth_is_crowd_list: A list of 1-D tf.bool tensors of shape [num_boxes] containing is_crowd annotations. groundtruth_group_of_list: A list of 1-D tf.bool tensors of shape [num_boxes] containing group_of annotations. groundtruth_area_list: A list of 1-D tf.float32 tensors of shape [num_boxes] containing the area (in the original absolute coordinates) of the annotations. is_annotated_list: A list of scalar tf.bool tensors indicating whether images have been labeled or not. groundtruth_labeled_classes: A list of 1-D tf.float32 tensors of shape [num_classes], containing label indices encoded as k-hot of the classes that are exhaustively annotated. groundtruth_verified_neg_classes: A list of 1-D tf.float32 tensors of shape [num_classes], containing a K-hot representation of classes which were verified as not present in the image. groundtruth_not_exhaustive_classes: A list of 1-D tf.float32 tensors of shape [num_classes], containing a K-hot representation of classes which don't have all of their instances marked exhaustively. groundtruth_keypoint_depths_list: a list of 2-D tf.float32 tensors of shape [num_boxes, num_keypoints] containing keypoint relative depths. groundtruth_keypoint_depth_weights_list: a list of 2-D tf.float32 tensors of shape [num_boxes, num_keypoints] containing the weights of the relative depths. """ self._groundtruth_lists[fields.BoxListFields.boxes] = groundtruth_boxes_list self._groundtruth_lists[ fields.BoxListFields.classes] = groundtruth_classes_list if groundtruth_weights_list: self._groundtruth_lists[fields.BoxListFields. weights] = groundtruth_weights_list if groundtruth_confidences_list: self._groundtruth_lists[fields.BoxListFields. confidences] = groundtruth_confidences_list if groundtruth_masks_list: self._groundtruth_lists[ fields.BoxListFields.masks] = groundtruth_masks_list if groundtruth_keypoints_list: self._groundtruth_lists[ fields.BoxListFields.keypoints] = groundtruth_keypoints_list if groundtruth_keypoint_visibilities_list: self._groundtruth_lists[ fields.BoxListFields.keypoint_visibilities] = ( groundtruth_keypoint_visibilities_list) if groundtruth_keypoint_depths_list: self._groundtruth_lists[ fields.BoxListFields.keypoint_depths] = ( groundtruth_keypoint_depths_list) if groundtruth_keypoint_depth_weights_list: self._groundtruth_lists[ fields.BoxListFields.keypoint_depth_weights] = ( groundtruth_keypoint_depth_weights_list) if groundtruth_dp_num_points_list: self._groundtruth_lists[ fields.BoxListFields.densepose_num_points] = ( groundtruth_dp_num_points_list) if groundtruth_dp_part_ids_list: self._groundtruth_lists[ fields.BoxListFields.densepose_part_ids] = ( groundtruth_dp_part_ids_list) if groundtruth_dp_surface_coords_list: self._groundtruth_lists[ fields.BoxListFields.densepose_surface_coords] = ( groundtruth_dp_surface_coords_list) if groundtruth_track_ids_list: self._groundtruth_lists[ fields.BoxListFields.track_ids] = groundtruth_track_ids_list if groundtruth_temporal_offsets_list: self._groundtruth_lists[ fields.BoxListFields.temporal_offsets] = ( groundtruth_temporal_offsets_list) if groundtruth_track_match_flags_list: self._groundtruth_lists[ fields.BoxListFields.track_match_flags] = ( groundtruth_track_match_flags_list) if groundtruth_is_crowd_list: self._groundtruth_lists[ fields.BoxListFields.is_crowd] = groundtruth_is_crowd_list if groundtruth_group_of_list: self._groundtruth_lists[ fields.BoxListFields.group_of] = groundtruth_group_of_list if groundtruth_area_list: self._groundtruth_lists[ fields.InputDataFields.groundtruth_area] = groundtruth_area_list if is_annotated_list: self._groundtruth_lists[ fields.InputDataFields.is_annotated] = is_annotated_list if groundtruth_labeled_classes: self._groundtruth_lists[ fields.InputDataFields .groundtruth_labeled_classes] = groundtruth_labeled_classes if groundtruth_verified_neg_classes: self._groundtruth_lists[ fields.InputDataFields .groundtruth_verified_neg_classes] = groundtruth_verified_neg_classes if groundtruth_not_exhaustive_classes: self._groundtruth_lists[ fields.InputDataFields .groundtruth_not_exhaustive_classes] = ( groundtruth_not_exhaustive_classes) @abc.abstractmethod def regularization_losses(self): """Returns a list of regularization losses for this model. Returns a list of regularization losses for this model that the estimator needs to use during training/optimization. Returns: A list of regularization loss tensors. """ pass @abc.abstractmethod def restore_map(self, fine_tune_checkpoint_type='detection', load_all_detection_checkpoint_vars=False): """Returns a map of variables to load from a foreign checkpoint. Returns a map of variable names to load from a checkpoint to variables in the model graph. This enables the model to initialize based on weights from another task. For example, the feature extractor variables from a classification model can be used to bootstrap training of an object detector. When loading from an object detection model, the checkpoint model should have the same parameters as this detection model with exception of the num_classes parameter. Args: fine_tune_checkpoint_type: whether to restore from a full detection checkpoint (with compatible variable names) or to restore from a classification checkpoint for initialization prior to training. Valid values: `detection`, `classification`. Default 'detection'. load_all_detection_checkpoint_vars: whether to load all variables (when `fine_tune_checkpoint_type` is `detection`). If False, only variables within the feature extractor scope are included. Default False. Returns: A dict mapping variable names (to load from a checkpoint) to variables in the model graph. """ pass @abc.abstractmethod def restore_from_objects(self, fine_tune_checkpoint_type='detection'): """Returns a map of variables to load from a foreign checkpoint. Returns a dictionary of Tensorflow 2 Trackable objects (e.g. tf.Module or Checkpoint). This enables the model to initialize based on weights from another task. For example, the feature extractor variables from a classification model can be used to bootstrap training of an object detector. When loading from an object detection model, the checkpoint model should have the same parameters as this detection model with exception of the num_classes parameter. Note that this function is intended to be used to restore Keras-based models when running Tensorflow 2, whereas restore_map (above) is intended to be used to restore Slim-based models when running Tensorflow 1.x. TODO(jonathanhuang,rathodv): Check tf_version and raise unimplemented error for both restore_map and restore_from_objects depending on version. Args: fine_tune_checkpoint_type: whether to restore from a full detection checkpoint (with compatible variable names) or to restore from a classification checkpoint for initialization prior to training. Valid values: `detection`, `classification`. Default 'detection'. Returns: A dict mapping keys to Trackable objects (tf.Module or Checkpoint). """ pass @abc.abstractmethod def updates(self): """Returns a list of update operators for this model. Returns a list of update operators for this model that must be executed at each training step. The estimator's train op needs to have a control dependency on these updates. Returns: A list of update operators. """ pass def call(self, images): """Returns detections from a batch of images. This method calls the preprocess, predict and postprocess function sequentially and returns the output. Args: images: a [batch_size, height, width, channels] float tensor. Returns: detetcions: The dict of tensors returned by the postprocess function. """ preprocessed_images, shapes = self.preprocess(images) prediction_dict = self.predict(preprocessed_images, shapes) return self.postprocess(prediction_dict, shapes)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/core/model.py
model.py
import tensorflow.compat.v1 as tf from object_detection.core import minibatch_sampler class BalancedPositiveNegativeSampler(minibatch_sampler.MinibatchSampler): """Subsamples minibatches to a desired balance of positives and negatives.""" def __init__(self, positive_fraction=0.5, is_static=False): """Constructs a minibatch sampler. Args: positive_fraction: desired fraction of positive examples (scalar in [0,1]) in the batch. is_static: If True, uses an implementation with static shape guarantees. Raises: ValueError: if positive_fraction < 0, or positive_fraction > 1 """ if positive_fraction < 0 or positive_fraction > 1: raise ValueError('positive_fraction should be in range [0,1]. ' 'Received: %s.' % positive_fraction) self._positive_fraction = positive_fraction self._is_static = is_static def _get_num_pos_neg_samples(self, sorted_indices_tensor, sample_size): """Counts the number of positives and negatives numbers to be sampled. Args: sorted_indices_tensor: A sorted int32 tensor of shape [N] which contains the signed indices of the examples where the sign is based on the label value. The examples that cannot be sampled are set to 0. It samples atmost sample_size*positive_fraction positive examples and remaining from negative examples. sample_size: Size of subsamples. Returns: A tuple containing the number of positive and negative labels in the subsample. """ input_length = tf.shape(sorted_indices_tensor)[0] valid_positive_index = tf.greater(sorted_indices_tensor, tf.zeros(input_length, tf.int32)) num_sampled_pos = tf.reduce_sum(tf.cast(valid_positive_index, tf.int32)) max_num_positive_samples = tf.constant( int(sample_size * self._positive_fraction), tf.int32) num_positive_samples = tf.minimum(max_num_positive_samples, num_sampled_pos) num_negative_samples = tf.constant(sample_size, tf.int32) - num_positive_samples return num_positive_samples, num_negative_samples def _get_values_from_start_and_end(self, input_tensor, num_start_samples, num_end_samples, total_num_samples): """slices num_start_samples and last num_end_samples from input_tensor. Args: input_tensor: An int32 tensor of shape [N] to be sliced. num_start_samples: Number of examples to be sliced from the beginning of the input tensor. num_end_samples: Number of examples to be sliced from the end of the input tensor. total_num_samples: Sum of is num_start_samples and num_end_samples. This should be a scalar. Returns: A tensor containing the first num_start_samples and last num_end_samples from input_tensor. """ input_length = tf.shape(input_tensor)[0] start_positions = tf.less(tf.range(input_length), num_start_samples) end_positions = tf.greater_equal( tf.range(input_length), input_length - num_end_samples) selected_positions = tf.logical_or(start_positions, end_positions) selected_positions = tf.cast(selected_positions, tf.float32) indexed_positions = tf.multiply(tf.cumsum(selected_positions), selected_positions) one_hot_selector = tf.one_hot(tf.cast(indexed_positions, tf.int32) - 1, total_num_samples, dtype=tf.float32) return tf.cast(tf.tensordot(tf.cast(input_tensor, tf.float32), one_hot_selector, axes=[0, 0]), tf.int32) def _static_subsample(self, indicator, batch_size, labels): """Returns subsampled minibatch. Args: indicator: boolean tensor of shape [N] whose True entries can be sampled. N should be a complie time constant. batch_size: desired batch size. This scalar cannot be None. labels: boolean tensor of shape [N] denoting positive(=True) and negative (=False) examples. N should be a complie time constant. Returns: sampled_idx_indicator: boolean tensor of shape [N], True for entries which are sampled. It ensures the length of output of the subsample is always batch_size, even when number of examples set to True in indicator is less than batch_size. Raises: ValueError: if labels and indicator are not 1D boolean tensors. """ # Check if indicator and labels have a static size. if not indicator.shape.is_fully_defined(): raise ValueError('indicator must be static in shape when is_static is' 'True') if not labels.shape.is_fully_defined(): raise ValueError('labels must be static in shape when is_static is' 'True') if not isinstance(batch_size, int): raise ValueError('batch_size has to be an integer when is_static is' 'True.') input_length = tf.shape(indicator)[0] # Set the number of examples set True in indicator to be at least # batch_size. num_true_sampled = tf.reduce_sum(tf.cast(indicator, tf.float32)) additional_false_sample = tf.less_equal( tf.cumsum(tf.cast(tf.logical_not(indicator), tf.float32)), batch_size - num_true_sampled) indicator = tf.logical_or(indicator, additional_false_sample) # Shuffle indicator and label. Need to store the permutation to restore the # order post sampling. permutation = tf.random_shuffle(tf.range(input_length)) indicator = tf.gather(indicator, permutation, axis=0) labels = tf.gather(labels, permutation, axis=0) # index (starting from 1) when indicator is True, 0 when False indicator_idx = tf.where( indicator, tf.range(1, input_length + 1), tf.zeros(input_length, tf.int32)) # Replace -1 for negative, +1 for positive labels signed_label = tf.where( labels, tf.ones(input_length, tf.int32), tf.scalar_mul(-1, tf.ones(input_length, tf.int32))) # negative of index for negative label, positive index for positive label, # 0 when indicator is False. signed_indicator_idx = tf.multiply(indicator_idx, signed_label) sorted_signed_indicator_idx = tf.nn.top_k( signed_indicator_idx, input_length, sorted=True).values [num_positive_samples, num_negative_samples] = self._get_num_pos_neg_samples( sorted_signed_indicator_idx, batch_size) sampled_idx = self._get_values_from_start_and_end( sorted_signed_indicator_idx, num_positive_samples, num_negative_samples, batch_size) # Shift the indices to start from 0 and remove any samples that are set as # False. sampled_idx = tf.abs(sampled_idx) - tf.ones(batch_size, tf.int32) sampled_idx = tf.multiply( tf.cast(tf.greater_equal(sampled_idx, tf.constant(0)), tf.int32), sampled_idx) sampled_idx_indicator = tf.cast(tf.reduce_sum( tf.one_hot(sampled_idx, depth=input_length), axis=0), tf.bool) # project back the order based on stored permutations idx_indicator = tf.scatter_nd( tf.expand_dims(permutation, -1), sampled_idx_indicator, shape=(input_length,)) return idx_indicator def subsample(self, indicator, batch_size, labels, scope=None): """Returns subsampled minibatch. Args: indicator: boolean tensor of shape [N] whose True entries can be sampled. batch_size: desired batch size. If None, keeps all positive samples and randomly selects negative samples so that the positive sample fraction matches self._positive_fraction. It cannot be None is is_static is True. labels: boolean tensor of shape [N] denoting positive(=True) and negative (=False) examples. scope: name scope. Returns: sampled_idx_indicator: boolean tensor of shape [N], True for entries which are sampled. Raises: ValueError: if labels and indicator are not 1D boolean tensors. """ if len(indicator.get_shape().as_list()) != 1: raise ValueError('indicator must be 1 dimensional, got a tensor of ' 'shape %s' % indicator.get_shape()) if len(labels.get_shape().as_list()) != 1: raise ValueError('labels must be 1 dimensional, got a tensor of ' 'shape %s' % labels.get_shape()) if labels.dtype != tf.bool: raise ValueError('labels should be of type bool. Received: %s' % labels.dtype) if indicator.dtype != tf.bool: raise ValueError('indicator should be of type bool. Received: %s' % indicator.dtype) with tf.name_scope(scope, 'BalancedPositiveNegativeSampler'): if self._is_static: return self._static_subsample(indicator, batch_size, labels) else: # Only sample from indicated samples negative_idx = tf.logical_not(labels) positive_idx = tf.logical_and(labels, indicator) negative_idx = tf.logical_and(negative_idx, indicator) # Sample positive and negative samples separately if batch_size is None: max_num_pos = tf.reduce_sum(tf.cast(positive_idx, dtype=tf.int32)) else: max_num_pos = int(self._positive_fraction * batch_size) sampled_pos_idx = self.subsample_indicator(positive_idx, max_num_pos) num_sampled_pos = tf.reduce_sum(tf.cast(sampled_pos_idx, tf.int32)) if batch_size is None: negative_positive_ratio = ( 1 - self._positive_fraction) / self._positive_fraction max_num_neg = tf.cast( negative_positive_ratio * tf.cast(num_sampled_pos, dtype=tf.float32), dtype=tf.int32) else: max_num_neg = batch_size - num_sampled_pos sampled_neg_idx = self.subsample_indicator(negative_idx, max_num_neg) return tf.logical_or(sampled_pos_idx, sampled_neg_idx)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/core/balanced_positive_negative_sampler.py
balanced_positive_negative_sampler.py
class InputDataFields(object): """Names for the input tensors. Holds the standard data field names to use for identifying input tensors. This should be used by the decoder to identify keys for the returned tensor_dict containing input tensors. And it should be used by the model to identify the tensors it needs. Attributes: image: image. image_additional_channels: additional channels. original_image: image in the original input size. original_image_spatial_shape: image in the original input size. key: unique key corresponding to image. source_id: source of the original image. filename: original filename of the dataset (without common path). groundtruth_image_classes: image-level class labels. groundtruth_image_confidences: image-level class confidences. groundtruth_labeled_classes: image-level annotation that indicates the classes for which an image has been labeled. groundtruth_boxes: coordinates of the ground truth boxes in the image. groundtruth_classes: box-level class labels. groundtruth_track_ids: box-level track ID labels. groundtruth_temporal_offset: box-level temporal offsets, i.e., movement of the box center in adjacent frames. groundtruth_track_match_flags: box-level flags indicating if objects exist in the previous frame. groundtruth_confidences: box-level class confidences. The shape should be the same as the shape of groundtruth_classes. groundtruth_label_types: box-level label types (e.g. explicit negative). groundtruth_is_crowd: [DEPRECATED, use groundtruth_group_of instead] is the groundtruth a single object or a crowd. groundtruth_area: area of a groundtruth segment. groundtruth_difficult: is a `difficult` object groundtruth_group_of: is a `group_of` objects, e.g. multiple objects of the same class, forming a connected group, where instances are heavily occluding each other. proposal_boxes: coordinates of object proposal boxes. proposal_objectness: objectness score of each proposal. groundtruth_instance_masks: ground truth instance masks. groundtruth_instance_boundaries: ground truth instance boundaries. groundtruth_instance_classes: instance mask-level class labels. groundtruth_keypoints: ground truth keypoints. groundtruth_keypoint_depths: Relative depth of the keypoints. groundtruth_keypoint_depth_weights: Weights of the relative depth of the keypoints. groundtruth_keypoint_visibilities: ground truth keypoint visibilities. groundtruth_keypoint_weights: groundtruth weight factor for keypoints. groundtruth_label_weights: groundtruth label weights. groundtruth_verified_negative_classes: groundtruth verified negative classes groundtruth_not_exhaustive_classes: groundtruth not-exhaustively labeled classes. groundtruth_weights: groundtruth weight factor for bounding boxes. groundtruth_dp_num_points: The number of DensePose sampled points for each instance. groundtruth_dp_part_ids: Part indices for DensePose points. groundtruth_dp_surface_coords: Image locations and UV coordinates for DensePose points. num_groundtruth_boxes: number of groundtruth boxes. is_annotated: whether an image has been labeled or not. true_image_shapes: true shapes of images in the resized images, as resized images can be padded with zeros. multiclass_scores: the label score per class for each box. context_features: a flattened list of contextual features. context_feature_length: the fixed length of each feature in context_features, used for reshaping. valid_context_size: the valid context size, used in filtering the padded context features. context_features_image_id_list: the list of image source ids corresponding to the features in context_features image_format: format for the images, used to decode image_height: height of images, used to decode image_width: width of images, used to decode """ image = 'image' image_additional_channels = 'image_additional_channels' original_image = 'original_image' original_image_spatial_shape = 'original_image_spatial_shape' key = 'key' source_id = 'source_id' filename = 'filename' groundtruth_image_classes = 'groundtruth_image_classes' groundtruth_image_confidences = 'groundtruth_image_confidences' groundtruth_labeled_classes = 'groundtruth_labeled_classes' groundtruth_boxes = 'groundtruth_boxes' groundtruth_classes = 'groundtruth_classes' groundtruth_track_ids = 'groundtruth_track_ids' groundtruth_temporal_offset = 'groundtruth_temporal_offset' groundtruth_track_match_flags = 'groundtruth_track_match_flags' groundtruth_confidences = 'groundtruth_confidences' groundtruth_label_types = 'groundtruth_label_types' groundtruth_is_crowd = 'groundtruth_is_crowd' groundtruth_area = 'groundtruth_area' groundtruth_difficult = 'groundtruth_difficult' groundtruth_group_of = 'groundtruth_group_of' proposal_boxes = 'proposal_boxes' proposal_objectness = 'proposal_objectness' groundtruth_instance_masks = 'groundtruth_instance_masks' groundtruth_instance_boundaries = 'groundtruth_instance_boundaries' groundtruth_instance_classes = 'groundtruth_instance_classes' groundtruth_keypoints = 'groundtruth_keypoints' groundtruth_keypoint_depths = 'groundtruth_keypoint_depths' groundtruth_keypoint_depth_weights = 'groundtruth_keypoint_depth_weights' groundtruth_keypoint_visibilities = 'groundtruth_keypoint_visibilities' groundtruth_keypoint_weights = 'groundtruth_keypoint_weights' groundtruth_label_weights = 'groundtruth_label_weights' groundtruth_verified_neg_classes = 'groundtruth_verified_neg_classes' groundtruth_not_exhaustive_classes = 'groundtruth_not_exhaustive_classes' groundtruth_weights = 'groundtruth_weights' groundtruth_dp_num_points = 'groundtruth_dp_num_points' groundtruth_dp_part_ids = 'groundtruth_dp_part_ids' groundtruth_dp_surface_coords = 'groundtruth_dp_surface_coords' num_groundtruth_boxes = 'num_groundtruth_boxes' is_annotated = 'is_annotated' true_image_shape = 'true_image_shape' multiclass_scores = 'multiclass_scores' context_features = 'context_features' context_feature_length = 'context_feature_length' valid_context_size = 'valid_context_size' context_features_image_id_list = 'context_features_image_id_list' image_timestamps = 'image_timestamps' image_format = 'image_format' image_height = 'image_height' image_width = 'image_width' class DetectionResultFields(object): """Naming conventions for storing the output of the detector. Attributes: source_id: source of the original image. key: unique key corresponding to image. detection_boxes: coordinates of the detection boxes in the image. detection_scores: detection scores for the detection boxes in the image. detection_multiclass_scores: class score distribution (including background) for detection boxes in the image including background class. detection_classes: detection-level class labels. detection_masks: contains a segmentation mask for each detection box. detection_surface_coords: contains DensePose surface coordinates for each box. detection_boundaries: contains an object boundary for each detection box. detection_keypoints: contains detection keypoints for each detection box. detection_keypoint_scores: contains detection keypoint scores. detection_keypoint_depths: contains detection keypoint depths. num_detections: number of detections in the batch. raw_detection_boxes: contains decoded detection boxes without Non-Max suppression. raw_detection_scores: contains class score logits for raw detection boxes. detection_anchor_indices: The anchor indices of the detections after NMS. detection_features: contains extracted features for each detected box after NMS. """ source_id = 'source_id' key = 'key' detection_boxes = 'detection_boxes' detection_scores = 'detection_scores' detection_multiclass_scores = 'detection_multiclass_scores' detection_features = 'detection_features' detection_classes = 'detection_classes' detection_masks = 'detection_masks' detection_surface_coords = 'detection_surface_coords' detection_boundaries = 'detection_boundaries' detection_keypoints = 'detection_keypoints' detection_keypoint_scores = 'detection_keypoint_scores' detection_keypoint_depths = 'detection_keypoint_depths' detection_embeddings = 'detection_embeddings' detection_offsets = 'detection_temporal_offsets' num_detections = 'num_detections' raw_detection_boxes = 'raw_detection_boxes' raw_detection_scores = 'raw_detection_scores' detection_anchor_indices = 'detection_anchor_indices' class BoxListFields(object): """Naming conventions for BoxLists. Attributes: boxes: bounding box coordinates. classes: classes per bounding box. scores: scores per bounding box. weights: sample weights per bounding box. objectness: objectness score per bounding box. masks: masks per bounding box. boundaries: boundaries per bounding box. keypoints: keypoints per bounding box. keypoint_visibilities: keypoint visibilities per bounding box. keypoint_heatmaps: keypoint heatmaps per bounding box. keypoint_depths: keypoint depths per bounding box. keypoint_depth_weights: keypoint depth weights per bounding box. densepose_num_points: number of DensePose points per bounding box. densepose_part_ids: DensePose part ids per bounding box. densepose_surface_coords: DensePose surface coordinates per bounding box. is_crowd: is_crowd annotation per bounding box. temporal_offsets: temporal center offsets per bounding box. track_match_flags: match flags per bounding box. """ boxes = 'boxes' classes = 'classes' scores = 'scores' weights = 'weights' confidences = 'confidences' objectness = 'objectness' masks = 'masks' boundaries = 'boundaries' keypoints = 'keypoints' keypoint_visibilities = 'keypoint_visibilities' keypoint_heatmaps = 'keypoint_heatmaps' keypoint_depths = 'keypoint_depths' keypoint_depth_weights = 'keypoint_depth_weights' densepose_num_points = 'densepose_num_points' densepose_part_ids = 'densepose_part_ids' densepose_surface_coords = 'densepose_surface_coords' is_crowd = 'is_crowd' group_of = 'group_of' track_ids = 'track_ids' temporal_offsets = 'temporal_offsets' track_match_flags = 'track_match_flags' class PredictionFields(object): """Naming conventions for standardized prediction outputs. Attributes: feature_maps: List of feature maps for prediction. anchors: Generated anchors. raw_detection_boxes: Decoded detection boxes without NMS. raw_detection_feature_map_indices: Feature map indices from which each raw detection box was produced. """ feature_maps = 'feature_maps' anchors = 'anchors' raw_detection_boxes = 'raw_detection_boxes' raw_detection_feature_map_indices = 'raw_detection_feature_map_indices' class TfExampleFields(object): """TF-example proto feature names for object detection. Holds the standard feature names to load from an Example proto for object detection. Attributes: image_encoded: JPEG encoded string image_format: image format, e.g. "JPEG" filename: filename channels: number of channels of image colorspace: colorspace, e.g. "RGB" height: height of image in pixels, e.g. 462 width: width of image in pixels, e.g. 581 source_id: original source of the image image_class_text: image-level label in text format image_class_label: image-level label in numerical format image_class_confidence: image-level confidence of the label object_class_text: labels in text format, e.g. ["person", "cat"] object_class_label: labels in numbers, e.g. [16, 8] object_bbox_xmin: xmin coordinates of groundtruth box, e.g. 10, 30 object_bbox_xmax: xmax coordinates of groundtruth box, e.g. 50, 40 object_bbox_ymin: ymin coordinates of groundtruth box, e.g. 40, 50 object_bbox_ymax: ymax coordinates of groundtruth box, e.g. 80, 70 object_view: viewpoint of object, e.g. ["frontal", "left"] object_truncated: is object truncated, e.g. [true, false] object_occluded: is object occluded, e.g. [true, false] object_difficult: is object difficult, e.g. [true, false] object_group_of: is object a single object or a group of objects object_depiction: is object a depiction object_is_crowd: [DEPRECATED, use object_group_of instead] is the object a single object or a crowd object_segment_area: the area of the segment. object_weight: a weight factor for the object's bounding box. instance_masks: instance segmentation masks. instance_boundaries: instance boundaries. instance_classes: Classes for each instance segmentation mask. detection_class_label: class label in numbers. detection_bbox_ymin: ymin coordinates of a detection box. detection_bbox_xmin: xmin coordinates of a detection box. detection_bbox_ymax: ymax coordinates of a detection box. detection_bbox_xmax: xmax coordinates of a detection box. detection_score: detection score for the class label and box. """ image_encoded = 'image/encoded' image_format = 'image/format' # format is reserved keyword filename = 'image/filename' channels = 'image/channels' colorspace = 'image/colorspace' height = 'image/height' width = 'image/width' source_id = 'image/source_id' image_class_text = 'image/class/text' image_class_label = 'image/class/label' image_class_confidence = 'image/class/confidence' object_class_text = 'image/object/class/text' object_class_label = 'image/object/class/label' object_bbox_ymin = 'image/object/bbox/ymin' object_bbox_xmin = 'image/object/bbox/xmin' object_bbox_ymax = 'image/object/bbox/ymax' object_bbox_xmax = 'image/object/bbox/xmax' object_view = 'image/object/view' object_truncated = 'image/object/truncated' object_occluded = 'image/object/occluded' object_difficult = 'image/object/difficult' object_group_of = 'image/object/group_of' object_depiction = 'image/object/depiction' object_is_crowd = 'image/object/is_crowd' object_segment_area = 'image/object/segment/area' object_weight = 'image/object/weight' instance_masks = 'image/segmentation/object' instance_boundaries = 'image/boundaries/object' instance_classes = 'image/segmentation/object/class' detection_class_label = 'image/detection/label' detection_bbox_ymin = 'image/detection/bbox/ymin' detection_bbox_xmin = 'image/detection/bbox/xmin' detection_bbox_ymax = 'image/detection/bbox/ymax' detection_bbox_xmax = 'image/detection/bbox/xmax' detection_score = 'image/detection/score' # Sequence fields for SequenceExample inputs. # All others are considered context fields. SEQUENCE_FIELDS = [InputDataFields.image, InputDataFields.source_id, InputDataFields.groundtruth_boxes, InputDataFields.num_groundtruth_boxes, InputDataFields.groundtruth_classes, InputDataFields.groundtruth_weights, InputDataFields.source_id, InputDataFields.is_annotated]
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/core/standard_fields.py
standard_fields.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function from abc import ABCMeta from abc import abstractmethod import collections import logging import unicodedata import numpy as np import six from six.moves import range from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.core import standard_fields from object_detection.utils import label_map_util from object_detection.utils import metrics from object_detection.utils import per_image_evaluation class DetectionEvaluator(six.with_metaclass(ABCMeta, object)): """Interface for object detection evalution classes. Example usage of the Evaluator: ------------------------------ evaluator = DetectionEvaluator(categories) # Detections and groundtruth for image 1. evaluator.add_single_groundtruth_image_info(...) evaluator.add_single_detected_image_info(...) # Detections and groundtruth for image 2. evaluator.add_single_groundtruth_image_info(...) evaluator.add_single_detected_image_info(...) metrics_dict = evaluator.evaluate() """ def __init__(self, categories): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. """ self._categories = categories def observe_result_dict_for_single_example(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ raise NotImplementedError('Not implemented for this evaluator!') @abstractmethod def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary of groundtruth numpy arrays required for evaluations. """ pass @abstractmethod def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary of detection numpy arrays required for evaluation. """ pass def get_estimator_eval_metric_ops(self, eval_dict): """Returns dict of metrics to use with `tf.estimator.EstimatorSpec`. Note that this must only be implemented if performing evaluation with a `tf.estimator.Estimator`. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: A dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in `tf.estimator.EstimatorSpec`. """ pass @abstractmethod def evaluate(self): """Evaluates detections and returns a dictionary of metrics.""" pass @abstractmethod def clear(self): """Clears the state to prepare for a fresh evaluation.""" pass class ObjectDetectionEvaluator(DetectionEvaluator): """A class to evaluate detections.""" def __init__(self, categories, matching_iou_threshold=0.5, recall_lower_bound=0.0, recall_upper_bound=1.0, evaluate_corlocs=False, evaluate_precision_recall=False, metric_prefix=None, use_weighted_mean_ap=False, evaluate_masks=False, group_of_weight=0.0, nms_iou_threshold=1.0, nms_max_output_boxes=10000): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. recall_lower_bound: lower bound of recall operating area. recall_upper_bound: upper bound of recall operating area. evaluate_corlocs: (optional) boolean which determines if corloc scores are to be returned or not. evaluate_precision_recall: (optional) boolean which determines if precision and recall values are to be returned or not. metric_prefix: (optional) string prefix for metric name; if None, no prefix is used. use_weighted_mean_ap: (optional) boolean which determines if the mean average precision is computed directly from the scores and tp_fp_labels of all classes. evaluate_masks: If False, evaluation will be performed based on boxes. If True, mask evaluation will be performed instead. group_of_weight: Weight of group-of boxes.If set to 0, detections of the correct class within a group-of box are ignored. If weight is > 0, then if at least one detection falls within a group-of box with matching_iou_threshold, weight group_of_weight is added to true positives. Consequently, if no detection falls within a group-of box, weight group_of_weight is added to false negatives. nms_iou_threshold: NMS IoU threashold. nms_max_output_boxes: maximal number of boxes after NMS. Raises: ValueError: If the category ids are not 1-indexed. """ super(ObjectDetectionEvaluator, self).__init__(categories) self._num_classes = max([cat['id'] for cat in categories]) if min(cat['id'] for cat in categories) < 1: raise ValueError('Classes should be 1-indexed.') self._matching_iou_threshold = matching_iou_threshold self._recall_lower_bound = recall_lower_bound self._recall_upper_bound = recall_upper_bound self._use_weighted_mean_ap = use_weighted_mean_ap self._label_id_offset = 1 self._evaluate_masks = evaluate_masks self._group_of_weight = group_of_weight self._nms_iou_threshold = nms_iou_threshold self._nms_max_output_boxes = nms_max_output_boxes self._evaluation = ObjectDetectionEvaluation( num_groundtruth_classes=self._num_classes, matching_iou_threshold=self._matching_iou_threshold, recall_lower_bound=self._recall_lower_bound, recall_upper_bound=self._recall_upper_bound, use_weighted_mean_ap=self._use_weighted_mean_ap, label_id_offset=self._label_id_offset, group_of_weight=self._group_of_weight, nms_iou_threshold=self._nms_iou_threshold, nms_max_output_boxes=self._nms_max_output_boxes) self._image_ids = set([]) self._evaluate_corlocs = evaluate_corlocs self._evaluate_precision_recall = evaluate_precision_recall self._metric_prefix = (metric_prefix + '_') if metric_prefix else '' self._expected_keys = set([ standard_fields.InputDataFields.key, standard_fields.InputDataFields.groundtruth_boxes, standard_fields.InputDataFields.groundtruth_classes, standard_fields.InputDataFields.groundtruth_difficult, standard_fields.InputDataFields.groundtruth_instance_masks, standard_fields.DetectionResultFields.detection_boxes, standard_fields.DetectionResultFields.detection_scores, standard_fields.DetectionResultFields.detection_classes, standard_fields.DetectionResultFields.detection_masks ]) self._build_metric_names() def get_internal_state(self): """Returns internal state and image ids that lead to the state. Note that only evaluation results will be returned (e.g. not raw predictions or groundtruth. """ return self._evaluation.get_internal_state(), self._image_ids def merge_internal_state(self, image_ids, state_tuple): """Merges internal state with the existing state of evaluation. If image_id is already seen by evaluator, an error will be thrown. Args: image_ids: list of images whose state is stored in the tuple. state_tuple: state. """ for image_id in image_ids: if image_id in self._image_ids: logging.warning('Image with id %s already added.', image_id) self._evaluation.merge_internal_state(state_tuple) def _build_metric_names(self): """Builds a list with metric names.""" if self._recall_lower_bound > 0.0 or self._recall_upper_bound < 1.0: self._metric_names = [ self._metric_prefix + 'Precision/mAP@{}IOU@[{:.1f},{:.1f}]Recall'.format( self._matching_iou_threshold, self._recall_lower_bound, self._recall_upper_bound) ] else: self._metric_names = [ self._metric_prefix + 'Precision/mAP@{}IOU'.format(self._matching_iou_threshold) ] if self._evaluate_corlocs: self._metric_names.append( self._metric_prefix + 'Precision/meanCorLoc@{}IOU'.format(self._matching_iou_threshold)) category_index = label_map_util.create_category_index(self._categories) for idx in range(self._num_classes): if idx + self._label_id_offset in category_index: category_name = category_index[idx + self._label_id_offset]['name'] try: category_name = six.text_type(category_name, 'utf-8') except TypeError: pass category_name = unicodedata.normalize('NFKD', category_name) if six.PY2: category_name = category_name.encode('ascii', 'ignore') self._metric_names.append( self._metric_prefix + 'PerformanceByCategory/AP@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) if self._evaluate_corlocs: self._metric_names.append( self._metric_prefix + 'PerformanceByCategory/CorLoc@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - standard_fields.InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. standard_fields.InputDataFields.groundtruth_difficult: Optional length M numpy boolean array denoting whether a ground truth box is a difficult instance or not. This field is optional to support the case that no boxes are difficult. standard_fields.InputDataFields.groundtruth_instance_masks: Optional numpy array of shape [num_boxes, height, width] with values in {0, 1}. Raises: ValueError: On adding groundtruth for an image more than once. Will also raise error if instance masks are not in groundtruth dictionary. """ if image_id in self._image_ids: logging.warning('Image with id %s already added.', image_id) groundtruth_classes = ( groundtruth_dict[standard_fields.InputDataFields.groundtruth_classes] - self._label_id_offset) # If the key is not present in the groundtruth_dict or the array is empty # (unless there are no annotations for the groundtruth on this image) # use values from the dictionary or insert None otherwise. if (standard_fields.InputDataFields.groundtruth_difficult in six.viewkeys( groundtruth_dict) and (groundtruth_dict[standard_fields.InputDataFields.groundtruth_difficult] .size or not groundtruth_classes.size)): groundtruth_difficult = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_difficult] else: groundtruth_difficult = None if not len(self._image_ids) % 1000: logging.warning( 'image %s does not have groundtruth difficult flag specified', image_id) groundtruth_masks = None if self._evaluate_masks: if (standard_fields.InputDataFields.groundtruth_instance_masks not in groundtruth_dict): raise ValueError('Instance masks not in groundtruth dictionary.') groundtruth_masks = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_instance_masks] self._evaluation.add_single_ground_truth_image_info( image_key=image_id, groundtruth_boxes=groundtruth_dict[ standard_fields.InputDataFields.groundtruth_boxes], groundtruth_class_labels=groundtruth_classes, groundtruth_is_difficult_list=groundtruth_difficult, groundtruth_masks=groundtruth_masks) self._image_ids.update([image_id]) def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - standard_fields.DetectionResultFields.detection_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. standard_fields.DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. standard_fields.DetectionResultFields.detection_masks: uint8 numpy array of shape [num_boxes, height, width] containing `num_boxes` masks of values ranging between 0 and 1. Raises: ValueError: If detection masks are not in detections dictionary. """ detection_classes = ( detections_dict[standard_fields.DetectionResultFields.detection_classes] - self._label_id_offset) detection_masks = None if self._evaluate_masks: if (standard_fields.DetectionResultFields.detection_masks not in detections_dict): raise ValueError('Detection masks not in detections dictionary.') detection_masks = detections_dict[ standard_fields.DetectionResultFields.detection_masks] self._evaluation.add_single_detected_image_info( image_key=image_id, detected_boxes=detections_dict[ standard_fields.DetectionResultFields.detection_boxes], detected_scores=detections_dict[ standard_fields.DetectionResultFields.detection_scores], detected_class_labels=detection_classes, detected_masks=detection_masks) def evaluate(self): """Compute evaluation result. Returns: A dictionary of metrics with the following fields - 1. summary_metrics: '<prefix if not empty>_Precision/mAP@<matching_iou_threshold>IOU': mean average precision at the specified IOU threshold. 2. per_category_ap: category specific results with keys of the form '<prefix if not empty>_PerformanceByCategory/ mAP@<matching_iou_threshold>IOU/category'. """ (per_class_ap, mean_ap, per_class_precision, per_class_recall, per_class_corloc, mean_corloc) = ( self._evaluation.evaluate()) pascal_metrics = {self._metric_names[0]: mean_ap} if self._evaluate_corlocs: pascal_metrics[self._metric_names[1]] = mean_corloc category_index = label_map_util.create_category_index(self._categories) for idx in range(per_class_ap.size): if idx + self._label_id_offset in category_index: category_name = category_index[idx + self._label_id_offset]['name'] try: category_name = six.text_type(category_name, 'utf-8') except TypeError: pass category_name = unicodedata.normalize('NFKD', category_name) if six.PY2: category_name = category_name.encode('ascii', 'ignore') display_name = ( self._metric_prefix + 'PerformanceByCategory/AP@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) pascal_metrics[display_name] = per_class_ap[idx] # Optionally add precision and recall values if self._evaluate_precision_recall: display_name = ( self._metric_prefix + 'PerformanceByCategory/Precision@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) pascal_metrics[display_name] = per_class_precision[idx] display_name = ( self._metric_prefix + 'PerformanceByCategory/Recall@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) pascal_metrics[display_name] = per_class_recall[idx] # Optionally add CorLoc metrics.classes if self._evaluate_corlocs: display_name = ( self._metric_prefix + 'PerformanceByCategory/CorLoc@{}IOU/{}'.format( self._matching_iou_threshold, category_name)) pascal_metrics[display_name] = per_class_corloc[idx] return pascal_metrics def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._evaluation = ObjectDetectionEvaluation( num_groundtruth_classes=self._num_classes, matching_iou_threshold=self._matching_iou_threshold, use_weighted_mean_ap=self._use_weighted_mean_ap, label_id_offset=self._label_id_offset, nms_iou_threshold=self._nms_iou_threshold, nms_max_output_boxes=self._nms_max_output_boxes, ) self._image_ids.clear() def add_eval_dict(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ # remove unexpected fields eval_dict_filtered = dict() for key, value in eval_dict.items(): if key in self._expected_keys: eval_dict_filtered[key] = value eval_dict_keys = list(eval_dict_filtered.keys()) def update_op(image_id, *eval_dict_batched_as_list): """Update operation that adds batch of images to ObjectDetectionEvaluator. Args: image_id: image id (single id or an array) *eval_dict_batched_as_list: the values of the dictionary of tensors. """ if np.isscalar(image_id): single_example_dict = dict( zip(eval_dict_keys, eval_dict_batched_as_list)) self.add_single_ground_truth_image_info(image_id, single_example_dict) self.add_single_detected_image_info(image_id, single_example_dict) else: for unzipped_tuple in zip(*eval_dict_batched_as_list): single_example_dict = dict(zip(eval_dict_keys, unzipped_tuple)) image_id = single_example_dict[standard_fields.InputDataFields.key] self.add_single_ground_truth_image_info(image_id, single_example_dict) self.add_single_detected_image_info(image_id, single_example_dict) args = [eval_dict_filtered[standard_fields.InputDataFields.key]] args.extend(six.itervalues(eval_dict_filtered)) return tf.py_func(update_op, args, []) def get_estimator_eval_metric_ops(self, eval_dict): """Returns dict of metrics to use with `tf.estimator.EstimatorSpec`. Note that this must only be implemented if performing evaluation with a `tf.estimator.Estimator`. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). It must contain standard_fields.InputDataFields.key. Returns: A dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in `tf.estimator.EstimatorSpec`. """ update_op = self.add_eval_dict(eval_dict) def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[self._metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {self._metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in self._metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops class PascalDetectionEvaluator(ObjectDetectionEvaluator): """A class to evaluate detections using PASCAL metrics.""" def __init__(self, categories, matching_iou_threshold=0.5, nms_iou_threshold=1.0, nms_max_output_boxes=10000): super(PascalDetectionEvaluator, self).__init__( categories, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, metric_prefix='PascalBoxes', use_weighted_mean_ap=False, nms_iou_threshold=nms_iou_threshold, nms_max_output_boxes=nms_max_output_boxes) class WeightedPascalDetectionEvaluator(ObjectDetectionEvaluator): """A class to evaluate detections using weighted PASCAL metrics. Weighted PASCAL metrics computes the mean average precision as the average precision given the scores and tp_fp_labels of all classes. In comparison, PASCAL metrics computes the mean average precision as the mean of the per-class average precisions. This definition is very similar to the mean of the per-class average precisions weighted by class frequency. However, they are typically not the same as the average precision is not a linear function of the scores and tp_fp_labels. """ def __init__(self, categories, matching_iou_threshold=0.5): super(WeightedPascalDetectionEvaluator, self).__init__( categories, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, metric_prefix='WeightedPascalBoxes', use_weighted_mean_ap=True) class PrecisionAtRecallDetectionEvaluator(ObjectDetectionEvaluator): """A class to evaluate detections using precision@recall metrics.""" def __init__(self, categories, matching_iou_threshold=0.5, recall_lower_bound=0.0, recall_upper_bound=1.0): super(PrecisionAtRecallDetectionEvaluator, self).__init__( categories, matching_iou_threshold=matching_iou_threshold, recall_lower_bound=recall_lower_bound, recall_upper_bound=recall_upper_bound, evaluate_corlocs=False, metric_prefix='PrecisionAtRecallBoxes', use_weighted_mean_ap=False) class PascalInstanceSegmentationEvaluator(ObjectDetectionEvaluator): """A class to evaluate instance masks using PASCAL metrics.""" def __init__(self, categories, matching_iou_threshold=0.5): super(PascalInstanceSegmentationEvaluator, self).__init__( categories, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, metric_prefix='PascalMasks', use_weighted_mean_ap=False, evaluate_masks=True) class WeightedPascalInstanceSegmentationEvaluator(ObjectDetectionEvaluator): """A class to evaluate instance masks using weighted PASCAL metrics. Weighted PASCAL metrics computes the mean average precision as the average precision given the scores and tp_fp_labels of all classes. In comparison, PASCAL metrics computes the mean average precision as the mean of the per-class average precisions. This definition is very similar to the mean of the per-class average precisions weighted by class frequency. However, they are typically not the same as the average precision is not a linear function of the scores and tp_fp_labels. """ def __init__(self, categories, matching_iou_threshold=0.5): super(WeightedPascalInstanceSegmentationEvaluator, self).__init__( categories, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, metric_prefix='WeightedPascalMasks', use_weighted_mean_ap=True, evaluate_masks=True) class OpenImagesDetectionEvaluator(ObjectDetectionEvaluator): """A class to evaluate detections using Open Images V2 metrics. Open Images V2 introduce group_of type of bounding boxes and this metric handles those boxes appropriately. """ def __init__(self, categories, matching_iou_threshold=0.5, evaluate_masks=False, evaluate_corlocs=False, metric_prefix='OpenImagesV2', group_of_weight=0.0): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. evaluate_masks: if True, evaluator evaluates masks. evaluate_corlocs: if True, additionally evaluates and returns CorLoc. metric_prefix: Prefix name of the metric. group_of_weight: Weight of the group-of bounding box. If set to 0 (default for Open Images V2 detection protocol), detections of the correct class within a group-of box are ignored. If weight is > 0, then if at least one detection falls within a group-of box with matching_iou_threshold, weight group_of_weight is added to true positives. Consequently, if no detection falls within a group-of box, weight group_of_weight is added to false negatives. """ super(OpenImagesDetectionEvaluator, self).__init__( categories, matching_iou_threshold, evaluate_corlocs, metric_prefix=metric_prefix, group_of_weight=group_of_weight, evaluate_masks=evaluate_masks) self._expected_keys = set([ standard_fields.InputDataFields.key, standard_fields.InputDataFields.groundtruth_boxes, standard_fields.InputDataFields.groundtruth_classes, standard_fields.InputDataFields.groundtruth_group_of, standard_fields.DetectionResultFields.detection_boxes, standard_fields.DetectionResultFields.detection_scores, standard_fields.DetectionResultFields.detection_classes, ]) if evaluate_masks: self._expected_keys.add( standard_fields.InputDataFields.groundtruth_instance_masks) self._expected_keys.add( standard_fields.DetectionResultFields.detection_masks) def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - standard_fields.InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. standard_fields.InputDataFields.groundtruth_group_of: Optional length M numpy boolean array denoting whether a groundtruth box contains a group of instances. Raises: ValueError: On adding groundtruth for an image more than once. """ if image_id in self._image_ids: logging.warning('Image with id %s already added.', image_id) groundtruth_classes = ( groundtruth_dict[standard_fields.InputDataFields.groundtruth_classes] - self._label_id_offset) # If the key is not present in the groundtruth_dict or the array is empty # (unless there are no annotations for the groundtruth on this image) # use values from the dictionary or insert None otherwise. if (standard_fields.InputDataFields.groundtruth_group_of in six.viewkeys( groundtruth_dict) and (groundtruth_dict[standard_fields.InputDataFields.groundtruth_group_of] .size or not groundtruth_classes.size)): groundtruth_group_of = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_group_of] else: groundtruth_group_of = None if not len(self._image_ids) % 1000: logging.warning( 'image %s does not have groundtruth group_of flag specified', image_id) if self._evaluate_masks: groundtruth_masks = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_instance_masks] else: groundtruth_masks = None self._evaluation.add_single_ground_truth_image_info( image_id, groundtruth_dict[standard_fields.InputDataFields.groundtruth_boxes], groundtruth_classes, groundtruth_is_difficult_list=None, groundtruth_is_group_of_list=groundtruth_group_of, groundtruth_masks=groundtruth_masks) self._image_ids.update([image_id]) class OpenImagesChallengeEvaluator(OpenImagesDetectionEvaluator): """A class implements Open Images Challenge metrics. Both Detection and Instance Segmentation evaluation metrics are implemented. Open Images Challenge Detection metric has two major changes in comparison with Open Images V2 detection metric: - a custom weight might be specified for detecting an object contained in a group-of box. - verified image-level labels should be explicitelly provided for evaluation: in case in image has neither positive nor negative image level label of class c, all detections of this class on this image will be ignored. Open Images Challenge Instance Segmentation metric allows to measure per formance of models in case of incomplete annotations: some instances are annotations only on box level and some - on image-level. In addition, image-level labels are taken into account as in detection metric. Open Images Challenge Detection metric default parameters: evaluate_masks = False group_of_weight = 1.0 Open Images Challenge Instance Segmentation metric default parameters: evaluate_masks = True (group_of_weight will not matter) """ def __init__(self, categories, evaluate_masks=False, matching_iou_threshold=0.5, evaluate_corlocs=False, group_of_weight=1.0): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. evaluate_masks: set to true for instance segmentation metric and to false for detection metric. matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. evaluate_corlocs: if True, additionally evaluates and returns CorLoc. group_of_weight: Weight of group-of boxes. If set to 0, detections of the correct class within a group-of box are ignored. If weight is > 0, then if at least one detection falls within a group-of box with matching_iou_threshold, weight group_of_weight is added to true positives. Consequently, if no detection falls within a group-of box, weight group_of_weight is added to false negatives. """ if not evaluate_masks: metrics_prefix = 'OpenImagesDetectionChallenge' else: metrics_prefix = 'OpenImagesInstanceSegmentationChallenge' super(OpenImagesChallengeEvaluator, self).__init__( categories, matching_iou_threshold, evaluate_masks=evaluate_masks, evaluate_corlocs=evaluate_corlocs, group_of_weight=group_of_weight, metric_prefix=metrics_prefix) self._evaluatable_labels = {} # Only one of the two has to be provided, but both options are given # for compatibility with previous codebase. self._expected_keys.update([ standard_fields.InputDataFields.groundtruth_image_classes, standard_fields.InputDataFields.groundtruth_labeled_classes]) def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - standard_fields.InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. standard_fields.InputDataFields.groundtruth_image_classes: integer 1D numpy array containing all classes for which labels are verified. standard_fields.InputDataFields.groundtruth_group_of: Optional length M numpy boolean array denoting whether a groundtruth box contains a group of instances. Raises: ValueError: On adding groundtruth for an image more than once. """ super(OpenImagesChallengeEvaluator, self).add_single_ground_truth_image_info(image_id, groundtruth_dict) input_fields = standard_fields.InputDataFields groundtruth_classes = ( groundtruth_dict[input_fields.groundtruth_classes] - self._label_id_offset) image_classes = np.array([], dtype=int) if input_fields.groundtruth_image_classes in groundtruth_dict: image_classes = groundtruth_dict[input_fields.groundtruth_image_classes] elif input_fields.groundtruth_labeled_classes in groundtruth_dict: image_classes = groundtruth_dict[input_fields.groundtruth_labeled_classes] image_classes -= self._label_id_offset self._evaluatable_labels[image_id] = np.unique( np.concatenate((image_classes, groundtruth_classes))) def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - standard_fields.DetectionResultFields.detection_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. standard_fields.DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. Raises: ValueError: If detection masks are not in detections dictionary. """ if image_id not in self._image_ids: # Since for the correct work of evaluator it is assumed that groundtruth # is inserted first we make sure to break the code if is it not the case. self._image_ids.update([image_id]) self._evaluatable_labels[image_id] = np.array([]) detection_classes = ( detections_dict[standard_fields.DetectionResultFields.detection_classes] - self._label_id_offset) allowed_classes = np.where( np.isin(detection_classes, self._evaluatable_labels[image_id])) detection_classes = detection_classes[allowed_classes] detected_boxes = detections_dict[ standard_fields.DetectionResultFields.detection_boxes][allowed_classes] detected_scores = detections_dict[ standard_fields.DetectionResultFields.detection_scores][allowed_classes] if self._evaluate_masks: detection_masks = detections_dict[standard_fields.DetectionResultFields .detection_masks][allowed_classes] else: detection_masks = None self._evaluation.add_single_detected_image_info( image_key=image_id, detected_boxes=detected_boxes, detected_scores=detected_scores, detected_class_labels=detection_classes, detected_masks=detection_masks) def clear(self): """Clears stored data.""" super(OpenImagesChallengeEvaluator, self).clear() self._evaluatable_labels.clear() ObjectDetectionEvalMetrics = collections.namedtuple( 'ObjectDetectionEvalMetrics', [ 'average_precisions', 'mean_ap', 'precisions', 'recalls', 'corlocs', 'mean_corloc' ]) class OpenImagesDetectionChallengeEvaluator(OpenImagesChallengeEvaluator): """A class implements Open Images Detection Challenge metric.""" def __init__(self, categories, matching_iou_threshold=0.5, evaluate_corlocs=False): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. evaluate_corlocs: if True, additionally evaluates and returns CorLoc. """ super(OpenImagesDetectionChallengeEvaluator, self).__init__( categories=categories, evaluate_masks=False, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, group_of_weight=1.0) class OpenImagesInstanceSegmentationChallengeEvaluator( OpenImagesChallengeEvaluator): """A class implements Open Images Instance Segmentation Challenge metric.""" def __init__(self, categories, matching_iou_threshold=0.5, evaluate_corlocs=False): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. evaluate_corlocs: if True, additionally evaluates and returns CorLoc. """ super(OpenImagesInstanceSegmentationChallengeEvaluator, self).__init__( categories=categories, evaluate_masks=True, matching_iou_threshold=matching_iou_threshold, evaluate_corlocs=False, group_of_weight=0.0) ObjectDetectionEvaluationState = collections.namedtuple( 'ObjectDetectionEvaluationState', [ 'num_gt_instances_per_class', 'scores_per_class', 'tp_fp_labels_per_class', 'num_gt_imgs_per_class', 'num_images_correctly_detected_per_class', ]) class ObjectDetectionEvaluation(object): """Internal implementation of Pascal object detection metrics.""" def __init__(self, num_groundtruth_classes, matching_iou_threshold=0.5, nms_iou_threshold=1.0, nms_max_output_boxes=10000, recall_lower_bound=0.0, recall_upper_bound=1.0, use_weighted_mean_ap=False, label_id_offset=0, group_of_weight=0.0, per_image_eval_class=per_image_evaluation.PerImageEvaluation): """Constructor. Args: num_groundtruth_classes: Number of ground-truth classes. matching_iou_threshold: IOU threshold used for matching detected boxes to ground-truth boxes. nms_iou_threshold: IOU threshold used for non-maximum suppression. nms_max_output_boxes: Maximum number of boxes returned by non-maximum suppression. recall_lower_bound: lower bound of recall operating area recall_upper_bound: upper bound of recall operating area use_weighted_mean_ap: (optional) boolean which determines if the mean average precision is computed directly from the scores and tp_fp_labels of all classes. label_id_offset: The label id offset. group_of_weight: Weight of group-of boxes.If set to 0, detections of the correct class within a group-of box are ignored. If weight is > 0, then if at least one detection falls within a group-of box with matching_iou_threshold, weight group_of_weight is added to true positives. Consequently, if no detection falls within a group-of box, weight group_of_weight is added to false negatives. per_image_eval_class: The class that contains functions for computing per image metrics. Raises: ValueError: if num_groundtruth_classes is smaller than 1. """ if num_groundtruth_classes < 1: raise ValueError('Need at least 1 groundtruth class for evaluation.') self.per_image_eval = per_image_eval_class( num_groundtruth_classes=num_groundtruth_classes, matching_iou_threshold=matching_iou_threshold, nms_iou_threshold=nms_iou_threshold, nms_max_output_boxes=nms_max_output_boxes, group_of_weight=group_of_weight) self.recall_lower_bound = recall_lower_bound self.recall_upper_bound = recall_upper_bound self.group_of_weight = group_of_weight self.num_class = num_groundtruth_classes self.use_weighted_mean_ap = use_weighted_mean_ap self.label_id_offset = label_id_offset self.groundtruth_boxes = {} self.groundtruth_class_labels = {} self.groundtruth_masks = {} self.groundtruth_is_difficult_list = {} self.groundtruth_is_group_of_list = {} self.num_gt_instances_per_class = np.zeros(self.num_class, dtype=float) self.num_gt_imgs_per_class = np.zeros(self.num_class, dtype=int) self._initialize_detections() def _initialize_detections(self): """Initializes internal data structures.""" self.detection_keys = set() self.scores_per_class = [[] for _ in range(self.num_class)] self.tp_fp_labels_per_class = [[] for _ in range(self.num_class)] self.num_images_correctly_detected_per_class = np.zeros(self.num_class) self.average_precision_per_class = np.empty(self.num_class, dtype=float) self.average_precision_per_class.fill(np.nan) self.precisions_per_class = [np.nan] * self.num_class self.recalls_per_class = [np.nan] * self.num_class self.sum_tp_class = [np.nan] * self.num_class self.corloc_per_class = np.ones(self.num_class, dtype=float) def clear_detections(self): self._initialize_detections() def get_internal_state(self): """Returns internal state of the evaluation. NOTE: that only evaluation results will be returned (e.g. no raw predictions or groundtruth). Returns: internal state of the evaluation. """ return ObjectDetectionEvaluationState( self.num_gt_instances_per_class, self.scores_per_class, self.tp_fp_labels_per_class, self.num_gt_imgs_per_class, self.num_images_correctly_detected_per_class) def merge_internal_state(self, state_tuple): """Merges internal state of the evaluation with the current state. Args: state_tuple: state tuple representing evaluation state: should be of type ObjectDetectionEvaluationState. """ (num_gt_instances_per_class, scores_per_class, tp_fp_labels_per_class, num_gt_imgs_per_class, num_images_correctly_detected_per_class) = ( state_tuple) assert self.num_class == len(num_gt_instances_per_class) assert self.num_class == len(scores_per_class) assert self.num_class == len(tp_fp_labels_per_class) for i in range(self.num_class): self.scores_per_class[i].extend(scores_per_class[i]) self.tp_fp_labels_per_class[i].extend(tp_fp_labels_per_class[i]) self.num_gt_instances_per_class[i] += num_gt_instances_per_class[i] self.num_gt_imgs_per_class[i] += num_gt_imgs_per_class[i] self.num_images_correctly_detected_per_class[ i] += num_images_correctly_detected_per_class[i] def add_single_ground_truth_image_info(self, image_key, groundtruth_boxes, groundtruth_class_labels, groundtruth_is_difficult_list=None, groundtruth_is_group_of_list=None, groundtruth_masks=None): """Adds groundtruth for a single image to be used for evaluation. Args: image_key: A unique string/integer identifier for the image. groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. groundtruth_class_labels: integer numpy array of shape [num_boxes] containing 0-indexed groundtruth classes for the boxes. groundtruth_is_difficult_list: A length M numpy boolean array denoting whether a ground truth box is a difficult instance or not. To support the case that no boxes are difficult, it is by default set as None. groundtruth_is_group_of_list: A length M numpy boolean array denoting whether a ground truth box is a group-of box or not. To support the case that no boxes are groups-of, it is by default set as None. groundtruth_masks: uint8 numpy array of shape [num_boxes, height, width] containing `num_boxes` groundtruth masks. The mask values range from 0 to 1. """ if image_key in self.groundtruth_boxes: logging.warning( 'image %s has already been added to the ground truth database.', image_key) return self.groundtruth_boxes[image_key] = groundtruth_boxes self.groundtruth_class_labels[image_key] = groundtruth_class_labels self.groundtruth_masks[image_key] = groundtruth_masks if groundtruth_is_difficult_list is None: num_boxes = groundtruth_boxes.shape[0] groundtruth_is_difficult_list = np.zeros(num_boxes, dtype=bool) self.groundtruth_is_difficult_list[ image_key] = groundtruth_is_difficult_list.astype(dtype=bool) if groundtruth_is_group_of_list is None: num_boxes = groundtruth_boxes.shape[0] groundtruth_is_group_of_list = np.zeros(num_boxes, dtype=bool) if groundtruth_masks is None: num_boxes = groundtruth_boxes.shape[0] mask_presence_indicator = np.zeros(num_boxes, dtype=bool) else: mask_presence_indicator = (np.sum(groundtruth_masks, axis=(1, 2)) == 0).astype(dtype=bool) self.groundtruth_is_group_of_list[ image_key] = groundtruth_is_group_of_list.astype(dtype=bool) self._update_ground_truth_statistics( groundtruth_class_labels, groundtruth_is_difficult_list.astype(dtype=bool) | mask_presence_indicator, # ignore boxes without masks groundtruth_is_group_of_list.astype(dtype=bool)) def add_single_detected_image_info(self, image_key, detected_boxes, detected_scores, detected_class_labels, detected_masks=None): """Adds detections for a single image to be used for evaluation. Args: image_key: A unique string/integer identifier for the image. detected_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. detected_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. detected_class_labels: integer numpy array of shape [num_boxes] containing 0-indexed detection classes for the boxes. detected_masks: np.uint8 numpy array of shape [num_boxes, height, width] containing `num_boxes` detection masks with values ranging between 0 and 1. Raises: ValueError: if the number of boxes, scores and class labels differ in length. """ if (len(detected_boxes) != len(detected_scores) or len(detected_boxes) != len(detected_class_labels)): raise ValueError( 'detected_boxes, detected_scores and ' 'detected_class_labels should all have same lengths. Got' '[%d, %d, %d]' % len(detected_boxes), len(detected_scores), len(detected_class_labels)) if image_key in self.detection_keys: logging.warning( 'image %s has already been added to the detection result database', image_key) return self.detection_keys.add(image_key) if image_key in self.groundtruth_boxes: groundtruth_boxes = self.groundtruth_boxes[image_key] groundtruth_class_labels = self.groundtruth_class_labels[image_key] # Masks are popped instead of look up. The reason is that we do not want # to keep all masks in memory which can cause memory overflow. groundtruth_masks = self.groundtruth_masks.pop(image_key) groundtruth_is_difficult_list = self.groundtruth_is_difficult_list[ image_key] groundtruth_is_group_of_list = self.groundtruth_is_group_of_list[ image_key] else: groundtruth_boxes = np.empty(shape=[0, 4], dtype=float) groundtruth_class_labels = np.array([], dtype=int) if detected_masks is None: groundtruth_masks = None else: groundtruth_masks = np.empty(shape=[0, 1, 1], dtype=float) groundtruth_is_difficult_list = np.array([], dtype=bool) groundtruth_is_group_of_list = np.array([], dtype=bool) scores, tp_fp_labels, is_class_correctly_detected_in_image = ( self.per_image_eval.compute_object_detection_metrics( detected_boxes=detected_boxes, detected_scores=detected_scores, detected_class_labels=detected_class_labels, groundtruth_boxes=groundtruth_boxes, groundtruth_class_labels=groundtruth_class_labels, groundtruth_is_difficult_list=groundtruth_is_difficult_list, groundtruth_is_group_of_list=groundtruth_is_group_of_list, detected_masks=detected_masks, groundtruth_masks=groundtruth_masks)) for i in range(self.num_class): if scores[i].shape[0] > 0: self.scores_per_class[i].append(scores[i]) self.tp_fp_labels_per_class[i].append(tp_fp_labels[i]) (self.num_images_correctly_detected_per_class ) += is_class_correctly_detected_in_image def _update_ground_truth_statistics(self, groundtruth_class_labels, groundtruth_is_difficult_list, groundtruth_is_group_of_list): """Update grouth truth statitistics. 1. Difficult boxes are ignored when counting the number of ground truth instances as done in Pascal VOC devkit. 2. Difficult boxes are treated as normal boxes when computing CorLoc related statitistics. Args: groundtruth_class_labels: An integer numpy array of length M, representing M class labels of object instances in ground truth groundtruth_is_difficult_list: A boolean numpy array of length M denoting whether a ground truth box is a difficult instance or not groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box is a group-of box or not """ for class_index in range(self.num_class): num_gt_instances = np.sum(groundtruth_class_labels[ ~groundtruth_is_difficult_list & ~groundtruth_is_group_of_list] == class_index) num_groupof_gt_instances = self.group_of_weight * np.sum( groundtruth_class_labels[ groundtruth_is_group_of_list & ~groundtruth_is_difficult_list] == class_index) self.num_gt_instances_per_class[ class_index] += num_gt_instances + num_groupof_gt_instances if np.any(groundtruth_class_labels == class_index): self.num_gt_imgs_per_class[class_index] += 1 def evaluate(self): """Compute evaluation result. Returns: A named tuple with the following fields - average_precision: float numpy array of average precision for each class. mean_ap: mean average precision of all classes, float scalar precisions: List of precisions, each precision is a float numpy array recalls: List of recalls, each recall is a float numpy array corloc: numpy float array mean_corloc: Mean CorLoc score for each class, float scalar """ if (self.num_gt_instances_per_class == 0).any(): logging.warning( 'The following classes have no ground truth examples: %s', np.squeeze(np.argwhere(self.num_gt_instances_per_class == 0)) + self.label_id_offset) if self.use_weighted_mean_ap: all_scores = np.array([], dtype=float) all_tp_fp_labels = np.array([], dtype=bool) for class_index in range(self.num_class): if self.num_gt_instances_per_class[class_index] == 0: continue if not self.scores_per_class[class_index]: scores = np.array([], dtype=float) tp_fp_labels = np.array([], dtype=float) else: scores = np.concatenate(self.scores_per_class[class_index]) tp_fp_labels = np.concatenate(self.tp_fp_labels_per_class[class_index]) if self.use_weighted_mean_ap: all_scores = np.append(all_scores, scores) all_tp_fp_labels = np.append(all_tp_fp_labels, tp_fp_labels) precision, recall = metrics.compute_precision_recall( scores, tp_fp_labels, self.num_gt_instances_per_class[class_index]) recall_within_bound_indices = [ index for index, value in enumerate(recall) if value >= self.recall_lower_bound and value <= self.recall_upper_bound ] recall_within_bound = recall[recall_within_bound_indices] precision_within_bound = precision[recall_within_bound_indices] self.precisions_per_class[class_index] = precision_within_bound self.recalls_per_class[class_index] = recall_within_bound self.sum_tp_class[class_index] = tp_fp_labels.sum() average_precision = metrics.compute_average_precision( precision_within_bound, recall_within_bound) self.average_precision_per_class[class_index] = average_precision logging.info('average_precision: %f', average_precision) self.corloc_per_class = metrics.compute_cor_loc( self.num_gt_imgs_per_class, self.num_images_correctly_detected_per_class) if self.use_weighted_mean_ap: num_gt_instances = np.sum(self.num_gt_instances_per_class) precision, recall = metrics.compute_precision_recall( all_scores, all_tp_fp_labels, num_gt_instances) recall_within_bound_indices = [ index for index, value in enumerate(recall) if value >= self.recall_lower_bound and value <= self.recall_upper_bound ] recall_within_bound = recall[recall_within_bound_indices] precision_within_bound = precision[recall_within_bound_indices] mean_ap = metrics.compute_average_precision(precision_within_bound, recall_within_bound) else: mean_ap = np.nanmean(self.average_precision_per_class) mean_corloc = np.nanmean(self.corloc_per_class) return ObjectDetectionEvalMetrics(self.average_precision_per_class, mean_ap, self.precisions_per_class, self.recalls_per_class, self.corloc_per_class, mean_corloc)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/object_detection_evaluation.py
object_detection_evaluation.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range from object_detection.utils import np_box_list from object_detection.utils import np_box_list_ops class PerImageVRDEvaluation(object): """Evaluate vrd result of a single image.""" def __init__(self, matching_iou_threshold=0.5): """Initialized PerImageVRDEvaluation by evaluation parameters. Args: matching_iou_threshold: A ratio of area intersection to union, which is the threshold to consider whether a detection is true positive or not; in phrase detection subtask. """ self.matching_iou_threshold = matching_iou_threshold def compute_detection_tp_fp(self, detected_box_tuples, detected_scores, detected_class_tuples, groundtruth_box_tuples, groundtruth_class_tuples): """Evaluates VRD as being tp, fp from a single image. Args: detected_box_tuples: A numpy array of structures with shape [N,], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. detected_scores: A float numpy array of shape [N,], representing the confidence scores of the detected N object instances. detected_class_tuples: A numpy array of structures shape [N,], representing the class labels of the corresponding bounding boxes and possibly additional classes. groundtruth_box_tuples: A float numpy array of structures with the shape [M,], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. groundtruth_class_tuples: A numpy array of structures shape [M,], representing the class labels of the corresponding bounding boxes and possibly additional classes. Returns: scores: A single numpy array with shape [N,], representing N scores detected with object class, sorted in descentent order. tp_fp_labels: A single boolean numpy array of shape [N,], representing N True/False positive label, one label per tuple. The labels are sorted so that the order of the labels matches the order of the scores. result_mapping: A numpy array with shape [N,] with original index of each entry. """ scores, tp_fp_labels, result_mapping = self._compute_tp_fp( detected_box_tuples=detected_box_tuples, detected_scores=detected_scores, detected_class_tuples=detected_class_tuples, groundtruth_box_tuples=groundtruth_box_tuples, groundtruth_class_tuples=groundtruth_class_tuples) return scores, tp_fp_labels, result_mapping def _compute_tp_fp(self, detected_box_tuples, detected_scores, detected_class_tuples, groundtruth_box_tuples, groundtruth_class_tuples): """Labels as true/false positives detection tuples across all classes. Args: detected_box_tuples: A numpy array of structures with shape [N,], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] detected_scores: A float numpy array of shape [N,], representing the confidence scores of the detected N object instances. detected_class_tuples: A numpy array of structures shape [N,], representing the class labels of the corresponding bounding boxes and possibly additional classes. groundtruth_box_tuples: A float numpy array of structures with the shape [M,], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] groundtruth_class_tuples: A numpy array of structures shape [M,], representing the class labels of the corresponding bounding boxes and possibly additional classes. Returns: scores: A single numpy array with shape [N,], representing N scores detected with object class, sorted in descentent order. tp_fp_labels: A single boolean numpy array of shape [N,], representing N True/False positive label, one label per tuple. The labels are sorted so that the order of the labels matches the order of the scores. result_mapping: A numpy array with shape [N,] with original index of each entry. """ unique_gt_tuples = np.unique( np.concatenate((groundtruth_class_tuples, detected_class_tuples))) result_scores = [] result_tp_fp_labels = [] result_mapping = [] for unique_tuple in unique_gt_tuples: detections_selector = (detected_class_tuples == unique_tuple) gt_selector = (groundtruth_class_tuples == unique_tuple) selector_mapping = np.where(detections_selector)[0] detection_scores_per_tuple = detected_scores[detections_selector] detection_box_per_tuple = detected_box_tuples[detections_selector] sorted_indices = np.argsort(detection_scores_per_tuple) sorted_indices = sorted_indices[::-1] tp_fp_labels = self._compute_tp_fp_for_single_class( detected_box_tuples=detection_box_per_tuple[sorted_indices], groundtruth_box_tuples=groundtruth_box_tuples[gt_selector]) result_scores.append(detection_scores_per_tuple[sorted_indices]) result_tp_fp_labels.append(tp_fp_labels) result_mapping.append(selector_mapping[sorted_indices]) if result_scores: result_scores = np.concatenate(result_scores) result_tp_fp_labels = np.concatenate(result_tp_fp_labels) result_mapping = np.concatenate(result_mapping) else: result_scores = np.array([], dtype=float) result_tp_fp_labels = np.array([], dtype=bool) result_mapping = np.array([], dtype=int) sorted_indices = np.argsort(result_scores) sorted_indices = sorted_indices[::-1] return result_scores[sorted_indices], result_tp_fp_labels[ sorted_indices], result_mapping[sorted_indices] def _get_overlaps_and_scores_relation_tuples(self, detected_box_tuples, groundtruth_box_tuples): """Computes overlaps and scores between detected and groundtruth tuples. Both detections and groundtruth boxes have the same class tuples. Args: detected_box_tuples: A numpy array of structures with shape [N,], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] groundtruth_box_tuples: A float numpy array of structures with the shape [M,], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] Returns: result_iou: A float numpy array of size [num_detected_tuples, num_gt_box_tuples]. """ result_iou = np.ones( (detected_box_tuples.shape[0], groundtruth_box_tuples.shape[0]), dtype=float) for field in detected_box_tuples.dtype.fields: detected_boxlist_field = np_box_list.BoxList(detected_box_tuples[field]) gt_boxlist_field = np_box_list.BoxList(groundtruth_box_tuples[field]) iou_field = np_box_list_ops.iou(detected_boxlist_field, gt_boxlist_field) result_iou = np.minimum(iou_field, result_iou) return result_iou def _compute_tp_fp_for_single_class(self, detected_box_tuples, groundtruth_box_tuples): """Labels boxes detected with the same class from the same image as tp/fp. Detection boxes are expected to be already sorted by score. Args: detected_box_tuples: A numpy array of structures with shape [N,], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] groundtruth_box_tuples: A float numpy array of structures with the shape [M,], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] Returns: tp_fp_labels: a boolean numpy array indicating whether a detection is a true positive. """ if detected_box_tuples.size == 0: return np.array([], dtype=bool) min_iou = self._get_overlaps_and_scores_relation_tuples( detected_box_tuples, groundtruth_box_tuples) num_detected_tuples = detected_box_tuples.shape[0] tp_fp_labels = np.zeros(num_detected_tuples, dtype=bool) if min_iou.shape[1] > 0: max_overlap_gt_ids = np.argmax(min_iou, axis=1) is_gt_tuple_detected = np.zeros(min_iou.shape[1], dtype=bool) for i in range(num_detected_tuples): gt_id = max_overlap_gt_ids[i] if min_iou[i, gt_id] >= self.matching_iou_threshold: if not is_gt_tuple_detected[gt_id]: tp_fp_labels[i] = True is_gt_tuple_detected[gt_id] = True return tp_fp_labels
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/per_image_vrd_evaluation.py
per_image_vrd_evaluation.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range from object_detection.utils import np_box_list from object_detection.utils import np_box_list_ops from object_detection.utils import np_box_mask_list from object_detection.utils import np_box_mask_list_ops class PerImageEvaluation(object): """Evaluate detection result of a single image.""" def __init__(self, num_groundtruth_classes, matching_iou_threshold=0.5, nms_iou_threshold=0.3, nms_max_output_boxes=50, group_of_weight=0.0): """Initialized PerImageEvaluation by evaluation parameters. Args: num_groundtruth_classes: Number of ground truth object classes matching_iou_threshold: A ratio of area intersection to union, which is the threshold to consider whether a detection is true positive or not nms_iou_threshold: IOU threshold used in Non Maximum Suppression. nms_max_output_boxes: Number of maximum output boxes in NMS. group_of_weight: Weight of the group-of boxes. """ self.matching_iou_threshold = matching_iou_threshold self.nms_iou_threshold = nms_iou_threshold self.nms_max_output_boxes = nms_max_output_boxes self.num_groundtruth_classes = num_groundtruth_classes self.group_of_weight = group_of_weight def compute_object_detection_metrics(self, detected_boxes, detected_scores, detected_class_labels, groundtruth_boxes, groundtruth_class_labels, groundtruth_is_difficult_list, groundtruth_is_group_of_list, detected_masks=None, groundtruth_masks=None): """Evaluates detections as being tp, fp or weighted from a single image. The evaluation is done in two stages: 1. All detections are matched to non group-of boxes; true positives are determined and detections matched to difficult boxes are ignored. 2. Detections that are determined as false positives are matched against group-of boxes and weighted if matched. Args: detected_boxes: A float numpy array of shape [N, 4], representing N regions of detected object regions. Each row is of the format [y_min, x_min, y_max, x_max] detected_scores: A float numpy array of shape [N, 1], representing the confidence scores of the detected N object instances. detected_class_labels: A integer numpy array of shape [N, 1], repreneting the class labels of the detected N object instances. groundtruth_boxes: A float numpy array of shape [M, 4], representing M regions of object instances in ground truth groundtruth_class_labels: An integer numpy array of shape [M, 1], representing M class labels of object instances in ground truth groundtruth_is_difficult_list: A boolean numpy array of length M denoting whether a ground truth box is a difficult instance or not groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box has group-of tag detected_masks: (optional) A uint8 numpy array of shape [N, height, width]. If not None, the metrics will be computed based on masks. groundtruth_masks: (optional) A uint8 numpy array of shape [M, height, width]. Can have empty masks, i.e. where all values are 0. Returns: scores: A list of C float numpy arrays. Each numpy array is of shape [K, 1], representing K scores detected with object class label c tp_fp_labels: A list of C boolean numpy arrays. Each numpy array is of shape [K, 1], representing K True/False positive label of object instances detected with class label c is_class_correctly_detected_in_image: a numpy integer array of shape [C, 1], indicating whether the correponding class has a least one instance being correctly detected in the image """ detected_boxes, detected_scores, detected_class_labels, detected_masks = ( self._remove_invalid_boxes(detected_boxes, detected_scores, detected_class_labels, detected_masks)) scores, tp_fp_labels = self._compute_tp_fp( detected_boxes=detected_boxes, detected_scores=detected_scores, detected_class_labels=detected_class_labels, groundtruth_boxes=groundtruth_boxes, groundtruth_class_labels=groundtruth_class_labels, groundtruth_is_difficult_list=groundtruth_is_difficult_list, groundtruth_is_group_of_list=groundtruth_is_group_of_list, detected_masks=detected_masks, groundtruth_masks=groundtruth_masks) is_class_correctly_detected_in_image = self._compute_cor_loc( detected_boxes=detected_boxes, detected_scores=detected_scores, detected_class_labels=detected_class_labels, groundtruth_boxes=groundtruth_boxes, groundtruth_class_labels=groundtruth_class_labels, detected_masks=detected_masks, groundtruth_masks=groundtruth_masks) return scores, tp_fp_labels, is_class_correctly_detected_in_image def _compute_cor_loc(self, detected_boxes, detected_scores, detected_class_labels, groundtruth_boxes, groundtruth_class_labels, detected_masks=None, groundtruth_masks=None): """Compute CorLoc score for object detection result. Args: detected_boxes: A float numpy array of shape [N, 4], representing N regions of detected object regions. Each row is of the format [y_min, x_min, y_max, x_max] detected_scores: A float numpy array of shape [N, 1], representing the confidence scores of the detected N object instances. detected_class_labels: A integer numpy array of shape [N, 1], repreneting the class labels of the detected N object instances. groundtruth_boxes: A float numpy array of shape [M, 4], representing M regions of object instances in ground truth groundtruth_class_labels: An integer numpy array of shape [M, 1], representing M class labels of object instances in ground truth detected_masks: (optional) A uint8 numpy array of shape [N, height, width]. If not None, the scores will be computed based on masks. groundtruth_masks: (optional) A uint8 numpy array of shape [M, height, width]. Returns: is_class_correctly_detected_in_image: a numpy integer array of shape [C, 1], indicating whether the correponding class has a least one instance being correctly detected in the image Raises: ValueError: If detected masks is not None but groundtruth masks are None, or the other way around. """ if (detected_masks is not None and groundtruth_masks is None) or (detected_masks is None and groundtruth_masks is not None): raise ValueError( 'If `detected_masks` is provided, then `groundtruth_masks` should ' 'also be provided.') is_class_correctly_detected_in_image = np.zeros( self.num_groundtruth_classes, dtype=int) for i in range(self.num_groundtruth_classes): (gt_boxes_at_ith_class, gt_masks_at_ith_class, detected_boxes_at_ith_class, detected_scores_at_ith_class, detected_masks_at_ith_class) = self._get_ith_class_arrays( detected_boxes, detected_scores, detected_masks, detected_class_labels, groundtruth_boxes, groundtruth_masks, groundtruth_class_labels, i) is_class_correctly_detected_in_image[i] = ( self._compute_is_class_correctly_detected_in_image( detected_boxes=detected_boxes_at_ith_class, detected_scores=detected_scores_at_ith_class, groundtruth_boxes=gt_boxes_at_ith_class, detected_masks=detected_masks_at_ith_class, groundtruth_masks=gt_masks_at_ith_class)) return is_class_correctly_detected_in_image def _compute_is_class_correctly_detected_in_image(self, detected_boxes, detected_scores, groundtruth_boxes, detected_masks=None, groundtruth_masks=None): """Compute CorLoc score for a single class. Args: detected_boxes: A numpy array of shape [N, 4] representing detected box coordinates detected_scores: A 1-d numpy array of length N representing classification score groundtruth_boxes: A numpy array of shape [M, 4] representing ground truth box coordinates detected_masks: (optional) A np.uint8 numpy array of shape [N, height, width]. If not None, the scores will be computed based on masks. groundtruth_masks: (optional) A np.uint8 numpy array of shape [M, height, width]. Returns: is_class_correctly_detected_in_image: An integer 1 or 0 denoting whether a class is correctly detected in the image or not """ if detected_boxes.size > 0: if groundtruth_boxes.size > 0: max_score_id = np.argmax(detected_scores) mask_mode = False if detected_masks is not None and groundtruth_masks is not None: mask_mode = True if mask_mode: detected_boxlist = np_box_mask_list.BoxMaskList( box_data=np.expand_dims(detected_boxes[max_score_id], axis=0), mask_data=np.expand_dims(detected_masks[max_score_id], axis=0)) gt_boxlist = np_box_mask_list.BoxMaskList( box_data=groundtruth_boxes, mask_data=groundtruth_masks) iou = np_box_mask_list_ops.iou(detected_boxlist, gt_boxlist) else: detected_boxlist = np_box_list.BoxList( np.expand_dims(detected_boxes[max_score_id, :], axis=0)) gt_boxlist = np_box_list.BoxList(groundtruth_boxes) iou = np_box_list_ops.iou(detected_boxlist, gt_boxlist) if np.max(iou) >= self.matching_iou_threshold: return 1 return 0 def _compute_tp_fp(self, detected_boxes, detected_scores, detected_class_labels, groundtruth_boxes, groundtruth_class_labels, groundtruth_is_difficult_list, groundtruth_is_group_of_list, detected_masks=None, groundtruth_masks=None): """Labels true/false positives of detections of an image across all classes. Args: detected_boxes: A float numpy array of shape [N, 4], representing N regions of detected object regions. Each row is of the format [y_min, x_min, y_max, x_max] detected_scores: A float numpy array of shape [N, 1], representing the confidence scores of the detected N object instances. detected_class_labels: A integer numpy array of shape [N, 1], repreneting the class labels of the detected N object instances. groundtruth_boxes: A float numpy array of shape [M, 4], representing M regions of object instances in ground truth groundtruth_class_labels: An integer numpy array of shape [M, 1], representing M class labels of object instances in ground truth groundtruth_is_difficult_list: A boolean numpy array of length M denoting whether a ground truth box is a difficult instance or not groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box has group-of tag detected_masks: (optional) A np.uint8 numpy array of shape [N, height, width]. If not None, the scores will be computed based on masks. groundtruth_masks: (optional) A np.uint8 numpy array of shape [M, height, width]. Returns: result_scores: A list of float numpy arrays. Each numpy array is of shape [K, 1], representing K scores detected with object class label c result_tp_fp_labels: A list of boolean numpy array. Each numpy array is of shape [K, 1], representing K True/False positive label of object instances detected with class label c Raises: ValueError: If detected masks is not None but groundtruth masks are None, or the other way around. """ if detected_masks is not None and groundtruth_masks is None: raise ValueError( 'Detected masks is available but groundtruth masks is not.') if detected_masks is None and groundtruth_masks is not None: raise ValueError( 'Groundtruth masks is available but detected masks is not.') result_scores = [] result_tp_fp_labels = [] for i in range(self.num_groundtruth_classes): groundtruth_is_difficult_list_at_ith_class = ( groundtruth_is_difficult_list[groundtruth_class_labels == i]) groundtruth_is_group_of_list_at_ith_class = ( groundtruth_is_group_of_list[groundtruth_class_labels == i]) (gt_boxes_at_ith_class, gt_masks_at_ith_class, detected_boxes_at_ith_class, detected_scores_at_ith_class, detected_masks_at_ith_class) = self._get_ith_class_arrays( detected_boxes, detected_scores, detected_masks, detected_class_labels, groundtruth_boxes, groundtruth_masks, groundtruth_class_labels, i) scores, tp_fp_labels = self._compute_tp_fp_for_single_class( detected_boxes=detected_boxes_at_ith_class, detected_scores=detected_scores_at_ith_class, groundtruth_boxes=gt_boxes_at_ith_class, groundtruth_is_difficult_list=groundtruth_is_difficult_list_at_ith_class, groundtruth_is_group_of_list=groundtruth_is_group_of_list_at_ith_class, detected_masks=detected_masks_at_ith_class, groundtruth_masks=gt_masks_at_ith_class) result_scores.append(scores) result_tp_fp_labels.append(tp_fp_labels) return result_scores, result_tp_fp_labels def _get_overlaps_and_scores_mask_mode(self, detected_boxes, detected_scores, detected_masks, groundtruth_boxes, groundtruth_masks, groundtruth_is_group_of_list): """Computes overlaps and scores between detected and groudntruth masks. Args: detected_boxes: A numpy array of shape [N, 4] representing detected box coordinates detected_scores: A 1-d numpy array of length N representing classification score detected_masks: A uint8 numpy array of shape [N, height, width]. If not None, the scores will be computed based on masks. groundtruth_boxes: A numpy array of shape [M, 4] representing ground truth box coordinates groundtruth_masks: A uint8 numpy array of shape [M, height, width]. groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box has group-of tag. If a groundtruth box is group-of box, every detection matching this box is ignored. Returns: iou: A float numpy array of size [num_detected_boxes, num_gt_boxes]. If gt_non_group_of_boxlist.num_boxes() == 0 it will be None. ioa: A float numpy array of size [num_detected_boxes, num_gt_boxes]. If gt_group_of_boxlist.num_boxes() == 0 it will be None. scores: The score of the detected boxlist. num_boxes: Number of non-maximum suppressed detected boxes. """ detected_boxlist = np_box_mask_list.BoxMaskList( box_data=detected_boxes, mask_data=detected_masks) detected_boxlist.add_field('scores', detected_scores) detected_boxlist = np_box_mask_list_ops.non_max_suppression( detected_boxlist, self.nms_max_output_boxes, self.nms_iou_threshold) gt_non_group_of_boxlist = np_box_mask_list.BoxMaskList( box_data=groundtruth_boxes[~groundtruth_is_group_of_list], mask_data=groundtruth_masks[~groundtruth_is_group_of_list]) gt_group_of_boxlist = np_box_mask_list.BoxMaskList( box_data=groundtruth_boxes[groundtruth_is_group_of_list], mask_data=groundtruth_masks[groundtruth_is_group_of_list]) iou = np_box_mask_list_ops.iou(detected_boxlist, gt_non_group_of_boxlist) ioa = np.transpose( np_box_mask_list_ops.ioa(gt_group_of_boxlist, detected_boxlist)) scores = detected_boxlist.get_field('scores') num_boxes = detected_boxlist.num_boxes() return iou, ioa, scores, num_boxes def _get_overlaps_and_scores_box_mode(self, detected_boxes, detected_scores, groundtruth_boxes, groundtruth_is_group_of_list): """Computes overlaps and scores between detected and groudntruth boxes. Args: detected_boxes: A numpy array of shape [N, 4] representing detected box coordinates detected_scores: A 1-d numpy array of length N representing classification score groundtruth_boxes: A numpy array of shape [M, 4] representing ground truth box coordinates groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box has group-of tag. If a groundtruth box is group-of box, every detection matching this box is ignored. Returns: iou: A float numpy array of size [num_detected_boxes, num_gt_boxes]. If gt_non_group_of_boxlist.num_boxes() == 0 it will be None. ioa: A float numpy array of size [num_detected_boxes, num_gt_boxes]. If gt_group_of_boxlist.num_boxes() == 0 it will be None. scores: The score of the detected boxlist. num_boxes: Number of non-maximum suppressed detected boxes. """ detected_boxlist = np_box_list.BoxList(detected_boxes) detected_boxlist.add_field('scores', detected_scores) detected_boxlist = np_box_list_ops.non_max_suppression( detected_boxlist, self.nms_max_output_boxes, self.nms_iou_threshold) gt_non_group_of_boxlist = np_box_list.BoxList( groundtruth_boxes[~groundtruth_is_group_of_list]) gt_group_of_boxlist = np_box_list.BoxList( groundtruth_boxes[groundtruth_is_group_of_list]) iou = np_box_list_ops.iou(detected_boxlist, gt_non_group_of_boxlist) ioa = np.transpose( np_box_list_ops.ioa(gt_group_of_boxlist, detected_boxlist)) scores = detected_boxlist.get_field('scores') num_boxes = detected_boxlist.num_boxes() return iou, ioa, scores, num_boxes def _compute_tp_fp_for_single_class(self, detected_boxes, detected_scores, groundtruth_boxes, groundtruth_is_difficult_list, groundtruth_is_group_of_list, detected_masks=None, groundtruth_masks=None): """Labels boxes detected with the same class from the same image as tp/fp. Args: detected_boxes: A numpy array of shape [N, 4] representing detected box coordinates detected_scores: A 1-d numpy array of length N representing classification score groundtruth_boxes: A numpy array of shape [M, 4] representing ground truth box coordinates groundtruth_is_difficult_list: A boolean numpy array of length M denoting whether a ground truth box is a difficult instance or not. If a groundtruth box is difficult, every detection matching this box is ignored. groundtruth_is_group_of_list: A boolean numpy array of length M denoting whether a ground truth box has group-of tag. If a groundtruth box is group-of box, every detection matching this box is ignored. detected_masks: (optional) A uint8 numpy array of shape [N, height, width]. If not None, the scores will be computed based on masks. groundtruth_masks: (optional) A uint8 numpy array of shape [M, height, width]. Returns: Two arrays of the same size, containing all boxes that were evaluated as being true positives or false positives; if a box matched to a difficult box or to a group-of box, it is ignored. scores: A numpy array representing the detection scores. tp_fp_labels: a boolean numpy array indicating whether a detection is a true positive. """ if detected_boxes.size == 0: return np.array([], dtype=float), np.array([], dtype=bool) mask_mode = False if detected_masks is not None and groundtruth_masks is not None: mask_mode = True iou = np.ndarray([0, 0]) ioa = np.ndarray([0, 0]) iou_mask = np.ndarray([0, 0]) ioa_mask = np.ndarray([0, 0]) if mask_mode: # For Instance Segmentation Evaluation on Open Images V5, not all boxed # instances have corresponding segmentation annotations. Those boxes that # dont have segmentation annotations are represented as empty masks in # groundtruth_masks nd array. mask_presence_indicator = (np.sum(groundtruth_masks, axis=(1, 2)) > 0) (iou_mask, ioa_mask, scores, num_detected_boxes) = self._get_overlaps_and_scores_mask_mode( detected_boxes=detected_boxes, detected_scores=detected_scores, detected_masks=detected_masks, groundtruth_boxes=groundtruth_boxes[mask_presence_indicator, :], groundtruth_masks=groundtruth_masks[mask_presence_indicator, :], groundtruth_is_group_of_list=groundtruth_is_group_of_list[ mask_presence_indicator]) if sum(mask_presence_indicator) < len(mask_presence_indicator): # Not all masks are present - some masks are empty (iou, ioa, _, num_detected_boxes) = self._get_overlaps_and_scores_box_mode( detected_boxes=detected_boxes, detected_scores=detected_scores, groundtruth_boxes=groundtruth_boxes[~mask_presence_indicator, :], groundtruth_is_group_of_list=groundtruth_is_group_of_list[ ~mask_presence_indicator]) num_detected_boxes = detected_boxes.shape[0] else: mask_presence_indicator = np.zeros( groundtruth_is_group_of_list.shape, dtype=bool) (iou, ioa, scores, num_detected_boxes) = self._get_overlaps_and_scores_box_mode( detected_boxes=detected_boxes, detected_scores=detected_scores, groundtruth_boxes=groundtruth_boxes, groundtruth_is_group_of_list=groundtruth_is_group_of_list) if groundtruth_boxes.size == 0: return scores, np.zeros(num_detected_boxes, dtype=bool) tp_fp_labels = np.zeros(num_detected_boxes, dtype=bool) is_matched_to_box = np.zeros(num_detected_boxes, dtype=bool) is_matched_to_difficult = np.zeros(num_detected_boxes, dtype=bool) is_matched_to_group_of = np.zeros(num_detected_boxes, dtype=bool) def compute_match_iou(iou, groundtruth_nongroup_of_is_difficult_list, is_box): """Computes TP/FP for non group-of box matching. The function updates the following local variables: tp_fp_labels - if a box is matched to group-of is_matched_to_difficult - the detections that were processed at this are matched to difficult box. is_matched_to_box - the detections that were processed at this stage are marked as is_box. Args: iou: intersection-over-union matrix [num_gt_boxes]x[num_det_boxes]. groundtruth_nongroup_of_is_difficult_list: boolean that specifies if gt box is difficult. is_box: boolean that specifies if currently boxes or masks are processed. """ max_overlap_gt_ids = np.argmax(iou, axis=1) is_gt_detected = np.zeros(iou.shape[1], dtype=bool) for i in range(num_detected_boxes): gt_id = max_overlap_gt_ids[i] is_evaluatable = (not tp_fp_labels[i] and not is_matched_to_difficult[i] and iou[i, gt_id] >= self.matching_iou_threshold and not is_matched_to_group_of[i]) if is_evaluatable: if not groundtruth_nongroup_of_is_difficult_list[gt_id]: if not is_gt_detected[gt_id]: tp_fp_labels[i] = True is_gt_detected[gt_id] = True is_matched_to_box[i] = is_box else: is_matched_to_difficult[i] = True def compute_match_ioa(ioa, is_box): """Computes TP/FP for group-of box matching. The function updates the following local variables: is_matched_to_group_of - if a box is matched to group-of is_matched_to_box - the detections that were processed at this stage are marked as is_box. Args: ioa: intersection-over-area matrix [num_gt_boxes]x[num_det_boxes]. is_box: boolean that specifies if currently boxes or masks are processed. Returns: scores_group_of: of detections matched to group-of boxes [num_groupof_matched]. tp_fp_labels_group_of: boolean array of size [num_groupof_matched], all values are True. """ scores_group_of = np.zeros(ioa.shape[1], dtype=float) tp_fp_labels_group_of = self.group_of_weight * np.ones( ioa.shape[1], dtype=float) max_overlap_group_of_gt_ids = np.argmax(ioa, axis=1) for i in range(num_detected_boxes): gt_id = max_overlap_group_of_gt_ids[i] is_evaluatable = (not tp_fp_labels[i] and not is_matched_to_difficult[i] and ioa[i, gt_id] >= self.matching_iou_threshold and not is_matched_to_group_of[i]) if is_evaluatable: is_matched_to_group_of[i] = True is_matched_to_box[i] = is_box scores_group_of[gt_id] = max(scores_group_of[gt_id], scores[i]) selector = np.where((scores_group_of > 0) & (tp_fp_labels_group_of > 0)) scores_group_of = scores_group_of[selector] tp_fp_labels_group_of = tp_fp_labels_group_of[selector] return scores_group_of, tp_fp_labels_group_of # The evaluation is done in two stages: # 1. Evaluate all objects that actually have instance level masks. # 2. Evaluate all objects that are not already evaluated as boxes. if iou_mask.shape[1] > 0: groundtruth_is_difficult_mask_list = groundtruth_is_difficult_list[ mask_presence_indicator] groundtruth_is_group_of_mask_list = groundtruth_is_group_of_list[ mask_presence_indicator] compute_match_iou( iou_mask, groundtruth_is_difficult_mask_list[ ~groundtruth_is_group_of_mask_list], is_box=False) scores_mask_group_of = np.ndarray([0], dtype=float) tp_fp_labels_mask_group_of = np.ndarray([0], dtype=float) if ioa_mask.shape[1] > 0: scores_mask_group_of, tp_fp_labels_mask_group_of = compute_match_ioa( ioa_mask, is_box=False) # Tp-fp evaluation for non-group of boxes (if any). if iou.shape[1] > 0: groundtruth_is_difficult_box_list = groundtruth_is_difficult_list[ ~mask_presence_indicator] groundtruth_is_group_of_box_list = groundtruth_is_group_of_list[ ~mask_presence_indicator] compute_match_iou( iou, groundtruth_is_difficult_box_list[~groundtruth_is_group_of_box_list], is_box=True) scores_box_group_of = np.ndarray([0], dtype=float) tp_fp_labels_box_group_of = np.ndarray([0], dtype=float) if ioa.shape[1] > 0: scores_box_group_of, tp_fp_labels_box_group_of = compute_match_ioa( ioa, is_box=True) if mask_mode: # Note: here crowds are treated as ignore regions. valid_entries = (~is_matched_to_difficult & ~is_matched_to_group_of & ~is_matched_to_box) return np.concatenate( (scores[valid_entries], scores_mask_group_of)), np.concatenate( (tp_fp_labels[valid_entries].astype(float), tp_fp_labels_mask_group_of)) else: valid_entries = (~is_matched_to_difficult & ~is_matched_to_group_of) return np.concatenate( (scores[valid_entries], scores_box_group_of)), np.concatenate( (tp_fp_labels[valid_entries].astype(float), tp_fp_labels_box_group_of)) def _get_ith_class_arrays(self, detected_boxes, detected_scores, detected_masks, detected_class_labels, groundtruth_boxes, groundtruth_masks, groundtruth_class_labels, class_index): """Returns numpy arrays belonging to class with index `class_index`. Args: detected_boxes: A numpy array containing detected boxes. detected_scores: A numpy array containing detected scores. detected_masks: A numpy array containing detected masks. detected_class_labels: A numpy array containing detected class labels. groundtruth_boxes: A numpy array containing groundtruth boxes. groundtruth_masks: A numpy array containing groundtruth masks. groundtruth_class_labels: A numpy array containing groundtruth class labels. class_index: An integer index. Returns: gt_boxes_at_ith_class: A numpy array containing groundtruth boxes labeled as ith class. gt_masks_at_ith_class: A numpy array containing groundtruth masks labeled as ith class. detected_boxes_at_ith_class: A numpy array containing detected boxes corresponding to the ith class. detected_scores_at_ith_class: A numpy array containing detected scores corresponding to the ith class. detected_masks_at_ith_class: A numpy array containing detected masks corresponding to the ith class. """ selected_groundtruth = (groundtruth_class_labels == class_index) gt_boxes_at_ith_class = groundtruth_boxes[selected_groundtruth] if groundtruth_masks is not None: gt_masks_at_ith_class = groundtruth_masks[selected_groundtruth] else: gt_masks_at_ith_class = None selected_detections = (detected_class_labels == class_index) detected_boxes_at_ith_class = detected_boxes[selected_detections] detected_scores_at_ith_class = detected_scores[selected_detections] if detected_masks is not None: detected_masks_at_ith_class = detected_masks[selected_detections] else: detected_masks_at_ith_class = None return (gt_boxes_at_ith_class, gt_masks_at_ith_class, detected_boxes_at_ith_class, detected_scores_at_ith_class, detected_masks_at_ith_class) def _remove_invalid_boxes(self, detected_boxes, detected_scores, detected_class_labels, detected_masks=None): """Removes entries with invalid boxes. A box is invalid if either its xmax is smaller than its xmin, or its ymax is smaller than its ymin. Args: detected_boxes: A float numpy array of size [num_boxes, 4] containing box coordinates in [ymin, xmin, ymax, xmax] format. detected_scores: A float numpy array of size [num_boxes]. detected_class_labels: A int32 numpy array of size [num_boxes]. detected_masks: A uint8 numpy array of size [num_boxes, height, width]. Returns: valid_detected_boxes: A float numpy array of size [num_valid_boxes, 4] containing box coordinates in [ymin, xmin, ymax, xmax] format. valid_detected_scores: A float numpy array of size [num_valid_boxes]. valid_detected_class_labels: A int32 numpy array of size [num_valid_boxes]. valid_detected_masks: A uint8 numpy array of size [num_valid_boxes, height, width]. """ valid_indices = np.logical_and(detected_boxes[:, 0] < detected_boxes[:, 2], detected_boxes[:, 1] < detected_boxes[:, 3]) detected_boxes = detected_boxes[valid_indices] detected_scores = detected_scores[valid_indices] detected_class_labels = detected_class_labels[valid_indices] if detected_masks is not None: detected_masks = detected_masks[valid_indices] return [ detected_boxes, detected_scores, detected_class_labels, detected_masks ]
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/per_image_evaluation.py
per_image_evaluation.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range from object_detection.utils import np_box_list_ops from object_detection.utils import np_box_mask_list from object_detection.utils import np_mask_ops def box_list_to_box_mask_list(boxlist): """Converts a BoxList containing 'masks' into a BoxMaskList. Args: boxlist: An np_box_list.BoxList object. Returns: An np_box_mask_list.BoxMaskList object. Raises: ValueError: If boxlist does not contain `masks` as a field. """ if not boxlist.has_field('masks'): raise ValueError('boxlist does not contain mask field.') box_mask_list = np_box_mask_list.BoxMaskList( box_data=boxlist.get(), mask_data=boxlist.get_field('masks')) extra_fields = boxlist.get_extra_fields() for key in extra_fields: if key != 'masks': box_mask_list.data[key] = boxlist.get_field(key) return box_mask_list def area(box_mask_list): """Computes area of masks. Args: box_mask_list: np_box_mask_list.BoxMaskList holding N boxes and masks Returns: a numpy array with shape [N*1] representing mask areas """ return np_mask_ops.area(box_mask_list.get_masks()) def intersection(box_mask_list1, box_mask_list2): """Compute pairwise intersection areas between masks. Args: box_mask_list1: BoxMaskList holding N boxes and masks box_mask_list2: BoxMaskList holding M boxes and masks Returns: a numpy array with shape [N*M] representing pairwise intersection area """ return np_mask_ops.intersection(box_mask_list1.get_masks(), box_mask_list2.get_masks()) def iou(box_mask_list1, box_mask_list2): """Computes pairwise intersection-over-union between box and mask collections. Args: box_mask_list1: BoxMaskList holding N boxes and masks box_mask_list2: BoxMaskList holding M boxes and masks Returns: a numpy array with shape [N, M] representing pairwise iou scores. """ return np_mask_ops.iou(box_mask_list1.get_masks(), box_mask_list2.get_masks()) def ioa(box_mask_list1, box_mask_list2): """Computes pairwise intersection-over-area between box and mask collections. Intersection-over-area (ioa) between two masks mask1 and mask2 is defined as their intersection area over mask2's area. Note that ioa is not symmetric, that is, IOA(mask1, mask2) != IOA(mask2, mask1). Args: box_mask_list1: np_box_mask_list.BoxMaskList holding N boxes and masks box_mask_list2: np_box_mask_list.BoxMaskList holding M boxes and masks Returns: a numpy array with shape [N, M] representing pairwise ioa scores. """ return np_mask_ops.ioa(box_mask_list1.get_masks(), box_mask_list2.get_masks()) def gather(box_mask_list, indices, fields=None): """Gather boxes from np_box_mask_list.BoxMaskList according to indices. By default, gather returns boxes corresponding to the input index list, as well as all additional fields stored in the box_mask_list (indexing into the first dimension). However one can optionally only gather from a subset of fields. Args: box_mask_list: np_box_mask_list.BoxMaskList holding N boxes indices: a 1-d numpy array of type int_ fields: (optional) list of fields to also gather from. If None (default), all fields are gathered from. Pass an empty fields list to only gather the box coordinates. Returns: subbox_mask_list: a np_box_mask_list.BoxMaskList corresponding to the subset of the input box_mask_list specified by indices Raises: ValueError: if specified field is not contained in box_mask_list or if the indices are not of type int_ """ if fields is not None: if 'masks' not in fields: fields.append('masks') return box_list_to_box_mask_list( np_box_list_ops.gather( boxlist=box_mask_list, indices=indices, fields=fields)) def sort_by_field(box_mask_list, field, order=np_box_list_ops.SortOrder.DESCEND): """Sort boxes and associated fields according to a scalar field. A common use case is reordering the boxes according to descending scores. Args: box_mask_list: BoxMaskList holding N boxes. field: A BoxMaskList field for sorting and reordering the BoxMaskList. order: (Optional) 'descend' or 'ascend'. Default is descend. Returns: sorted_box_mask_list: A sorted BoxMaskList with the field in the specified order. """ return box_list_to_box_mask_list( np_box_list_ops.sort_by_field( boxlist=box_mask_list, field=field, order=order)) def non_max_suppression(box_mask_list, max_output_size=10000, iou_threshold=1.0, score_threshold=-10.0): """Non maximum suppression. This op greedily selects a subset of detection bounding boxes, pruning away boxes that have high IOU (intersection over union) overlap (> thresh) with already selected boxes. In each iteration, the detected bounding box with highest score in the available pool is selected. Args: box_mask_list: np_box_mask_list.BoxMaskList holding N boxes. Must contain a 'scores' field representing detection scores. All scores belong to the same class. max_output_size: maximum number of retained boxes iou_threshold: intersection over union threshold. score_threshold: minimum score threshold. Remove the boxes with scores less than this value. Default value is set to -10. A very low threshold to pass pretty much all the boxes, unless the user sets a different score threshold. Returns: an np_box_mask_list.BoxMaskList holding M boxes where M <= max_output_size Raises: ValueError: if 'scores' field does not exist ValueError: if threshold is not in [0, 1] ValueError: if max_output_size < 0 """ if not box_mask_list.has_field('scores'): raise ValueError('Field scores does not exist') if iou_threshold < 0. or iou_threshold > 1.0: raise ValueError('IOU threshold must be in [0, 1]') if max_output_size < 0: raise ValueError('max_output_size must be bigger than 0.') box_mask_list = filter_scores_greater_than(box_mask_list, score_threshold) if box_mask_list.num_boxes() == 0: return box_mask_list box_mask_list = sort_by_field(box_mask_list, 'scores') # Prevent further computation if NMS is disabled. if iou_threshold == 1.0: if box_mask_list.num_boxes() > max_output_size: selected_indices = np.arange(max_output_size) return gather(box_mask_list, selected_indices) else: return box_mask_list masks = box_mask_list.get_masks() num_masks = box_mask_list.num_boxes() # is_index_valid is True only for all remaining valid boxes, is_index_valid = np.full(num_masks, 1, dtype=bool) selected_indices = [] num_output = 0 for i in range(num_masks): if num_output < max_output_size: if is_index_valid[i]: num_output += 1 selected_indices.append(i) is_index_valid[i] = False valid_indices = np.where(is_index_valid)[0] if valid_indices.size == 0: break intersect_over_union = np_mask_ops.iou( np.expand_dims(masks[i], axis=0), masks[valid_indices]) intersect_over_union = np.squeeze(intersect_over_union, axis=0) is_index_valid[valid_indices] = np.logical_and( is_index_valid[valid_indices], intersect_over_union <= iou_threshold) return gather(box_mask_list, np.array(selected_indices)) def multi_class_non_max_suppression(box_mask_list, score_thresh, iou_thresh, max_output_size): """Multi-class version of non maximum suppression. This op greedily selects a subset of detection bounding boxes, pruning away boxes that have high IOU (intersection over union) overlap (> thresh) with already selected boxes. It operates independently for each class for which scores are provided (via the scores field of the input box_list), pruning boxes with score less than a provided threshold prior to applying NMS. Args: box_mask_list: np_box_mask_list.BoxMaskList holding N boxes. Must contain a 'scores' field representing detection scores. This scores field is a tensor that can be 1 dimensional (in the case of a single class) or 2-dimensional, in which case we assume that it takes the shape [num_boxes, num_classes]. We further assume that this rank is known statically and that scores.shape[1] is also known (i.e., the number of classes is fixed and known at graph construction time). score_thresh: scalar threshold for score (low scoring boxes are removed). iou_thresh: scalar threshold for IOU (boxes that that high IOU overlap with previously selected boxes are removed). max_output_size: maximum number of retained boxes per class. Returns: a box_mask_list holding M boxes with a rank-1 scores field representing corresponding scores for each box with scores sorted in decreasing order and a rank-1 classes field representing a class label for each box. Raises: ValueError: if iou_thresh is not in [0, 1] or if input box_mask_list does not have a valid scores field. """ if not 0 <= iou_thresh <= 1.0: raise ValueError('thresh must be between 0 and 1') if not isinstance(box_mask_list, np_box_mask_list.BoxMaskList): raise ValueError('box_mask_list must be a box_mask_list') if not box_mask_list.has_field('scores'): raise ValueError('input box_mask_list must have \'scores\' field') scores = box_mask_list.get_field('scores') if len(scores.shape) == 1: scores = np.reshape(scores, [-1, 1]) elif len(scores.shape) == 2: if scores.shape[1] is None: raise ValueError('scores field must have statically defined second ' 'dimension') else: raise ValueError('scores field must be of rank 1 or 2') num_boxes = box_mask_list.num_boxes() num_scores = scores.shape[0] num_classes = scores.shape[1] if num_boxes != num_scores: raise ValueError('Incorrect scores field length: actual vs expected.') selected_boxes_list = [] for class_idx in range(num_classes): box_mask_list_and_class_scores = np_box_mask_list.BoxMaskList( box_data=box_mask_list.get(), mask_data=box_mask_list.get_masks()) class_scores = np.reshape(scores[0:num_scores, class_idx], [-1]) box_mask_list_and_class_scores.add_field('scores', class_scores) box_mask_list_filt = filter_scores_greater_than( box_mask_list_and_class_scores, score_thresh) nms_result = non_max_suppression( box_mask_list_filt, max_output_size=max_output_size, iou_threshold=iou_thresh, score_threshold=score_thresh) nms_result.add_field( 'classes', np.zeros_like(nms_result.get_field('scores')) + class_idx) selected_boxes_list.append(nms_result) selected_boxes = np_box_list_ops.concatenate(selected_boxes_list) sorted_boxes = np_box_list_ops.sort_by_field(selected_boxes, 'scores') return box_list_to_box_mask_list(boxlist=sorted_boxes) def prune_non_overlapping_masks(box_mask_list1, box_mask_list2, minoverlap=0.0): """Prunes the boxes in list1 that overlap less than thresh with list2. For each mask in box_mask_list1, we want its IOA to be more than minoverlap with at least one of the masks in box_mask_list2. If it does not, we remove it. If the masks are not full size image, we do the pruning based on boxes. Args: box_mask_list1: np_box_mask_list.BoxMaskList holding N boxes and masks. box_mask_list2: np_box_mask_list.BoxMaskList holding M boxes and masks. minoverlap: Minimum required overlap between boxes, to count them as overlapping. Returns: A pruned box_mask_list with size [N', 4]. """ intersection_over_area = ioa(box_mask_list2, box_mask_list1) # [M, N] tensor intersection_over_area = np.amax(intersection_over_area, axis=0) # [N] tensor keep_bool = np.greater_equal(intersection_over_area, np.array(minoverlap)) keep_inds = np.nonzero(keep_bool)[0] new_box_mask_list1 = gather(box_mask_list1, keep_inds) return new_box_mask_list1 def concatenate(box_mask_lists, fields=None): """Concatenate list of box_mask_lists. This op concatenates a list of input box_mask_lists into a larger box_mask_list. It also handles concatenation of box_mask_list fields as long as the field tensor shapes are equal except for the first dimension. Args: box_mask_lists: list of np_box_mask_list.BoxMaskList objects fields: optional list of fields to also concatenate. By default, all fields from the first BoxMaskList in the list are included in the concatenation. Returns: a box_mask_list with number of boxes equal to sum([box_mask_list.num_boxes() for box_mask_list in box_mask_list]) Raises: ValueError: if box_mask_lists is invalid (i.e., is not a list, is empty, or contains non box_mask_list objects), or if requested fields are not contained in all box_mask_lists """ if fields is not None: if 'masks' not in fields: fields.append('masks') return box_list_to_box_mask_list( np_box_list_ops.concatenate(boxlists=box_mask_lists, fields=fields)) def filter_scores_greater_than(box_mask_list, thresh): """Filter to keep only boxes and masks with score exceeding a given threshold. This op keeps the collection of boxes and masks whose corresponding scores are greater than the input threshold. Args: box_mask_list: BoxMaskList holding N boxes and masks. Must contain a 'scores' field representing detection scores. thresh: scalar threshold Returns: a BoxMaskList holding M boxes and masks where M <= N Raises: ValueError: if box_mask_list not a np_box_mask_list.BoxMaskList object or if it does not have a scores field """ if not isinstance(box_mask_list, np_box_mask_list.BoxMaskList): raise ValueError('box_mask_list must be a BoxMaskList') if not box_mask_list.has_field('scores'): raise ValueError('input box_mask_list must have \'scores\' field') scores = box_mask_list.get_field('scores') if len(scores.shape) > 2: raise ValueError('Scores should have rank 1 or 2') if len(scores.shape) == 2 and scores.shape[1] != 1: raise ValueError('Scores should have rank 1 or have shape ' 'consistent with [None, 1]') high_score_indices = np.reshape(np.where(np.greater(scores, thresh)), [-1]).astype(np.int32) return gather(box_mask_list, high_score_indices)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/np_box_mask_list_ops.py
np_box_mask_list_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import abc import collections # Set headless-friendly backend. import matplotlib; matplotlib.use('Agg') # pylint: disable=multiple-statements import matplotlib.pyplot as plt # pylint: disable=g-import-not-at-top import numpy as np import PIL.Image as Image import PIL.ImageColor as ImageColor import PIL.ImageDraw as ImageDraw import PIL.ImageFont as ImageFont import six from six.moves import range from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.core import keypoint_ops from object_detection.core import standard_fields as fields from object_detection.utils import shape_utils _TITLE_LEFT_MARGIN = 10 _TITLE_TOP_MARGIN = 10 STANDARD_COLORS = [ 'AliceBlue', 'Chartreuse', 'Aqua', 'Aquamarine', 'Azure', 'Beige', 'Bisque', 'BlanchedAlmond', 'BlueViolet', 'BurlyWood', 'CadetBlue', 'AntiqueWhite', 'Chocolate', 'Coral', 'CornflowerBlue', 'Cornsilk', 'Crimson', 'Cyan', 'DarkCyan', 'DarkGoldenRod', 'DarkGrey', 'DarkKhaki', 'DarkOrange', 'DarkOrchid', 'DarkSalmon', 'DarkSeaGreen', 'DarkTurquoise', 'DarkViolet', 'DeepPink', 'DeepSkyBlue', 'DodgerBlue', 'FireBrick', 'FloralWhite', 'ForestGreen', 'Fuchsia', 'Gainsboro', 'GhostWhite', 'Gold', 'GoldenRod', 'Salmon', 'Tan', 'HoneyDew', 'HotPink', 'IndianRed', 'Ivory', 'Khaki', 'Lavender', 'LavenderBlush', 'LawnGreen', 'LemonChiffon', 'LightBlue', 'LightCoral', 'LightCyan', 'LightGoldenRodYellow', 'LightGray', 'LightGrey', 'LightGreen', 'LightPink', 'LightSalmon', 'LightSeaGreen', 'LightSkyBlue', 'LightSlateGray', 'LightSlateGrey', 'LightSteelBlue', 'LightYellow', 'Lime', 'LimeGreen', 'Linen', 'Magenta', 'MediumAquaMarine', 'MediumOrchid', 'MediumPurple', 'MediumSeaGreen', 'MediumSlateBlue', 'MediumSpringGreen', 'MediumTurquoise', 'MediumVioletRed', 'MintCream', 'MistyRose', 'Moccasin', 'NavajoWhite', 'OldLace', 'Olive', 'OliveDrab', 'Orange', 'OrangeRed', 'Orchid', 'PaleGoldenRod', 'PaleGreen', 'PaleTurquoise', 'PaleVioletRed', 'PapayaWhip', 'PeachPuff', 'Peru', 'Pink', 'Plum', 'PowderBlue', 'Purple', 'Red', 'RosyBrown', 'RoyalBlue', 'SaddleBrown', 'Green', 'SandyBrown', 'SeaGreen', 'SeaShell', 'Sienna', 'Silver', 'SkyBlue', 'SlateBlue', 'SlateGray', 'SlateGrey', 'Snow', 'SpringGreen', 'SteelBlue', 'GreenYellow', 'Teal', 'Thistle', 'Tomato', 'Turquoise', 'Violet', 'Wheat', 'White', 'WhiteSmoke', 'Yellow', 'YellowGreen' ] def _get_multiplier_for_color_randomness(): """Returns a multiplier to get semi-random colors from successive indices. This function computes a prime number, p, in the range [2, 17] that: - is closest to len(STANDARD_COLORS) / 10 - does not divide len(STANDARD_COLORS) If no prime numbers in that range satisfy the constraints, p is returned as 1. Once p is established, it can be used as a multiplier to select non-consecutive colors from STANDARD_COLORS: colors = [(p * i) % len(STANDARD_COLORS) for i in range(20)] """ num_colors = len(STANDARD_COLORS) prime_candidates = [5, 7, 11, 13, 17] # Remove all prime candidates that divide the number of colors. prime_candidates = [p for p in prime_candidates if num_colors % p] if not prime_candidates: return 1 # Return the closest prime number to num_colors / 10. abs_distance = [np.abs(num_colors / 10. - p) for p in prime_candidates] num_candidates = len(abs_distance) inds = [i for _, i in sorted(zip(abs_distance, range(num_candidates)))] return prime_candidates[inds[0]] def save_image_array_as_png(image, output_path): """Saves an image (represented as a numpy array) to PNG. Args: image: a numpy array with shape [height, width, 3]. output_path: path to which image should be written. """ image_pil = Image.fromarray(np.uint8(image)).convert('RGB') with tf.gfile.Open(output_path, 'w') as fid: image_pil.save(fid, 'PNG') def encode_image_array_as_png_str(image): """Encodes a numpy array into a PNG string. Args: image: a numpy array with shape [height, width, 3]. Returns: PNG encoded image string. """ image_pil = Image.fromarray(np.uint8(image)) output = six.BytesIO() image_pil.save(output, format='PNG') png_string = output.getvalue() output.close() return png_string def draw_bounding_box_on_image_array(image, ymin, xmin, ymax, xmax, color='red', thickness=4, display_str_list=(), use_normalized_coordinates=True): """Adds a bounding box to an image (numpy array). Bounding box coordinates can be specified in either absolute (pixel) or normalized coordinates by setting the use_normalized_coordinates argument. Args: image: a numpy array with shape [height, width, 3]. ymin: ymin of bounding box. xmin: xmin of bounding box. ymax: ymax of bounding box. xmax: xmax of bounding box. color: color to draw bounding box. Default is red. thickness: line thickness. Default value is 4. display_str_list: list of strings to display in box (each to be shown on its own line). use_normalized_coordinates: If True (default), treat coordinates ymin, xmin, ymax, xmax as relative to the image. Otherwise treat coordinates as absolute. """ image_pil = Image.fromarray(np.uint8(image)).convert('RGB') draw_bounding_box_on_image(image_pil, ymin, xmin, ymax, xmax, color, thickness, display_str_list, use_normalized_coordinates) np.copyto(image, np.array(image_pil)) def draw_bounding_box_on_image(image, ymin, xmin, ymax, xmax, color='red', thickness=4, display_str_list=(), use_normalized_coordinates=True): """Adds a bounding box to an image. Bounding box coordinates can be specified in either absolute (pixel) or normalized coordinates by setting the use_normalized_coordinates argument. Each string in display_str_list is displayed on a separate line above the bounding box in black text on a rectangle filled with the input 'color'. If the top of the bounding box extends to the edge of the image, the strings are displayed below the bounding box. Args: image: a PIL.Image object. ymin: ymin of bounding box. xmin: xmin of bounding box. ymax: ymax of bounding box. xmax: xmax of bounding box. color: color to draw bounding box. Default is red. thickness: line thickness. Default value is 4. display_str_list: list of strings to display in box (each to be shown on its own line). use_normalized_coordinates: If True (default), treat coordinates ymin, xmin, ymax, xmax as relative to the image. Otherwise treat coordinates as absolute. """ draw = ImageDraw.Draw(image) im_width, im_height = image.size if use_normalized_coordinates: (left, right, top, bottom) = (xmin * im_width, xmax * im_width, ymin * im_height, ymax * im_height) else: (left, right, top, bottom) = (xmin, xmax, ymin, ymax) if thickness > 0: draw.line([(left, top), (left, bottom), (right, bottom), (right, top), (left, top)], width=thickness, fill=color) try: font = ImageFont.truetype('arial.ttf', 24) except IOError: font = ImageFont.load_default() # If the total height of the display strings added to the top of the bounding # box exceeds the top of the image, stack the strings below the bounding box # instead of above. display_str_heights = [font.getsize(ds)[1] for ds in display_str_list] # Each display_str has a top and bottom margin of 0.05x. total_display_str_height = (1 + 2 * 0.05) * sum(display_str_heights) if top > total_display_str_height: text_bottom = top else: text_bottom = bottom + total_display_str_height # Reverse list and print from bottom to top. for display_str in display_str_list[::-1]: text_width, text_height = font.getsize(display_str) margin = np.ceil(0.05 * text_height) draw.rectangle( [(left, text_bottom - text_height - 2 * margin), (left + text_width, text_bottom)], fill=color) draw.text( (left + margin, text_bottom - text_height - margin), display_str, fill='black', font=font) text_bottom -= text_height - 2 * margin def draw_bounding_boxes_on_image_array(image, boxes, color='red', thickness=4, display_str_list_list=()): """Draws bounding boxes on image (numpy array). Args: image: a numpy array object. boxes: a 2 dimensional numpy array of [N, 4]: (ymin, xmin, ymax, xmax). The coordinates are in normalized format between [0, 1]. color: color to draw bounding box. Default is red. thickness: line thickness. Default value is 4. display_str_list_list: list of list of strings. a list of strings for each bounding box. The reason to pass a list of strings for a bounding box is that it might contain multiple labels. Raises: ValueError: if boxes is not a [N, 4] array """ image_pil = Image.fromarray(image) draw_bounding_boxes_on_image(image_pil, boxes, color, thickness, display_str_list_list) np.copyto(image, np.array(image_pil)) def draw_bounding_boxes_on_image(image, boxes, color='red', thickness=4, display_str_list_list=()): """Draws bounding boxes on image. Args: image: a PIL.Image object. boxes: a 2 dimensional numpy array of [N, 4]: (ymin, xmin, ymax, xmax). The coordinates are in normalized format between [0, 1]. color: color to draw bounding box. Default is red. thickness: line thickness. Default value is 4. display_str_list_list: list of list of strings. a list of strings for each bounding box. The reason to pass a list of strings for a bounding box is that it might contain multiple labels. Raises: ValueError: if boxes is not a [N, 4] array """ boxes_shape = boxes.shape if not boxes_shape: return if len(boxes_shape) != 2 or boxes_shape[1] != 4: raise ValueError('Input must be of size [N, 4]') for i in range(boxes_shape[0]): display_str_list = () if display_str_list_list: display_str_list = display_str_list_list[i] draw_bounding_box_on_image(image, boxes[i, 0], boxes[i, 1], boxes[i, 2], boxes[i, 3], color, thickness, display_str_list) def create_visualization_fn(category_index, include_masks=False, include_keypoints=False, include_keypoint_scores=False, include_track_ids=False, **kwargs): """Constructs a visualization function that can be wrapped in a py_func. py_funcs only accept positional arguments. This function returns a suitable function with the correct positional argument mapping. The positional arguments in order are: 0: image 1: boxes 2: classes 3: scores [4]: masks (optional) [4-5]: keypoints (optional) [4-6]: keypoint_scores (optional) [4-7]: track_ids (optional) -- Example 1 -- vis_only_masks_fn = create_visualization_fn(category_index, include_masks=True, include_keypoints=False, include_track_ids=False, **kwargs) image = tf.py_func(vis_only_masks_fn, inp=[image, boxes, classes, scores, masks], Tout=tf.uint8) -- Example 2 -- vis_masks_and_track_ids_fn = create_visualization_fn(category_index, include_masks=True, include_keypoints=False, include_track_ids=True, **kwargs) image = tf.py_func(vis_masks_and_track_ids_fn, inp=[image, boxes, classes, scores, masks, track_ids], Tout=tf.uint8) Args: category_index: a dict that maps integer ids to category dicts. e.g. {1: {1: 'dog'}, 2: {2: 'cat'}, ...} include_masks: Whether masks should be expected as a positional argument in the returned function. include_keypoints: Whether keypoints should be expected as a positional argument in the returned function. include_keypoint_scores: Whether keypoint scores should be expected as a positional argument in the returned function. include_track_ids: Whether track ids should be expected as a positional argument in the returned function. **kwargs: Additional kwargs that will be passed to visualize_boxes_and_labels_on_image_array. Returns: Returns a function that only takes tensors as positional arguments. """ def visualization_py_func_fn(*args): """Visualization function that can be wrapped in a tf.py_func. Args: *args: First 4 positional arguments must be: image - uint8 numpy array with shape (img_height, img_width, 3). boxes - a numpy array of shape [N, 4]. classes - a numpy array of shape [N]. scores - a numpy array of shape [N] or None. -- Optional positional arguments -- instance_masks - a numpy array of shape [N, image_height, image_width]. keypoints - a numpy array of shape [N, num_keypoints, 2]. keypoint_scores - a numpy array of shape [N, num_keypoints]. track_ids - a numpy array of shape [N] with unique track ids. Returns: uint8 numpy array with shape (img_height, img_width, 3) with overlaid boxes. """ image = args[0] boxes = args[1] classes = args[2] scores = args[3] masks = keypoints = keypoint_scores = track_ids = None pos_arg_ptr = 4 # Positional argument for first optional tensor (masks). if include_masks: masks = args[pos_arg_ptr] pos_arg_ptr += 1 if include_keypoints: keypoints = args[pos_arg_ptr] pos_arg_ptr += 1 if include_keypoint_scores: keypoint_scores = args[pos_arg_ptr] pos_arg_ptr += 1 if include_track_ids: track_ids = args[pos_arg_ptr] return visualize_boxes_and_labels_on_image_array( image, boxes, classes, scores, category_index=category_index, instance_masks=masks, keypoints=keypoints, keypoint_scores=keypoint_scores, track_ids=track_ids, **kwargs) return visualization_py_func_fn def draw_heatmaps_on_image(image, heatmaps): """Draws heatmaps on an image. The heatmaps are handled channel by channel and different colors are used to paint different heatmap channels. Args: image: a PIL.Image object. heatmaps: a numpy array with shape [image_height, image_width, channel]. Note that the image_height and image_width should match the size of input image. """ draw = ImageDraw.Draw(image) channel = heatmaps.shape[2] for c in range(channel): heatmap = heatmaps[:, :, c] * 255 heatmap = heatmap.astype('uint8') bitmap = Image.fromarray(heatmap, 'L') bitmap.convert('1') draw.bitmap( xy=[(0, 0)], bitmap=bitmap, fill=STANDARD_COLORS[c]) def draw_heatmaps_on_image_array(image, heatmaps): """Overlays heatmaps to an image (numpy array). The function overlays the heatmaps on top of image. The heatmap values will be painted with different colors depending on the channels. Similar to "draw_heatmaps_on_image_array" function except the inputs are numpy arrays. Args: image: a numpy array with shape [height, width, 3]. heatmaps: a numpy array with shape [height, width, channel]. Returns: An uint8 numpy array representing the input image painted with heatmap colors. """ if not isinstance(image, np.ndarray): image = image.numpy() if not isinstance(heatmaps, np.ndarray): heatmaps = heatmaps.numpy() image_pil = Image.fromarray(np.uint8(image)).convert('RGB') draw_heatmaps_on_image(image_pil, heatmaps) return np.array(image_pil) def draw_heatmaps_on_image_tensors(images, heatmaps, apply_sigmoid=False): """Draws heatmaps on batch of image tensors. Args: images: A 4D uint8 image tensor of shape [N, H, W, C]. If C > 3, additional channels will be ignored. If C = 1, then we convert the images to RGB images. heatmaps: [N, h, w, channel] float32 tensor of heatmaps. Note that the heatmaps will be resized to match the input image size before overlaying the heatmaps with input images. Theoretically the heatmap height width should have the same aspect ratio as the input image to avoid potential misalignment introduced by the image resize. apply_sigmoid: Whether to apply a sigmoid layer on top of the heatmaps. If the heatmaps come directly from the prediction logits, then we should apply the sigmoid layer to make sure the values are in between [0.0, 1.0]. Returns: 4D image tensor of type uint8, with heatmaps overlaid on top. """ # Additional channels are being ignored. if images.shape[3] > 3: images = images[:, :, :, 0:3] elif images.shape[3] == 1: images = tf.image.grayscale_to_rgb(images) _, height, width, _ = shape_utils.combined_static_and_dynamic_shape(images) if apply_sigmoid: heatmaps = tf.math.sigmoid(heatmaps) resized_heatmaps = tf.image.resize(heatmaps, size=[height, width]) elems = [images, resized_heatmaps] def draw_heatmaps(image_and_heatmaps): """Draws heatmaps on image.""" image_with_heatmaps = tf.py_function( draw_heatmaps_on_image_array, image_and_heatmaps, tf.uint8) return image_with_heatmaps images = tf.map_fn(draw_heatmaps, elems, dtype=tf.uint8, back_prop=False) return images def _resize_original_image(image, image_shape): image = tf.expand_dims(image, 0) image = tf.image.resize_images( image, image_shape, method=tf.image.ResizeMethod.NEAREST_NEIGHBOR, align_corners=True) return tf.cast(tf.squeeze(image, 0), tf.uint8) def draw_bounding_boxes_on_image_tensors(images, boxes, classes, scores, category_index, original_image_spatial_shape=None, true_image_shape=None, instance_masks=None, keypoints=None, keypoint_scores=None, keypoint_edges=None, track_ids=None, max_boxes_to_draw=20, min_score_thresh=0.2, use_normalized_coordinates=True): """Draws bounding boxes, masks, and keypoints on batch of image tensors. Args: images: A 4D uint8 image tensor of shape [N, H, W, C]. If C > 3, additional channels will be ignored. If C = 1, then we convert the images to RGB images. boxes: [N, max_detections, 4] float32 tensor of detection boxes. classes: [N, max_detections] int tensor of detection classes. Note that classes are 1-indexed. scores: [N, max_detections] float32 tensor of detection scores. category_index: a dict that maps integer ids to category dicts. e.g. {1: {1: 'dog'}, 2: {2: 'cat'}, ...} original_image_spatial_shape: [N, 2] tensor containing the spatial size of the original image. true_image_shape: [N, 3] tensor containing the spatial size of unpadded original_image. instance_masks: A 4D uint8 tensor of shape [N, max_detection, H, W] with instance masks. keypoints: A 4D float32 tensor of shape [N, max_detection, num_keypoints, 2] with keypoints. keypoint_scores: A 3D float32 tensor of shape [N, max_detection, num_keypoints] with keypoint scores. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. track_ids: [N, max_detections] int32 tensor of unique tracks ids (i.e. instance ids for each object). If provided, the color-coding of boxes is dictated by these ids, and not classes. max_boxes_to_draw: Maximum number of boxes to draw on an image. Default 20. min_score_thresh: Minimum score threshold for visualization. Default 0.2. use_normalized_coordinates: Whether to assume boxes and kepoints are in normalized coordinates (as opposed to absolute coordiantes). Default is True. Returns: 4D image tensor of type uint8, with boxes drawn on top. """ # Additional channels are being ignored. if images.shape[3] > 3: images = images[:, :, :, 0:3] elif images.shape[3] == 1: images = tf.image.grayscale_to_rgb(images) visualization_keyword_args = { 'use_normalized_coordinates': use_normalized_coordinates, 'max_boxes_to_draw': max_boxes_to_draw, 'min_score_thresh': min_score_thresh, 'agnostic_mode': False, 'line_thickness': 4, 'keypoint_edges': keypoint_edges } if true_image_shape is None: true_shapes = tf.constant(-1, shape=[images.shape.as_list()[0], 3]) else: true_shapes = true_image_shape if original_image_spatial_shape is None: original_shapes = tf.constant(-1, shape=[images.shape.as_list()[0], 2]) else: original_shapes = original_image_spatial_shape visualize_boxes_fn = create_visualization_fn( category_index, include_masks=instance_masks is not None, include_keypoints=keypoints is not None, include_keypoint_scores=keypoint_scores is not None, include_track_ids=track_ids is not None, **visualization_keyword_args) elems = [true_shapes, original_shapes, images, boxes, classes, scores] if instance_masks is not None: elems.append(instance_masks) if keypoints is not None: elems.append(keypoints) if keypoint_scores is not None: elems.append(keypoint_scores) if track_ids is not None: elems.append(track_ids) def draw_boxes(image_and_detections): """Draws boxes on image.""" true_shape = image_and_detections[0] original_shape = image_and_detections[1] if true_image_shape is not None: image = shape_utils.pad_or_clip_nd(image_and_detections[2], [true_shape[0], true_shape[1], 3]) if original_image_spatial_shape is not None: image_and_detections[2] = _resize_original_image(image, original_shape) image_with_boxes = tf.py_func(visualize_boxes_fn, image_and_detections[2:], tf.uint8) return image_with_boxes images = tf.map_fn(draw_boxes, elems, dtype=tf.uint8, back_prop=False) return images def draw_side_by_side_evaluation_image(eval_dict, category_index, max_boxes_to_draw=20, min_score_thresh=0.2, use_normalized_coordinates=True, keypoint_edges=None): """Creates a side-by-side image with detections and groundtruth. Bounding boxes (and instance masks, if available) are visualized on both subimages. Args: eval_dict: The evaluation dictionary returned by eval_util.result_dict_for_batched_example() or eval_util.result_dict_for_single_example(). category_index: A category index (dictionary) produced from a labelmap. max_boxes_to_draw: The maximum number of boxes to draw for detections. min_score_thresh: The minimum score threshold for showing detections. use_normalized_coordinates: Whether to assume boxes and keypoints are in normalized coordinates (as opposed to absolute coordinates). Default is True. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. Returns: A list of [1, H, 2 * W, C] uint8 tensor. The subimage on the left corresponds to detections, while the subimage on the right corresponds to groundtruth. """ detection_fields = fields.DetectionResultFields() input_data_fields = fields.InputDataFields() images_with_detections_list = [] # Add the batch dimension if the eval_dict is for single example. if len(eval_dict[detection_fields.detection_classes].shape) == 1: for key in eval_dict: if (key != input_data_fields.original_image and key != input_data_fields.image_additional_channels): eval_dict[key] = tf.expand_dims(eval_dict[key], 0) num_gt_boxes = [-1] * eval_dict[input_data_fields.original_image].shape[0] if input_data_fields.num_groundtruth_boxes in eval_dict: num_gt_boxes = tf.cast(eval_dict[input_data_fields.num_groundtruth_boxes], tf.int32) for indx in range(eval_dict[input_data_fields.original_image].shape[0]): instance_masks = None if detection_fields.detection_masks in eval_dict: instance_masks = tf.cast( tf.expand_dims( eval_dict[detection_fields.detection_masks][indx], axis=0), tf.uint8) keypoints = None keypoint_scores = None if detection_fields.detection_keypoints in eval_dict: keypoints = tf.expand_dims( eval_dict[detection_fields.detection_keypoints][indx], axis=0) if detection_fields.detection_keypoint_scores in eval_dict: keypoint_scores = tf.expand_dims( eval_dict[detection_fields.detection_keypoint_scores][indx], axis=0) else: keypoint_scores = tf.cast(keypoint_ops.set_keypoint_visibilities( keypoints), dtype=tf.float32) groundtruth_instance_masks = None if input_data_fields.groundtruth_instance_masks in eval_dict: groundtruth_instance_masks = tf.cast( tf.expand_dims( eval_dict[input_data_fields.groundtruth_instance_masks][indx], axis=0), tf.uint8) groundtruth_keypoints = None groundtruth_keypoint_scores = None gt_kpt_vis_fld = input_data_fields.groundtruth_keypoint_visibilities if input_data_fields.groundtruth_keypoints in eval_dict: groundtruth_keypoints = tf.expand_dims( eval_dict[input_data_fields.groundtruth_keypoints][indx], axis=0) if gt_kpt_vis_fld in eval_dict: groundtruth_keypoint_scores = tf.expand_dims( tf.cast(eval_dict[gt_kpt_vis_fld][indx], dtype=tf.float32), axis=0) else: groundtruth_keypoint_scores = tf.cast( keypoint_ops.set_keypoint_visibilities( groundtruth_keypoints), dtype=tf.float32) images_with_detections = draw_bounding_boxes_on_image_tensors( tf.expand_dims( eval_dict[input_data_fields.original_image][indx], axis=0), tf.expand_dims( eval_dict[detection_fields.detection_boxes][indx], axis=0), tf.expand_dims( eval_dict[detection_fields.detection_classes][indx], axis=0), tf.expand_dims( eval_dict[detection_fields.detection_scores][indx], axis=0), category_index, original_image_spatial_shape=tf.expand_dims( eval_dict[input_data_fields.original_image_spatial_shape][indx], axis=0), true_image_shape=tf.expand_dims( eval_dict[input_data_fields.true_image_shape][indx], axis=0), instance_masks=instance_masks, keypoints=keypoints, keypoint_scores=keypoint_scores, keypoint_edges=keypoint_edges, max_boxes_to_draw=max_boxes_to_draw, min_score_thresh=min_score_thresh, use_normalized_coordinates=use_normalized_coordinates) num_gt_boxes_i = num_gt_boxes[indx] images_with_groundtruth = draw_bounding_boxes_on_image_tensors( tf.expand_dims( eval_dict[input_data_fields.original_image][indx], axis=0), tf.expand_dims( eval_dict[input_data_fields.groundtruth_boxes][indx] [:num_gt_boxes_i], axis=0), tf.expand_dims( eval_dict[input_data_fields.groundtruth_classes][indx] [:num_gt_boxes_i], axis=0), tf.expand_dims( tf.ones_like( eval_dict[input_data_fields.groundtruth_classes][indx] [:num_gt_boxes_i], dtype=tf.float32), axis=0), category_index, original_image_spatial_shape=tf.expand_dims( eval_dict[input_data_fields.original_image_spatial_shape][indx], axis=0), true_image_shape=tf.expand_dims( eval_dict[input_data_fields.true_image_shape][indx], axis=0), instance_masks=groundtruth_instance_masks, keypoints=groundtruth_keypoints, keypoint_scores=groundtruth_keypoint_scores, keypoint_edges=keypoint_edges, max_boxes_to_draw=None, min_score_thresh=0.0, use_normalized_coordinates=use_normalized_coordinates) images_to_visualize = tf.concat([images_with_detections, images_with_groundtruth], axis=2) if input_data_fields.image_additional_channels in eval_dict: images_with_additional_channels_groundtruth = ( draw_bounding_boxes_on_image_tensors( tf.expand_dims( eval_dict[input_data_fields.image_additional_channels][indx], axis=0), tf.expand_dims( eval_dict[input_data_fields.groundtruth_boxes][indx] [:num_gt_boxes_i], axis=0), tf.expand_dims( eval_dict[input_data_fields.groundtruth_classes][indx] [:num_gt_boxes_i], axis=0), tf.expand_dims( tf.ones_like( eval_dict[input_data_fields.groundtruth_classes][indx] [num_gt_boxes_i], dtype=tf.float32), axis=0), category_index, original_image_spatial_shape=tf.expand_dims( eval_dict[input_data_fields.original_image_spatial_shape] [indx], axis=0), true_image_shape=tf.expand_dims( eval_dict[input_data_fields.true_image_shape][indx], axis=0), instance_masks=groundtruth_instance_masks, keypoints=None, keypoint_edges=None, max_boxes_to_draw=None, min_score_thresh=0.0, use_normalized_coordinates=use_normalized_coordinates)) images_to_visualize = tf.concat( [images_to_visualize, images_with_additional_channels_groundtruth], axis=2) images_with_detections_list.append(images_to_visualize) return images_with_detections_list def draw_densepose_visualizations(eval_dict, max_boxes_to_draw=20, min_score_thresh=0.2, num_parts=24, dp_coord_to_visualize=0): """Draws DensePose visualizations. Args: eval_dict: The evaluation dictionary returned by eval_util.result_dict_for_batched_example(). max_boxes_to_draw: The maximum number of boxes to draw for detections. min_score_thresh: The minimum score threshold for showing detections. num_parts: The number of different densepose parts. dp_coord_to_visualize: Whether to visualize v-coordinates (0) or u-coordinates (0) overlaid on the person masks. Returns: A list of [1, H, W, C] uint8 tensor, each element corresponding to an image in the batch. Raises: ValueError: If `dp_coord_to_visualize` is not 0 or 1. """ if dp_coord_to_visualize not in (0, 1): raise ValueError('`dp_coord_to_visualize` must be either 0 for v ' 'coordinates), or 1 for u coordinates, but instead got ' '{}'.format(dp_coord_to_visualize)) detection_fields = fields.DetectionResultFields() input_data_fields = fields.InputDataFields() if detection_fields.detection_masks not in eval_dict: raise ValueError('Expected `detection_masks` in `eval_dict`.') if detection_fields.detection_surface_coords not in eval_dict: raise ValueError('Expected `detection_surface_coords` in `eval_dict`.') images_with_detections_list = [] for indx in range(eval_dict[input_data_fields.original_image].shape[0]): # Note that detection masks have already been resized to the original image # shapes, but `original_image` has not. # TODO(ronnyvotel): Consider resizing `original_image` in # eval_util.result_dict_for_batched_example(). true_shape = eval_dict[input_data_fields.true_image_shape][indx] original_shape = eval_dict[ input_data_fields.original_image_spatial_shape][indx] image = eval_dict[input_data_fields.original_image][indx] image = shape_utils.pad_or_clip_nd(image, [true_shape[0], true_shape[1], 3]) image = _resize_original_image(image, original_shape) scores = eval_dict[detection_fields.detection_scores][indx] detection_masks = eval_dict[detection_fields.detection_masks][indx] surface_coords = eval_dict[detection_fields.detection_surface_coords][indx] def draw_densepose_py_func(image, detection_masks, surface_coords, scores): """Overlays part masks and surface coords on original images.""" surface_coord_image = np.copy(image) for i, (score, surface_coord, mask) in enumerate( zip(scores, surface_coords, detection_masks)): if i == max_boxes_to_draw: break if score > min_score_thresh: draw_part_mask_on_image_array(image, mask, num_parts=num_parts) draw_float_channel_on_image_array( surface_coord_image, surface_coord[:, :, dp_coord_to_visualize], mask) return np.concatenate([image, surface_coord_image], axis=1) image_with_densepose = tf.py_func( draw_densepose_py_func, [image, detection_masks, surface_coords, scores], tf.uint8) images_with_detections_list.append( image_with_densepose[tf.newaxis, :, :, :]) return images_with_detections_list def draw_keypoints_on_image_array(image, keypoints, keypoint_scores=None, min_score_thresh=0.5, color='red', radius=2, use_normalized_coordinates=True, keypoint_edges=None, keypoint_edge_color='green', keypoint_edge_width=2): """Draws keypoints on an image (numpy array). Args: image: a numpy array with shape [height, width, 3]. keypoints: a numpy array with shape [num_keypoints, 2]. keypoint_scores: a numpy array with shape [num_keypoints]. If provided, only those keypoints with a score above score_threshold will be visualized. min_score_thresh: A scalar indicating the minimum keypoint score required for a keypoint to be visualized. Note that keypoint_scores must be provided for this threshold to take effect. color: color to draw the keypoints with. Default is red. radius: keypoint radius. Default value is 2. use_normalized_coordinates: if True (default), treat keypoint values as relative to the image. Otherwise treat them as absolute. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. keypoint_edge_color: color to draw the keypoint edges with. Default is red. keypoint_edge_width: width of the edges drawn between keypoints. Default value is 2. """ image_pil = Image.fromarray(np.uint8(image)).convert('RGB') draw_keypoints_on_image(image_pil, keypoints, keypoint_scores=keypoint_scores, min_score_thresh=min_score_thresh, color=color, radius=radius, use_normalized_coordinates=use_normalized_coordinates, keypoint_edges=keypoint_edges, keypoint_edge_color=keypoint_edge_color, keypoint_edge_width=keypoint_edge_width) np.copyto(image, np.array(image_pil)) def draw_keypoints_on_image(image, keypoints, keypoint_scores=None, min_score_thresh=0.5, color='red', radius=2, use_normalized_coordinates=True, keypoint_edges=None, keypoint_edge_color='green', keypoint_edge_width=2): """Draws keypoints on an image. Args: image: a PIL.Image object. keypoints: a numpy array with shape [num_keypoints, 2]. keypoint_scores: a numpy array with shape [num_keypoints]. min_score_thresh: a score threshold for visualizing keypoints. Only used if keypoint_scores is provided. color: color to draw the keypoints with. Default is red. radius: keypoint radius. Default value is 2. use_normalized_coordinates: if True (default), treat keypoint values as relative to the image. Otherwise treat them as absolute. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. keypoint_edge_color: color to draw the keypoint edges with. Default is red. keypoint_edge_width: width of the edges drawn between keypoints. Default value is 2. """ draw = ImageDraw.Draw(image) im_width, im_height = image.size keypoints = np.array(keypoints) keypoints_x = [k[1] for k in keypoints] keypoints_y = [k[0] for k in keypoints] if use_normalized_coordinates: keypoints_x = tuple([im_width * x for x in keypoints_x]) keypoints_y = tuple([im_height * y for y in keypoints_y]) if keypoint_scores is not None: keypoint_scores = np.array(keypoint_scores) valid_kpt = np.greater(keypoint_scores, min_score_thresh) else: valid_kpt = np.where(np.any(np.isnan(keypoints), axis=1), np.zeros_like(keypoints[:, 0]), np.ones_like(keypoints[:, 0])) valid_kpt = [v for v in valid_kpt] for keypoint_x, keypoint_y, valid in zip(keypoints_x, keypoints_y, valid_kpt): if valid: draw.ellipse([(keypoint_x - radius, keypoint_y - radius), (keypoint_x + radius, keypoint_y + radius)], outline=color, fill=color) if keypoint_edges is not None: for keypoint_start, keypoint_end in keypoint_edges: if (keypoint_start < 0 or keypoint_start >= len(keypoints) or keypoint_end < 0 or keypoint_end >= len(keypoints)): continue if not (valid_kpt[keypoint_start] and valid_kpt[keypoint_end]): continue edge_coordinates = [ keypoints_x[keypoint_start], keypoints_y[keypoint_start], keypoints_x[keypoint_end], keypoints_y[keypoint_end] ] draw.line( edge_coordinates, fill=keypoint_edge_color, width=keypoint_edge_width) def draw_mask_on_image_array(image, mask, color='red', alpha=0.4): """Draws mask on an image. Args: image: uint8 numpy array with shape (img_height, img_height, 3) mask: a uint8 numpy array of shape (img_height, img_height) with values between either 0 or 1. color: color to draw the keypoints with. Default is red. alpha: transparency value between 0 and 1. (default: 0.4) Raises: ValueError: On incorrect data type for image or masks. """ if image.dtype != np.uint8: raise ValueError('`image` not of type np.uint8') if mask.dtype != np.uint8: raise ValueError('`mask` not of type np.uint8') if image.shape[:2] != mask.shape: raise ValueError('The image has spatial dimensions %s but the mask has ' 'dimensions %s' % (image.shape[:2], mask.shape)) rgb = ImageColor.getrgb(color) pil_image = Image.fromarray(image) solid_color = np.expand_dims( np.ones_like(mask), axis=2) * np.reshape(list(rgb), [1, 1, 3]) pil_solid_color = Image.fromarray(np.uint8(solid_color)).convert('RGBA') pil_mask = Image.fromarray(np.uint8(255.0*alpha*(mask > 0))).convert('L') pil_image = Image.composite(pil_solid_color, pil_image, pil_mask) np.copyto(image, np.array(pil_image.convert('RGB'))) def draw_part_mask_on_image_array(image, mask, alpha=0.4, num_parts=24): """Draws part mask on an image. Args: image: uint8 numpy array with shape (img_height, img_height, 3) mask: a uint8 numpy array of shape (img_height, img_height) with 1-indexed parts (0 for background). alpha: transparency value between 0 and 1 (default: 0.4) num_parts: the maximum number of parts that may exist in the image (default 24 for DensePose). Raises: ValueError: On incorrect data type for image or masks. """ if image.dtype != np.uint8: raise ValueError('`image` not of type np.uint8') if mask.dtype != np.uint8: raise ValueError('`mask` not of type np.uint8') if image.shape[:2] != mask.shape: raise ValueError('The image has spatial dimensions %s but the mask has ' 'dimensions %s' % (image.shape[:2], mask.shape)) pil_image = Image.fromarray(image) part_colors = np.zeros_like(image) mask_1_channel = mask[:, :, np.newaxis] for i, color in enumerate(STANDARD_COLORS[:num_parts]): rgb = np.array(ImageColor.getrgb(color), dtype=np.uint8) part_colors += (mask_1_channel == i + 1) * rgb[np.newaxis, np.newaxis, :] pil_part_colors = Image.fromarray(np.uint8(part_colors)).convert('RGBA') pil_mask = Image.fromarray(np.uint8(255.0 * alpha * (mask > 0))).convert('L') pil_image = Image.composite(pil_part_colors, pil_image, pil_mask) np.copyto(image, np.array(pil_image.convert('RGB'))) def draw_float_channel_on_image_array(image, channel, mask, alpha=0.9, cmap='YlGn'): """Draws a floating point channel on an image array. Args: image: uint8 numpy array with shape (img_height, img_height, 3) channel: float32 numpy array with shape (img_height, img_height). The values should be in the range [0, 1], and will be mapped to colors using the provided colormap `cmap` argument. mask: a uint8 numpy array of shape (img_height, img_height) with 1-indexed parts (0 for background). alpha: transparency value between 0 and 1 (default: 0.9) cmap: string with the colormap to use. Raises: ValueError: On incorrect data type for image or masks. """ if image.dtype != np.uint8: raise ValueError('`image` not of type np.uint8') if channel.dtype != np.float32: raise ValueError('`channel` not of type np.float32') if mask.dtype != np.uint8: raise ValueError('`mask` not of type np.uint8') if image.shape[:2] != channel.shape: raise ValueError('The image has spatial dimensions %s but the channel has ' 'dimensions %s' % (image.shape[:2], channel.shape)) if image.shape[:2] != mask.shape: raise ValueError('The image has spatial dimensions %s but the mask has ' 'dimensions %s' % (image.shape[:2], mask.shape)) cm = plt.get_cmap(cmap) pil_image = Image.fromarray(image) colored_channel = cm(channel)[:, :, :3] pil_colored_channel = Image.fromarray( np.uint8(colored_channel * 255)).convert('RGBA') pil_mask = Image.fromarray(np.uint8(255.0 * alpha * (mask > 0))).convert('L') pil_image = Image.composite(pil_colored_channel, pil_image, pil_mask) np.copyto(image, np.array(pil_image.convert('RGB'))) def visualize_boxes_and_labels_on_image_array( image, boxes, classes, scores, category_index, instance_masks=None, instance_boundaries=None, keypoints=None, keypoint_scores=None, keypoint_edges=None, track_ids=None, use_normalized_coordinates=False, max_boxes_to_draw=20, min_score_thresh=.5, agnostic_mode=False, line_thickness=4, mask_alpha=.4, groundtruth_box_visualization_color='black', skip_boxes=False, skip_scores=False, skip_labels=False, skip_track_ids=False): """Overlay labeled boxes on an image with formatted scores and label names. This function groups boxes that correspond to the same location and creates a display string for each detection and overlays these on the image. Note that this function modifies the image in place, and returns that same image. Args: image: uint8 numpy array with shape (img_height, img_width, 3) boxes: a numpy array of shape [N, 4] classes: a numpy array of shape [N]. Note that class indices are 1-based, and match the keys in the label map. scores: a numpy array of shape [N] or None. If scores=None, then this function assumes that the boxes to be plotted are groundtruth boxes and plot all boxes as black with no classes or scores. category_index: a dict containing category dictionaries (each holding category index `id` and category name `name`) keyed by category indices. instance_masks: a uint8 numpy array of shape [N, image_height, image_width], can be None. instance_boundaries: a numpy array of shape [N, image_height, image_width] with values ranging between 0 and 1, can be None. keypoints: a numpy array of shape [N, num_keypoints, 2], can be None. keypoint_scores: a numpy array of shape [N, num_keypoints], can be None. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. track_ids: a numpy array of shape [N] with unique track ids. If provided, color-coding of boxes will be determined by these ids, and not the class indices. use_normalized_coordinates: whether boxes is to be interpreted as normalized coordinates or not. max_boxes_to_draw: maximum number of boxes to visualize. If None, draw all boxes. min_score_thresh: minimum score threshold for a box or keypoint to be visualized. agnostic_mode: boolean (default: False) controlling whether to evaluate in class-agnostic mode or not. This mode will display scores but ignore classes. line_thickness: integer (default: 4) controlling line width of the boxes. mask_alpha: transparency value between 0 and 1 (default: 0.4). groundtruth_box_visualization_color: box color for visualizing groundtruth boxes skip_boxes: whether to skip the drawing of bounding boxes. skip_scores: whether to skip score when drawing a single detection skip_labels: whether to skip label when drawing a single detection skip_track_ids: whether to skip track id when drawing a single detection Returns: uint8 numpy array with shape (img_height, img_width, 3) with overlaid boxes. """ # Create a display string (and color) for every box location, group any boxes # that correspond to the same location. box_to_display_str_map = collections.defaultdict(list) box_to_color_map = collections.defaultdict(str) box_to_instance_masks_map = {} box_to_instance_boundaries_map = {} box_to_keypoints_map = collections.defaultdict(list) box_to_keypoint_scores_map = collections.defaultdict(list) box_to_track_ids_map = {} if not max_boxes_to_draw: max_boxes_to_draw = boxes.shape[0] for i in range(boxes.shape[0]): if max_boxes_to_draw == len(box_to_color_map): break if scores is None or scores[i] > min_score_thresh: box = tuple(boxes[i].tolist()) if instance_masks is not None: box_to_instance_masks_map[box] = instance_masks[i] if instance_boundaries is not None: box_to_instance_boundaries_map[box] = instance_boundaries[i] if keypoints is not None: box_to_keypoints_map[box].extend(keypoints[i]) if keypoint_scores is not None: box_to_keypoint_scores_map[box].extend(keypoint_scores[i]) if track_ids is not None: box_to_track_ids_map[box] = track_ids[i] if scores is None: box_to_color_map[box] = groundtruth_box_visualization_color else: display_str = '' if not skip_labels: if not agnostic_mode: if classes[i] in six.viewkeys(category_index): class_name = category_index[classes[i]]['name'] else: class_name = 'N/A' display_str = str(class_name) if not skip_scores: if not display_str: display_str = '{}%'.format(round(100*scores[i])) else: display_str = '{}: {}%'.format(display_str, round(100*scores[i])) if not skip_track_ids and track_ids is not None: if not display_str: display_str = 'ID {}'.format(track_ids[i]) else: display_str = '{}: ID {}'.format(display_str, track_ids[i]) box_to_display_str_map[box].append(display_str) if agnostic_mode: box_to_color_map[box] = 'DarkOrange' elif track_ids is not None: prime_multipler = _get_multiplier_for_color_randomness() box_to_color_map[box] = STANDARD_COLORS[ (prime_multipler * track_ids[i]) % len(STANDARD_COLORS)] else: box_to_color_map[box] = STANDARD_COLORS[ classes[i] % len(STANDARD_COLORS)] # Draw all boxes onto image. for box, color in box_to_color_map.items(): ymin, xmin, ymax, xmax = box if instance_masks is not None: draw_mask_on_image_array( image, box_to_instance_masks_map[box], color=color, alpha=mask_alpha ) if instance_boundaries is not None: draw_mask_on_image_array( image, box_to_instance_boundaries_map[box], color='red', alpha=1.0 ) draw_bounding_box_on_image_array( image, ymin, xmin, ymax, xmax, color=color, thickness=0 if skip_boxes else line_thickness, display_str_list=box_to_display_str_map[box], use_normalized_coordinates=use_normalized_coordinates) if keypoints is not None: keypoint_scores_for_box = None if box_to_keypoint_scores_map: keypoint_scores_for_box = box_to_keypoint_scores_map[box] draw_keypoints_on_image_array( image, box_to_keypoints_map[box], keypoint_scores_for_box, min_score_thresh=min_score_thresh, color=color, radius=line_thickness / 2, use_normalized_coordinates=use_normalized_coordinates, keypoint_edges=keypoint_edges, keypoint_edge_color=color, keypoint_edge_width=line_thickness // 2) return image def add_cdf_image_summary(values, name): """Adds a tf.summary.image for a CDF plot of the values. Normalizes `values` such that they sum to 1, plots the cumulative distribution function and creates a tf image summary. Args: values: a 1-D float32 tensor containing the values. name: name for the image summary. """ def cdf_plot(values): """Numpy function to plot CDF.""" normalized_values = values / np.sum(values) sorted_values = np.sort(normalized_values) cumulative_values = np.cumsum(sorted_values) fraction_of_examples = (np.arange(cumulative_values.size, dtype=np.float32) / cumulative_values.size) fig = plt.figure(frameon=False) ax = fig.add_subplot('111') ax.plot(fraction_of_examples, cumulative_values) ax.set_ylabel('cumulative normalized values') ax.set_xlabel('fraction of examples') fig.canvas.draw() width, height = fig.get_size_inches() * fig.get_dpi() image = np.fromstring(fig.canvas.tostring_rgb(), dtype='uint8').reshape( 1, int(height), int(width), 3) return image cdf_plot = tf.py_func(cdf_plot, [values], tf.uint8) tf.summary.image(name, cdf_plot) def add_hist_image_summary(values, bins, name): """Adds a tf.summary.image for a histogram plot of the values. Plots the histogram of values and creates a tf image summary. Args: values: a 1-D float32 tensor containing the values. bins: bin edges which will be directly passed to np.histogram. name: name for the image summary. """ def hist_plot(values, bins): """Numpy function to plot hist.""" fig = plt.figure(frameon=False) ax = fig.add_subplot('111') y, x = np.histogram(values, bins=bins) ax.plot(x[:-1], y) ax.set_ylabel('count') ax.set_xlabel('value') fig.canvas.draw() width, height = fig.get_size_inches() * fig.get_dpi() image = np.fromstring( fig.canvas.tostring_rgb(), dtype='uint8').reshape( 1, int(height), int(width), 3) return image hist_plot = tf.py_func(hist_plot, [values, bins], tf.uint8) tf.summary.image(name, hist_plot) class EvalMetricOpsVisualization(six.with_metaclass(abc.ABCMeta, object)): """Abstract base class responsible for visualizations during evaluation. Currently, summary images are not run during evaluation. One way to produce evaluation images in Tensorboard is to provide tf.summary.image strings as `value_ops` in tf.estimator.EstimatorSpec's `eval_metric_ops`. This class is responsible for accruing images (with overlaid detections and groundtruth) and returning a dictionary that can be passed to `eval_metric_ops`. """ def __init__(self, category_index, max_examples_to_draw=5, max_boxes_to_draw=20, min_score_thresh=0.2, use_normalized_coordinates=True, summary_name_prefix='evaluation_image', keypoint_edges=None): """Creates an EvalMetricOpsVisualization. Args: category_index: A category index (dictionary) produced from a labelmap. max_examples_to_draw: The maximum number of example summaries to produce. max_boxes_to_draw: The maximum number of boxes to draw for detections. min_score_thresh: The minimum score threshold for showing detections. use_normalized_coordinates: Whether to assume boxes and keypoints are in normalized coordinates (as opposed to absolute coordinates). Default is True. summary_name_prefix: A string prefix for each image summary. keypoint_edges: A list of tuples with keypoint indices that specify which keypoints should be connected by an edge, e.g. [(0, 1), (2, 4)] draws edges from keypoint 0 to 1 and from keypoint 2 to 4. """ self._category_index = category_index self._max_examples_to_draw = max_examples_to_draw self._max_boxes_to_draw = max_boxes_to_draw self._min_score_thresh = min_score_thresh self._use_normalized_coordinates = use_normalized_coordinates self._summary_name_prefix = summary_name_prefix self._keypoint_edges = keypoint_edges self._images = [] def clear(self): self._images = [] def add_images(self, images): """Store a list of images, each with shape [1, H, W, C].""" if len(self._images) >= self._max_examples_to_draw: return # Store images and clip list if necessary. self._images.extend(images) if len(self._images) > self._max_examples_to_draw: self._images[self._max_examples_to_draw:] = [] def get_estimator_eval_metric_ops(self, eval_dict): """Returns metric ops for use in tf.estimator.EstimatorSpec. Args: eval_dict: A dictionary that holds an image, groundtruth, and detections for a batched example. Note that, we use only the first example for visualization. See eval_util.result_dict_for_batched_example() for a convenient method for constructing such a dictionary. The dictionary contains fields.InputDataFields.original_image: [batch_size, H, W, 3] image. fields.InputDataFields.original_image_spatial_shape: [batch_size, 2] tensor containing the size of the original image. fields.InputDataFields.true_image_shape: [batch_size, 3] tensor containing the spatial size of the upadded original image. fields.InputDataFields.groundtruth_boxes - [batch_size, num_boxes, 4] float32 tensor with groundtruth boxes in range [0.0, 1.0]. fields.InputDataFields.groundtruth_classes - [batch_size, num_boxes] int64 tensor with 1-indexed groundtruth classes. fields.InputDataFields.groundtruth_instance_masks - (optional) [batch_size, num_boxes, H, W] int64 tensor with instance masks. fields.InputDataFields.groundtruth_keypoints - (optional) [batch_size, num_boxes, num_keypoints, 2] float32 tensor with keypoint coordinates in format [y, x]. fields.InputDataFields.groundtruth_keypoint_visibilities - (optional) [batch_size, num_boxes, num_keypoints] bool tensor with keypoint visibilities. fields.DetectionResultFields.detection_boxes - [batch_size, max_num_boxes, 4] float32 tensor with detection boxes in range [0.0, 1.0]. fields.DetectionResultFields.detection_classes - [batch_size, max_num_boxes] int64 tensor with 1-indexed detection classes. fields.DetectionResultFields.detection_scores - [batch_size, max_num_boxes] float32 tensor with detection scores. fields.DetectionResultFields.detection_masks - (optional) [batch_size, max_num_boxes, H, W] float32 tensor of binarized masks. fields.DetectionResultFields.detection_keypoints - (optional) [batch_size, max_num_boxes, num_keypoints, 2] float32 tensor with keypoints. fields.DetectionResultFields.detection_keypoint_scores - (optional) [batch_size, max_num_boxes, num_keypoints] float32 tensor with keypoints scores. Returns: A dictionary of image summary names to tuple of (value_op, update_op). The `update_op` is the same for all items in the dictionary, and is responsible for saving a single side-by-side image with detections and groundtruth. Each `value_op` holds the tf.summary.image string for a given image. """ if self._max_examples_to_draw == 0: return {} images = self.images_from_evaluation_dict(eval_dict) def get_images(): """Returns a list of images, padded to self._max_images_to_draw.""" images = self._images while len(images) < self._max_examples_to_draw: images.append(np.array(0, dtype=np.uint8)) self.clear() return images def image_summary_or_default_string(summary_name, image): """Returns image summaries for non-padded elements.""" return tf.cond( tf.equal(tf.size(tf.shape(image)), 4), lambda: tf.summary.image(summary_name, image), lambda: tf.constant('')) if tf.executing_eagerly(): update_op = self.add_images([[images[0]]]) image_tensors = get_images() else: update_op = tf.py_func(self.add_images, [[images[0]]], []) image_tensors = tf.py_func( get_images, [], [tf.uint8] * self._max_examples_to_draw) eval_metric_ops = {} for i, image in enumerate(image_tensors): summary_name = self._summary_name_prefix + '/' + str(i) value_op = image_summary_or_default_string(summary_name, image) eval_metric_ops[summary_name] = (value_op, update_op) return eval_metric_ops @abc.abstractmethod def images_from_evaluation_dict(self, eval_dict): """Converts evaluation dictionary into a list of image tensors. To be overridden by implementations. Args: eval_dict: A dictionary with all the necessary information for producing visualizations. Returns: A list of [1, H, W, C] uint8 tensors. """ raise NotImplementedError class VisualizeSingleFrameDetections(EvalMetricOpsVisualization): """Class responsible for single-frame object detection visualizations.""" def __init__(self, category_index, max_examples_to_draw=5, max_boxes_to_draw=20, min_score_thresh=0.2, use_normalized_coordinates=True, summary_name_prefix='Detections_Left_Groundtruth_Right', keypoint_edges=None): super(VisualizeSingleFrameDetections, self).__init__( category_index=category_index, max_examples_to_draw=max_examples_to_draw, max_boxes_to_draw=max_boxes_to_draw, min_score_thresh=min_score_thresh, use_normalized_coordinates=use_normalized_coordinates, summary_name_prefix=summary_name_prefix, keypoint_edges=keypoint_edges) def images_from_evaluation_dict(self, eval_dict): return draw_side_by_side_evaluation_image(eval_dict, self._category_index, self._max_boxes_to_draw, self._min_score_thresh, self._use_normalized_coordinates, self._keypoint_edges)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/visualization_utils.py
visualization_utils.py
"""Functions for reading and updating configuration files.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import os import tensorflow.compat.v1 as tf from google.protobuf import text_format from tensorflow.python.lib.io import file_io from object_detection.protos import eval_pb2 from object_detection.protos import graph_rewriter_pb2 from object_detection.protos import input_reader_pb2 from object_detection.protos import model_pb2 from object_detection.protos import pipeline_pb2 from object_detection.protos import train_pb2 def get_image_resizer_config(model_config): """Returns the image resizer config from a model config. Args: model_config: A model_pb2.DetectionModel. Returns: An image_resizer_pb2.ImageResizer. Raises: ValueError: If the model type is not recognized. """ meta_architecture = model_config.WhichOneof("model") meta_architecture_config = getattr(model_config, meta_architecture) if hasattr(meta_architecture_config, "image_resizer"): return getattr(meta_architecture_config, "image_resizer") else: raise ValueError("{} has no image_reszier_config".format( meta_architecture)) def get_spatial_image_size(image_resizer_config): """Returns expected spatial size of the output image from a given config. Args: image_resizer_config: An image_resizer_pb2.ImageResizer. Returns: A list of two integers of the form [height, width]. `height` and `width` are set -1 if they cannot be determined during graph construction. Raises: ValueError: If the model type is not recognized. """ if image_resizer_config.HasField("fixed_shape_resizer"): return [ image_resizer_config.fixed_shape_resizer.height, image_resizer_config.fixed_shape_resizer.width ] if image_resizer_config.HasField("keep_aspect_ratio_resizer"): if image_resizer_config.keep_aspect_ratio_resizer.pad_to_max_dimension: return [image_resizer_config.keep_aspect_ratio_resizer.max_dimension] * 2 else: return [-1, -1] if image_resizer_config.HasField( "identity_resizer") or image_resizer_config.HasField( "conditional_shape_resizer"): return [-1, -1] raise ValueError("Unknown image resizer type.") def get_max_num_context_features(model_config): """Returns maximum number of context features from a given config. Args: model_config: A model config file. Returns: An integer specifying the max number of context features if the model config contains context_config, None otherwise """ meta_architecture = model_config.WhichOneof("model") meta_architecture_config = getattr(model_config, meta_architecture) if hasattr(meta_architecture_config, "context_config"): return meta_architecture_config.context_config.max_num_context_features def get_context_feature_length(model_config): """Returns context feature length from a given config. Args: model_config: A model config file. Returns: An integer specifying the fixed length of each feature in context_features. """ meta_architecture = model_config.WhichOneof("model") meta_architecture_config = getattr(model_config, meta_architecture) if hasattr(meta_architecture_config, "context_config"): return meta_architecture_config.context_config.context_feature_length def get_configs_from_pipeline_file(pipeline_config_path, config_override=None): """Reads config from a file containing pipeline_pb2.TrainEvalPipelineConfig. Args: pipeline_config_path: Path to pipeline_pb2.TrainEvalPipelineConfig text proto. config_override: A pipeline_pb2.TrainEvalPipelineConfig text proto to override pipeline_config_path. Returns: Dictionary of configuration objects. Keys are `model`, `train_config`, `train_input_config`, `eval_config`, `eval_input_config`. Value are the corresponding config objects. """ pipeline_config = pipeline_pb2.TrainEvalPipelineConfig() with tf.gfile.GFile(pipeline_config_path, "r") as f: proto_str = f.read() text_format.Merge(proto_str, pipeline_config) if config_override: text_format.Merge(config_override, pipeline_config) return create_configs_from_pipeline_proto(pipeline_config) def clear_fine_tune_checkpoint(pipeline_config_path, new_pipeline_config_path): """Clears fine_tune_checkpoint and writes a new pipeline config file.""" configs = get_configs_from_pipeline_file(pipeline_config_path) configs["train_config"].fine_tune_checkpoint = "" configs["train_config"].load_all_detection_checkpoint_vars = False pipeline_proto = create_pipeline_proto_from_configs(configs) with tf.gfile.Open(new_pipeline_config_path, "wb") as f: f.write(text_format.MessageToString(pipeline_proto)) def update_fine_tune_checkpoint_type(train_config): """Set `fine_tune_checkpoint_type` using `from_detection_checkpoint`. `train_config.from_detection_checkpoint` field is deprecated. For backward compatibility, this function sets `train_config.fine_tune_checkpoint_type` based on `train_config.from_detection_checkpoint`. Args: train_config: train_pb2.TrainConfig proto object. """ if not train_config.fine_tune_checkpoint_type: if train_config.from_detection_checkpoint: train_config.fine_tune_checkpoint_type = "detection" else: train_config.fine_tune_checkpoint_type = "classification" def create_configs_from_pipeline_proto(pipeline_config): """Creates a configs dictionary from pipeline_pb2.TrainEvalPipelineConfig. Args: pipeline_config: pipeline_pb2.TrainEvalPipelineConfig proto object. Returns: Dictionary of configuration objects. Keys are `model`, `train_config`, `train_input_config`, `eval_config`, `eval_input_configs`. Value are the corresponding config objects or list of config objects (only for eval_input_configs). """ configs = {} configs["model"] = pipeline_config.model configs["train_config"] = pipeline_config.train_config configs["train_input_config"] = pipeline_config.train_input_reader configs["eval_config"] = pipeline_config.eval_config configs["eval_input_configs"] = pipeline_config.eval_input_reader # Keeps eval_input_config only for backwards compatibility. All clients should # read eval_input_configs instead. if configs["eval_input_configs"]: configs["eval_input_config"] = configs["eval_input_configs"][0] if pipeline_config.HasField("graph_rewriter"): configs["graph_rewriter_config"] = pipeline_config.graph_rewriter return configs def get_graph_rewriter_config_from_file(graph_rewriter_config_file): """Parses config for graph rewriter. Args: graph_rewriter_config_file: file path to the graph rewriter config. Returns: graph_rewriter_pb2.GraphRewriter proto """ graph_rewriter_config = graph_rewriter_pb2.GraphRewriter() with tf.gfile.GFile(graph_rewriter_config_file, "r") as f: text_format.Merge(f.read(), graph_rewriter_config) return graph_rewriter_config def create_pipeline_proto_from_configs(configs): """Creates a pipeline_pb2.TrainEvalPipelineConfig from configs dictionary. This function performs the inverse operation of create_configs_from_pipeline_proto(). Args: configs: Dictionary of configs. See get_configs_from_pipeline_file(). Returns: A fully populated pipeline_pb2.TrainEvalPipelineConfig. """ pipeline_config = pipeline_pb2.TrainEvalPipelineConfig() pipeline_config.model.CopyFrom(configs["model"]) pipeline_config.train_config.CopyFrom(configs["train_config"]) pipeline_config.train_input_reader.CopyFrom(configs["train_input_config"]) pipeline_config.eval_config.CopyFrom(configs["eval_config"]) pipeline_config.eval_input_reader.extend(configs["eval_input_configs"]) if "graph_rewriter_config" in configs: pipeline_config.graph_rewriter.CopyFrom(configs["graph_rewriter_config"]) return pipeline_config def save_pipeline_config(pipeline_config, directory): """Saves a pipeline config text file to disk. Args: pipeline_config: A pipeline_pb2.TrainEvalPipelineConfig. directory: The model directory into which the pipeline config file will be saved. """ if not file_io.file_exists(directory): file_io.recursive_create_dir(directory) pipeline_config_path = os.path.join(directory, "pipeline.config") config_text = text_format.MessageToString(pipeline_config) with tf.gfile.Open(pipeline_config_path, "wb") as f: tf.logging.info("Writing pipeline config file to %s", pipeline_config_path) f.write(config_text) def get_configs_from_multiple_files(model_config_path="", train_config_path="", train_input_config_path="", eval_config_path="", eval_input_config_path="", graph_rewriter_config_path=""): """Reads training configuration from multiple config files. Args: model_config_path: Path to model_pb2.DetectionModel. train_config_path: Path to train_pb2.TrainConfig. train_input_config_path: Path to input_reader_pb2.InputReader. eval_config_path: Path to eval_pb2.EvalConfig. eval_input_config_path: Path to input_reader_pb2.InputReader. graph_rewriter_config_path: Path to graph_rewriter_pb2.GraphRewriter. Returns: Dictionary of configuration objects. Keys are `model`, `train_config`, `train_input_config`, `eval_config`, `eval_input_config`. Key/Values are returned only for valid (non-empty) strings. """ configs = {} if model_config_path: model_config = model_pb2.DetectionModel() with tf.gfile.GFile(model_config_path, "r") as f: text_format.Merge(f.read(), model_config) configs["model"] = model_config if train_config_path: train_config = train_pb2.TrainConfig() with tf.gfile.GFile(train_config_path, "r") as f: text_format.Merge(f.read(), train_config) configs["train_config"] = train_config if train_input_config_path: train_input_config = input_reader_pb2.InputReader() with tf.gfile.GFile(train_input_config_path, "r") as f: text_format.Merge(f.read(), train_input_config) configs["train_input_config"] = train_input_config if eval_config_path: eval_config = eval_pb2.EvalConfig() with tf.gfile.GFile(eval_config_path, "r") as f: text_format.Merge(f.read(), eval_config) configs["eval_config"] = eval_config if eval_input_config_path: eval_input_config = input_reader_pb2.InputReader() with tf.gfile.GFile(eval_input_config_path, "r") as f: text_format.Merge(f.read(), eval_input_config) configs["eval_input_configs"] = [eval_input_config] if graph_rewriter_config_path: configs["graph_rewriter_config"] = get_graph_rewriter_config_from_file( graph_rewriter_config_path) return configs def get_number_of_classes(model_config): """Returns the number of classes for a detection model. Args: model_config: A model_pb2.DetectionModel. Returns: Number of classes. Raises: ValueError: If the model type is not recognized. """ meta_architecture = model_config.WhichOneof("model") meta_architecture_config = getattr(model_config, meta_architecture) if hasattr(meta_architecture_config, "num_classes"): return meta_architecture_config.num_classes else: raise ValueError("{} does not have num_classes.".format(meta_architecture)) def get_optimizer_type(train_config): """Returns the optimizer type for training. Args: train_config: A train_pb2.TrainConfig. Returns: The type of the optimizer """ return train_config.optimizer.WhichOneof("optimizer") def get_learning_rate_type(optimizer_config): """Returns the learning rate type for training. Args: optimizer_config: An optimizer_pb2.Optimizer. Returns: The type of the learning rate. """ return optimizer_config.learning_rate.WhichOneof("learning_rate") def _is_generic_key(key): """Determines whether the key starts with a generic config dictionary key.""" for prefix in [ "graph_rewriter_config", "model", "train_input_config", "train_config", "eval_config"]: if key.startswith(prefix + "."): return True return False def _check_and_convert_legacy_input_config_key(key): """Checks key and converts legacy input config update to specific update. Args: key: string indicates the target of update operation. Returns: is_valid_input_config_key: A boolean indicating whether the input key is to update input config(s). key_name: 'eval_input_configs' or 'train_input_config' string if is_valid_input_config_key is true. None if is_valid_input_config_key is false. input_name: always returns None since legacy input config key never specifies the target input config. Keeping this output only to match the output form defined for input config update. field_name: the field name in input config. `key` itself if is_valid_input_config_key is false. """ key_name = None input_name = None field_name = key is_valid_input_config_key = True if field_name == "train_shuffle": key_name = "train_input_config" field_name = "shuffle" elif field_name == "eval_shuffle": key_name = "eval_input_configs" field_name = "shuffle" elif field_name == "train_input_path": key_name = "train_input_config" field_name = "input_path" elif field_name == "eval_input_path": key_name = "eval_input_configs" field_name = "input_path" elif field_name == "append_train_input_path": key_name = "train_input_config" field_name = "input_path" elif field_name == "append_eval_input_path": key_name = "eval_input_configs" field_name = "input_path" else: is_valid_input_config_key = False return is_valid_input_config_key, key_name, input_name, field_name def check_and_parse_input_config_key(configs, key): """Checks key and returns specific fields if key is valid input config update. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). key: string indicates the target of update operation. Returns: is_valid_input_config_key: A boolean indicate whether the input key is to update input config(s). key_name: 'eval_input_configs' or 'train_input_config' string if is_valid_input_config_key is true. None if is_valid_input_config_key is false. input_name: the name of the input config to be updated. None if is_valid_input_config_key is false. field_name: the field name in input config. `key` itself if is_valid_input_config_key is false. Raises: ValueError: when the input key format doesn't match any known formats. ValueError: if key_name doesn't match 'eval_input_configs' or 'train_input_config'. ValueError: if input_name doesn't match any name in train or eval input configs. ValueError: if field_name doesn't match any supported fields. """ key_name = None input_name = None field_name = None fields = key.split(":") if len(fields) == 1: field_name = key return _check_and_convert_legacy_input_config_key(key) elif len(fields) == 3: key_name = fields[0] input_name = fields[1] field_name = fields[2] else: raise ValueError("Invalid key format when overriding configs.") # Checks if key_name is valid for specific update. if key_name not in ["eval_input_configs", "train_input_config"]: raise ValueError("Invalid key_name when overriding input config.") # Checks if input_name is valid for specific update. For train input config it # should match configs[key_name].name, for eval input configs it should match # the name field of one of the eval_input_configs. if isinstance(configs[key_name], input_reader_pb2.InputReader): is_valid_input_name = configs[key_name].name == input_name else: is_valid_input_name = input_name in [ eval_input_config.name for eval_input_config in configs[key_name] ] if not is_valid_input_name: raise ValueError("Invalid input_name when overriding input config.") # Checks if field_name is valid for specific update. if field_name not in [ "input_path", "label_map_path", "shuffle", "mask_type", "sample_1_of_n_examples" ]: raise ValueError("Invalid field_name when overriding input config.") return True, key_name, input_name, field_name def merge_external_params_with_configs(configs, hparams=None, kwargs_dict=None): """Updates `configs` dictionary based on supplied parameters. This utility is for modifying specific fields in the object detection configs. Say that one would like to experiment with different learning rates, momentum values, or batch sizes. Rather than creating a new config text file for each experiment, one can use a single base config file, and update particular values. There are two types of field overrides: 1. Strategy-based overrides, which update multiple relevant configuration options. For example, updating `learning_rate` will update both the warmup and final learning rates. In this case key can be one of the following formats: 1. legacy update: single string that indicates the attribute to be updated. E.g. 'label_map_path', 'eval_input_path', 'shuffle'. Note that when updating fields (e.g. eval_input_path, eval_shuffle) in eval_input_configs, the override will only be applied when eval_input_configs has exactly 1 element. 2. specific update: colon separated string that indicates which field in which input_config to update. It should have 3 fields: - key_name: Name of the input config we should update, either 'train_input_config' or 'eval_input_configs' - input_name: a 'name' that can be used to identify elements, especially when configs[key_name] is a repeated field. - field_name: name of the field that you want to override. For example, given configs dict as below: configs = { 'model': {...} 'train_config': {...} 'train_input_config': {...} 'eval_config': {...} 'eval_input_configs': [{ name:"eval_coco", ...}, { name:"eval_voc", ... }] } Assume we want to update the input_path of the eval_input_config whose name is 'eval_coco'. The `key` would then be: 'eval_input_configs:eval_coco:input_path' 2. Generic key/value, which update a specific parameter based on namespaced configuration keys. For example, `model.ssd.loss.hard_example_miner.max_negatives_per_positive` will update the hard example miner configuration for an SSD model config. Generic overrides are automatically detected based on the namespaced keys. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). hparams: A `HParams`. kwargs_dict: Extra keyword arguments that are treated the same way as attribute/value pairs in `hparams`. Note that hyperparameters with the same names will override keyword arguments. Returns: `configs` dictionary. Raises: ValueError: when the key string doesn't match any of its allowed formats. """ if kwargs_dict is None: kwargs_dict = {} if hparams: kwargs_dict.update(hparams.values()) for key, value in kwargs_dict.items(): tf.logging.info("Maybe overwriting %s: %s", key, value) # pylint: disable=g-explicit-bool-comparison if value == "" or value is None: continue # pylint: enable=g-explicit-bool-comparison elif _maybe_update_config_with_key_value(configs, key, value): continue elif _is_generic_key(key): _update_generic(configs, key, value) else: tf.logging.info("Ignoring config override key: %s", key) return configs def _maybe_update_config_with_key_value(configs, key, value): """Checks key type and updates `configs` with the key value pair accordingly. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). key: String indicates the field(s) to be updated. value: Value used to override existing field value. Returns: A boolean value that indicates whether the override succeeds. Raises: ValueError: when the key string doesn't match any of the formats above. """ is_valid_input_config_key, key_name, input_name, field_name = ( check_and_parse_input_config_key(configs, key)) if is_valid_input_config_key: update_input_reader_config( configs, key_name=key_name, input_name=input_name, field_name=field_name, value=value) elif field_name == "learning_rate": _update_initial_learning_rate(configs, value) elif field_name == "batch_size": _update_batch_size(configs, value) elif field_name == "momentum_optimizer_value": _update_momentum_optimizer_value(configs, value) elif field_name == "classification_localization_weight_ratio": # Localization weight is fixed to 1.0. _update_classification_localization_weight_ratio(configs, value) elif field_name == "focal_loss_gamma": _update_focal_loss_gamma(configs, value) elif field_name == "focal_loss_alpha": _update_focal_loss_alpha(configs, value) elif field_name == "train_steps": _update_train_steps(configs, value) elif field_name == "label_map_path": _update_label_map_path(configs, value) elif field_name == "mask_type": _update_mask_type(configs, value) elif field_name == "sample_1_of_n_eval_examples": _update_all_eval_input_configs(configs, "sample_1_of_n_examples", value) elif field_name == "eval_num_epochs": _update_all_eval_input_configs(configs, "num_epochs", value) elif field_name == "eval_with_moving_averages": _update_use_moving_averages(configs, value) elif field_name == "retain_original_images_in_eval": _update_retain_original_images(configs["eval_config"], value) elif field_name == "use_bfloat16": _update_use_bfloat16(configs, value) elif field_name == "retain_original_image_additional_channels_in_eval": _update_retain_original_image_additional_channels(configs["eval_config"], value) elif field_name == "num_classes": _update_num_classes(configs["model"], value) elif field_name == "sample_from_datasets_weights": _update_sample_from_datasets_weights(configs["train_input_config"], value) else: return False return True def _update_tf_record_input_path(input_config, input_path): """Updates input configuration to reflect a new input path. The input_config object is updated in place, and hence not returned. Args: input_config: A input_reader_pb2.InputReader. input_path: A path to data or list of paths. Raises: TypeError: if input reader type is not `tf_record_input_reader`. """ input_reader_type = input_config.WhichOneof("input_reader") if input_reader_type == "tf_record_input_reader": input_config.tf_record_input_reader.ClearField("input_path") if isinstance(input_path, list): input_config.tf_record_input_reader.input_path.extend(input_path) else: input_config.tf_record_input_reader.input_path.append(input_path) else: raise TypeError("Input reader type must be `tf_record_input_reader`.") def update_input_reader_config(configs, key_name=None, input_name=None, field_name=None, value=None, path_updater=_update_tf_record_input_path): """Updates specified input reader config field. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). key_name: Name of the input config we should update, either 'train_input_config' or 'eval_input_configs' input_name: String name used to identify input config to update with. Should be either None or value of the 'name' field in one of the input reader configs. field_name: Field name in input_reader_pb2.InputReader. value: Value used to override existing field value. path_updater: helper function used to update the input path. Only used when field_name is "input_path". Raises: ValueError: when input field_name is None. ValueError: when input_name is None and number of eval_input_readers does not equal to 1. """ if isinstance(configs[key_name], input_reader_pb2.InputReader): # Updates singular input_config object. target_input_config = configs[key_name] if field_name == "input_path": path_updater(input_config=target_input_config, input_path=value) else: setattr(target_input_config, field_name, value) elif input_name is None and len(configs[key_name]) == 1: # Updates first (and the only) object of input_config list. target_input_config = configs[key_name][0] if field_name == "input_path": path_updater(input_config=target_input_config, input_path=value) else: setattr(target_input_config, field_name, value) elif input_name is not None and len(configs[key_name]): # Updates input_config whose name matches input_name. update_count = 0 for input_config in configs[key_name]: if input_config.name == input_name: setattr(input_config, field_name, value) update_count = update_count + 1 if not update_count: raise ValueError( "Input name {} not found when overriding.".format(input_name)) elif update_count > 1: raise ValueError("Duplicate input name found when overriding.") else: key_name = "None" if key_name is None else key_name input_name = "None" if input_name is None else input_name field_name = "None" if field_name is None else field_name raise ValueError("Unknown input config overriding: " "key_name:{}, input_name:{}, field_name:{}.".format( key_name, input_name, field_name)) def _update_initial_learning_rate(configs, learning_rate): """Updates `configs` to reflect the new initial learning rate. This function updates the initial learning rate. For learning rate schedules, all other defined learning rates in the pipeline config are scaled to maintain their same ratio with the initial learning rate. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). learning_rate: Initial learning rate for optimizer. Raises: TypeError: if optimizer type is not supported, or if learning rate type is not supported. """ optimizer_type = get_optimizer_type(configs["train_config"]) if optimizer_type == "rms_prop_optimizer": optimizer_config = configs["train_config"].optimizer.rms_prop_optimizer elif optimizer_type == "momentum_optimizer": optimizer_config = configs["train_config"].optimizer.momentum_optimizer elif optimizer_type == "adam_optimizer": optimizer_config = configs["train_config"].optimizer.adam_optimizer else: raise TypeError("Optimizer %s is not supported." % optimizer_type) learning_rate_type = get_learning_rate_type(optimizer_config) if learning_rate_type == "constant_learning_rate": constant_lr = optimizer_config.learning_rate.constant_learning_rate constant_lr.learning_rate = learning_rate elif learning_rate_type == "exponential_decay_learning_rate": exponential_lr = ( optimizer_config.learning_rate.exponential_decay_learning_rate) exponential_lr.initial_learning_rate = learning_rate elif learning_rate_type == "manual_step_learning_rate": manual_lr = optimizer_config.learning_rate.manual_step_learning_rate original_learning_rate = manual_lr.initial_learning_rate learning_rate_scaling = float(learning_rate) / original_learning_rate manual_lr.initial_learning_rate = learning_rate for schedule in manual_lr.schedule: schedule.learning_rate *= learning_rate_scaling elif learning_rate_type == "cosine_decay_learning_rate": cosine_lr = optimizer_config.learning_rate.cosine_decay_learning_rate learning_rate_base = cosine_lr.learning_rate_base warmup_learning_rate = cosine_lr.warmup_learning_rate warmup_scale_factor = warmup_learning_rate / learning_rate_base cosine_lr.learning_rate_base = learning_rate cosine_lr.warmup_learning_rate = warmup_scale_factor * learning_rate else: raise TypeError("Learning rate %s is not supported." % learning_rate_type) def _update_batch_size(configs, batch_size): """Updates `configs` to reflect the new training batch size. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). batch_size: Batch size to use for training (Ideally a power of 2). Inputs are rounded, and capped to be 1 or greater. """ configs["train_config"].batch_size = max(1, int(round(batch_size))) def _validate_message_has_field(message, field): if not message.HasField(field): raise ValueError("Expecting message to have field %s" % field) def _update_generic(configs, key, value): """Update a pipeline configuration parameter based on a generic key/value. Args: configs: Dictionary of pipeline configuration protos. key: A string key, dot-delimited to represent the argument key. e.g. "model.ssd.train_config.batch_size" value: A value to set the argument to. The type of the value must match the type for the protocol buffer. Note that setting the wrong type will result in a TypeError. e.g. 42 Raises: ValueError if the message key does not match the existing proto fields. TypeError the value type doesn't match the protobuf field type. """ fields = key.split(".") first_field = fields.pop(0) last_field = fields.pop() message = configs[first_field] for field in fields: _validate_message_has_field(message, field) message = getattr(message, field) _validate_message_has_field(message, last_field) setattr(message, last_field, value) def _update_momentum_optimizer_value(configs, momentum): """Updates `configs` to reflect the new momentum value. Momentum is only supported for RMSPropOptimizer and MomentumOptimizer. For any other optimizer, no changes take place. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). momentum: New momentum value. Values are clipped at 0.0 and 1.0. Raises: TypeError: If the optimizer type is not `rms_prop_optimizer` or `momentum_optimizer`. """ optimizer_type = get_optimizer_type(configs["train_config"]) if optimizer_type == "rms_prop_optimizer": optimizer_config = configs["train_config"].optimizer.rms_prop_optimizer elif optimizer_type == "momentum_optimizer": optimizer_config = configs["train_config"].optimizer.momentum_optimizer else: raise TypeError("Optimizer type must be one of `rms_prop_optimizer` or " "`momentum_optimizer`.") optimizer_config.momentum_optimizer_value = min(max(0.0, momentum), 1.0) def _update_classification_localization_weight_ratio(configs, ratio): """Updates the classification/localization weight loss ratio. Detection models usually define a loss weight for both classification and objectness. This function updates the weights such that the ratio between classification weight to localization weight is the ratio provided. Arbitrarily, localization weight is set to 1.0. Note that in the case of Faster R-CNN, this same ratio is applied to the first stage objectness loss weight relative to localization loss weight. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). ratio: Desired ratio of classification (and/or objectness) loss weight to localization loss weight. """ meta_architecture = configs["model"].WhichOneof("model") if meta_architecture == "faster_rcnn": model = configs["model"].faster_rcnn model.first_stage_localization_loss_weight = 1.0 model.first_stage_objectness_loss_weight = ratio model.second_stage_localization_loss_weight = 1.0 model.second_stage_classification_loss_weight = ratio if meta_architecture == "ssd": model = configs["model"].ssd model.loss.localization_weight = 1.0 model.loss.classification_weight = ratio def _get_classification_loss(model_config): """Returns the classification loss for a model.""" meta_architecture = model_config.WhichOneof("model") if meta_architecture == "faster_rcnn": model = model_config.faster_rcnn classification_loss = model.second_stage_classification_loss elif meta_architecture == "ssd": model = model_config.ssd classification_loss = model.loss.classification_loss else: raise TypeError("Did not recognize the model architecture.") return classification_loss def _update_focal_loss_gamma(configs, gamma): """Updates the gamma value for a sigmoid focal loss. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). gamma: Exponent term in focal loss. Raises: TypeError: If the classification loss is not `weighted_sigmoid_focal`. """ classification_loss = _get_classification_loss(configs["model"]) classification_loss_type = classification_loss.WhichOneof( "classification_loss") if classification_loss_type != "weighted_sigmoid_focal": raise TypeError("Classification loss must be `weighted_sigmoid_focal`.") classification_loss.weighted_sigmoid_focal.gamma = gamma def _update_focal_loss_alpha(configs, alpha): """Updates the alpha value for a sigmoid focal loss. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). alpha: Class weight multiplier for sigmoid loss. Raises: TypeError: If the classification loss is not `weighted_sigmoid_focal`. """ classification_loss = _get_classification_loss(configs["model"]) classification_loss_type = classification_loss.WhichOneof( "classification_loss") if classification_loss_type != "weighted_sigmoid_focal": raise TypeError("Classification loss must be `weighted_sigmoid_focal`.") classification_loss.weighted_sigmoid_focal.alpha = alpha def _update_train_steps(configs, train_steps): """Updates `configs` to reflect new number of training steps.""" configs["train_config"].num_steps = int(train_steps) def _update_all_eval_input_configs(configs, field, value): """Updates the content of `field` with `value` for all eval input configs.""" for eval_input_config in configs["eval_input_configs"]: setattr(eval_input_config, field, value) def _update_label_map_path(configs, label_map_path): """Updates the label map path for both train and eval input readers. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). label_map_path: New path to `StringIntLabelMap` pbtxt file. """ configs["train_input_config"].label_map_path = label_map_path _update_all_eval_input_configs(configs, "label_map_path", label_map_path) def _update_mask_type(configs, mask_type): """Updates the mask type for both train and eval input readers. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). mask_type: A string name representing a value of input_reader_pb2.InstanceMaskType """ configs["train_input_config"].mask_type = mask_type _update_all_eval_input_configs(configs, "mask_type", mask_type) def _update_use_moving_averages(configs, use_moving_averages): """Updates the eval config option to use or not use moving averages. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). use_moving_averages: Boolean indicating whether moving average variables should be loaded during evaluation. """ configs["eval_config"].use_moving_averages = use_moving_averages def _update_retain_original_images(eval_config, retain_original_images): """Updates eval config with option to retain original images. The eval_config object is updated in place, and hence not returned. Args: eval_config: A eval_pb2.EvalConfig. retain_original_images: Boolean indicating whether to retain original images in eval mode. """ eval_config.retain_original_images = retain_original_images def _update_use_bfloat16(configs, use_bfloat16): """Updates `configs` to reflect the new setup on whether to use bfloat16. The configs dictionary is updated in place, and hence not returned. Args: configs: Dictionary of configuration objects. See outputs from get_configs_from_pipeline_file() or get_configs_from_multiple_files(). use_bfloat16: A bool, indicating whether to use bfloat16 for training. """ configs["train_config"].use_bfloat16 = use_bfloat16 def _update_retain_original_image_additional_channels( eval_config, retain_original_image_additional_channels): """Updates eval config to retain original image additional channels or not. The eval_config object is updated in place, and hence not returned. Args: eval_config: A eval_pb2.EvalConfig. retain_original_image_additional_channels: Boolean indicating whether to retain original image additional channels in eval mode. """ eval_config.retain_original_image_additional_channels = ( retain_original_image_additional_channels) def remove_unecessary_ema(variables_to_restore, no_ema_collection=None): """Remap and Remove EMA variable that are not created during training. ExponentialMovingAverage.variables_to_restore() returns a map of EMA names to tf variables to restore. E.g.: { conv/batchnorm/gamma/ExponentialMovingAverage: conv/batchnorm/gamma, conv_4/conv2d_params/ExponentialMovingAverage: conv_4/conv2d_params, global_step: global_step } This function takes care of the extra ExponentialMovingAverage variables that get created during eval but aren't available in the checkpoint, by remapping the key to the shallow copy of the variable itself, and remove the entry of its EMA from the variables to restore. An example resulting dictionary would look like: { conv/batchnorm/gamma: conv/batchnorm/gamma, conv_4/conv2d_params: conv_4/conv2d_params, global_step: global_step } Args: variables_to_restore: A dictionary created by ExponentialMovingAverage. variables_to_restore(). no_ema_collection: A list of namescope substrings to match the variables to eliminate EMA. Returns: A variables_to_restore dictionary excluding the collection of unwanted EMA mapping. """ if no_ema_collection is None: return variables_to_restore for key in variables_to_restore: if "ExponentialMovingAverage" in key: for name in no_ema_collection: if name in key: variables_to_restore[key.replace("/ExponentialMovingAverage", "")] = variables_to_restore[key] del variables_to_restore[key] return variables_to_restore def _update_num_classes(model_config, num_classes): meta_architecture = model_config.WhichOneof("model") if meta_architecture == "faster_rcnn": model_config.faster_rcnn.num_classes = num_classes if meta_architecture == "ssd": model_config.ssd.num_classes = num_classes def _update_sample_from_datasets_weights(input_reader_config, weights): """Updated sample_from_datasets_weights with overrides.""" if len(weights) != len(input_reader_config.sample_from_datasets_weights): raise ValueError( "sample_from_datasets_weights override has a different number of values" " ({}) than the configured dataset weights ({})." .format( len(input_reader_config.sample_from_datasets_weights), len(weights))) del input_reader_config.sample_from_datasets_weights[:] input_reader_config.sample_from_datasets_weights.extend(weights)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/config_util.py
config_util.py
"""Utils for colab tutorials located in object_detection/colab_tutorials/...""" import base64 import io import json from typing import Dict from typing import List from typing import Union import uuid from IPython.display import display from IPython.display import Javascript import numpy as np from PIL import Image from google.colab import output from google.colab.output import eval_js def image_from_numpy(image): """Open an image at the specified path and encode it in Base64. Args: image: np.ndarray Image represented as a numpy array Returns: An encoded Base64 representation of the image """ with io.BytesIO() as img_output: Image.fromarray(image).save(img_output, format='JPEG') data = img_output.getvalue() data = str(base64.b64encode(data))[2:-1] return data def draw_bbox(image_urls, callbackId): # pylint: disable=invalid-name """Open the bounding box UI and send the results to a callback function. Args: image_urls: list[str | np.ndarray] List of locations from where to load the images from. If a np.ndarray is given, the array is interpretted as an image and sent to the frontend. If a str is given, the string is interpreted as a path and is read as a np.ndarray before being sent to the frontend. callbackId: str The ID for the callback function to send the bounding box results to when the user hits submit. """ js = Javascript(''' async function load_image(imgs, callbackId) { //init organizational elements const div = document.createElement('div'); var image_cont = document.createElement('div'); var errorlog = document.createElement('div'); var crosshair_h = document.createElement('div'); crosshair_h.style.position = "absolute"; crosshair_h.style.backgroundColor = "transparent"; crosshair_h.style.width = "100%"; crosshair_h.style.height = "0px"; crosshair_h.style.zIndex = 9998; crosshair_h.style.borderStyle = "dotted"; crosshair_h.style.borderWidth = "2px"; crosshair_h.style.borderColor = "rgba(255, 0, 0, 0.75)"; crosshair_h.style.cursor = "crosshair"; var crosshair_v = document.createElement('div'); crosshair_v.style.position = "absolute"; crosshair_v.style.backgroundColor = "transparent"; crosshair_v.style.width = "0px"; crosshair_v.style.height = "100%"; crosshair_v.style.zIndex = 9999; crosshair_v.style.top = "0px"; crosshair_v.style.borderStyle = "dotted"; crosshair_v.style.borderWidth = "2px"; crosshair_v.style.borderColor = "rgba(255, 0, 0, 0.75)"; crosshair_v.style.cursor = "crosshair"; crosshair_v.style.marginTop = "23px"; var brdiv = document.createElement('br'); //init control elements var next = document.createElement('button'); var prev = document.createElement('button'); var submit = document.createElement('button'); var deleteButton = document.createElement('button'); var deleteAllbutton = document.createElement('button'); //init image containers var image = new Image(); var canvas_img = document.createElement('canvas'); var ctx = canvas_img.getContext("2d"); canvas_img.style.cursor = "crosshair"; canvas_img.setAttribute('draggable', false); crosshair_v.setAttribute('draggable', false); crosshair_h.setAttribute('draggable', false); // bounding box containers const height = 600 var allBoundingBoxes = []; var curr_image = 0 var im_height = 0; var im_width = 0; //initialize bounding boxes for (var i = 0; i < imgs.length; i++) { allBoundingBoxes[i] = []; } //initialize image view errorlog.id = 'errorlog'; image.style.display = 'block'; image.setAttribute('draggable', false); //load the first image img = imgs[curr_image]; image.src = "data:image/png;base64," + img; image.onload = function() { // normalize display height and canvas image.height = height; image_cont.height = canvas_img.height = image.height; image_cont.width = canvas_img.width = image.naturalWidth; crosshair_v.style.height = image_cont.height + "px"; crosshair_h.style.width = image_cont.width + "px"; // draw the new image ctx.drawImage(image, 0, 0, image.naturalWidth, image.naturalHeight, 0, 0, canvas_img.width, canvas_img.height); }; // move to next image in array next.textContent = "next image"; next.onclick = function(){ if (curr_image < imgs.length - 1){ // clear canvas and load new image curr_image += 1; errorlog.innerHTML = ""; } else{ errorlog.innerHTML = "All images completed!!"; } resetcanvas(); } //move forward through list of images prev.textContent = "prev image" prev.onclick = function(){ if (curr_image > 0){ // clear canvas and load new image curr_image -= 1; errorlog.innerHTML = ""; } else{ errorlog.innerHTML = "at the beginning"; } resetcanvas(); } // on delete, deletes the last bounding box deleteButton.textContent = "undo bbox"; deleteButton.onclick = function(){ boundingBoxes.pop(); ctx.clearRect(0, 0, canvas_img.width, canvas_img.height); image.src = "data:image/png;base64," + img; image.onload = function() { ctx.drawImage(image, 0, 0, image.naturalWidth, image.naturalHeight, 0, 0, canvas_img.width, canvas_img.height); boundingBoxes.map(r => {drawRect(r)}); }; } // on all delete, deletes all of the bounding box deleteAllbutton.textContent = "delete all" deleteAllbutton.onclick = function(){ boundingBoxes = []; ctx.clearRect(0, 0, canvas_img.width, canvas_img.height); image.src = "data:image/png;base64," + img; image.onload = function() { ctx.drawImage(image, 0, 0, image.naturalWidth, image.naturalHeight, 0, 0, canvas_img.width, canvas_img.height); //boundingBoxes.map(r => {drawRect(r)}); }; } // on submit, send the boxes to display submit.textContent = "submit"; submit.onclick = function(){ errorlog.innerHTML = ""; // send box data to callback fucntion google.colab.kernel.invokeFunction(callbackId, [allBoundingBoxes], {}); } // init template for annotations const annotation = { x: 0, y: 0, w: 0, h: 0, }; // the array of all rectangles let boundingBoxes = allBoundingBoxes[curr_image]; // the actual rectangle, the one that is being drawn let o = {}; // a variable to store the mouse position let m = {}, // a variable to store the point where you begin to draw the // rectangle start = {}; // a boolean variable to store the drawing state let isDrawing = false; var elem = null; function handleMouseDown(e) { // on mouse click set change the cursor and start tracking the mouse position start = oMousePos(canvas_img, e); // configure is drawing to true isDrawing = true; } function handleMouseMove(e) { // move crosshairs, but only within the bounds of the canvas if (document.elementsFromPoint(e.pageX, e.pageY).includes(canvas_img)) { crosshair_h.style.top = e.pageY + "px"; crosshair_v.style.left = e.pageX + "px"; } // move the bounding box if(isDrawing){ m = oMousePos(canvas_img, e); draw(); } } function handleMouseUp(e) { if (isDrawing) { // on mouse release, push a bounding box to array and draw all boxes isDrawing = false; const box = Object.create(annotation); // calculate the position of the rectangle if (o.w > 0){ box.x = o.x; } else{ box.x = o.x + o.w; } if (o.h > 0){ box.y = o.y; } else{ box.y = o.y + o.h; } box.w = Math.abs(o.w); box.h = Math.abs(o.h); // add the bounding box to the image boundingBoxes.push(box); draw(); } } function draw() { o.x = (start.x)/image.width; // start position of x o.y = (start.y)/image.height; // start position of y o.w = (m.x - start.x)/image.width; // width o.h = (m.y - start.y)/image.height; // height ctx.clearRect(0, 0, canvas_img.width, canvas_img.height); ctx.drawImage(image, 0, 0, image.naturalWidth, image.naturalHeight, 0, 0, canvas_img.width, canvas_img.height); // draw all the rectangles saved in the rectsRy boundingBoxes.map(r => {drawRect(r)}); // draw the actual rectangle drawRect(o); } // add the handlers needed for dragging crosshair_h.addEventListener("mousedown", handleMouseDown); crosshair_v.addEventListener("mousedown", handleMouseDown); document.addEventListener("mousemove", handleMouseMove); document.addEventListener("mouseup", handleMouseUp); function resetcanvas(){ // clear canvas ctx.clearRect(0, 0, canvas_img.width, canvas_img.height); img = imgs[curr_image] image.src = "data:image/png;base64," + img; // onload init new canvas and display image image.onload = function() { // normalize display height and canvas image.height = height; image_cont.height = canvas_img.height = image.height; image_cont.width = canvas_img.width = image.naturalWidth; crosshair_v.style.height = image_cont.height + "px"; crosshair_h.style.width = image_cont.width + "px"; // draw the new image ctx.drawImage(image, 0, 0, image.naturalWidth, image.naturalHeight, 0, 0, canvas_img.width, canvas_img.height); // draw bounding boxes boundingBoxes = allBoundingBoxes[curr_image]; boundingBoxes.map(r => {drawRect(r)}); }; } function drawRect(o){ // draw a predefined rectangle ctx.strokeStyle = "red"; ctx.lineWidth = 2; ctx.beginPath(o); ctx.rect(o.x * image.width, o.y * image.height, o.w * image.width, o.h * image.height); ctx.stroke(); } // Function to detect the mouse position function oMousePos(canvas_img, evt) { let ClientRect = canvas_img.getBoundingClientRect(); return { x: evt.clientX - ClientRect.left, y: evt.clientY - ClientRect.top }; } //configure colab output display google.colab.output.setIframeHeight(document.documentElement.scrollHeight, true); //build the html document that will be seen in output div.appendChild(document.createElement('br')) div.appendChild(image_cont) image_cont.appendChild(canvas_img) image_cont.appendChild(crosshair_h) image_cont.appendChild(crosshair_v) div.appendChild(document.createElement('br')) div.appendChild(errorlog) div.appendChild(prev) div.appendChild(next) div.appendChild(deleteButton) div.appendChild(deleteAllbutton) div.appendChild(document.createElement('br')) div.appendChild(brdiv) div.appendChild(submit) document.querySelector("#output-area").appendChild(div); return }''') # load the images as a byte array bytearrays = [] for image in image_urls: if isinstance(image, np.ndarray): bytearrays.append(image_from_numpy(image)) else: raise TypeError('Image has unsupported type {}.'.format(type(image))) # format arrays for input image_data = json.dumps(bytearrays) del bytearrays # call java script function pass string byte array(image_data) as input display(js) eval_js('load_image({}, \'{}\')'.format(image_data, callbackId)) return def annotate(imgs: List[Union[str, np.ndarray]], # pylint: disable=invalid-name box_storage_pointer: List[np.ndarray], callbackId: str = None): """Open the bounding box UI and prompt the user for input. Args: imgs: list[str | np.ndarray] List of locations from where to load the images from. If a np.ndarray is given, the array is interpretted as an image and sent to the frontend. If a str is given, the string is interpreted as a path and is read as a np.ndarray before being sent to the frontend. box_storage_pointer: list[np.ndarray] Destination list for bounding box arrays. Each array in this list corresponds to one of the images given in imgs. The array is a N x 4 array where N is the number of bounding boxes given by the user for that particular image. If there are no bounding boxes for an image, None is used instead of an empty array. callbackId: str, optional The ID for the callback function that communicates between the fontend and the backend. If no ID is given, a random UUID string is used instead. """ # Set a random ID for the callback function if callbackId is None: callbackId = str(uuid.uuid1()).replace('-', '') def dictToList(input_bbox): # pylint: disable=invalid-name """Convert bbox. This function converts the dictionary from the frontend (if the format {x, y, w, h} as shown in callbackFunction) into a list ([y_min, x_min, y_max, x_max]) Args: input_bbox: Returns: A list with bbox coordinates in the form [ymin, xmin, ymax, xmax]. """ return (input_bbox['y'], input_bbox['x'], input_bbox['y'] + input_bbox['h'], input_bbox['x'] + input_bbox['w']) def callbackFunction(annotations: List[List[Dict[str, float]]]): # pylint: disable=invalid-name """Callback function. This is the call back function to capture the data from the frontend and convert the data into a numpy array. Args: annotations: list[list[dict[str, float]]] The input of the call back function is a list of list of objects corresponding to the annotations. The format of annotations is shown below [ // stuff for image 1 [ // stuff for rect 1 {x, y, w, h}, // stuff for rect 2 {x, y, w, h}, ... ], // stuff for image 2 [ // stuff for rect 1 {x, y, w, h}, // stuff for rect 2 {x, y, w, h}, ... ], ... ] """ # reset the boxes list nonlocal box_storage_pointer boxes: List[np.ndarray] = box_storage_pointer boxes.clear() # load the new annotations into the boxes list for annotations_per_img in annotations: rectangles_as_arrays = [np.clip(dictToList(annotation), 0, 1) for annotation in annotations_per_img] if rectangles_as_arrays: boxes.append(np.stack(rectangles_as_arrays)) else: boxes.append(None) # output the annotations to the errorlog with output.redirect_to_element('#errorlog'): display('--boxes array populated--') output.register_callback(callbackId, callbackFunction) draw_bbox(imgs, callbackId)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/colab_utils.py
colab_utils.py
"""Label map utility functions.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import collections import logging import numpy as np from six import string_types from six.moves import range import tensorflow.compat.v1 as tf from google.protobuf import text_format from object_detection.protos import string_int_label_map_pb2 _LABEL_OFFSET = 1 def _validate_label_map(label_map): """Checks if a label map is valid. Args: label_map: StringIntLabelMap to validate. Raises: ValueError: if label map is invalid. """ for item in label_map.item: if item.id < 0: raise ValueError('Label map ids should be >= 0.') if (item.id == 0 and item.name != 'background' and item.display_name != 'background'): raise ValueError('Label map id 0 is reserved for the background label') def create_category_index(categories): """Creates dictionary of COCO compatible categories keyed by category id. Args: categories: a list of dicts, each of which has the following keys: 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog', 'pizza'. Returns: category_index: a dict containing the same entries as categories, but keyed by the 'id' field of each category. """ category_index = {} for cat in categories: category_index[cat['id']] = cat return category_index def get_max_label_map_index(label_map): """Get maximum index in label map. Args: label_map: a StringIntLabelMapProto Returns: an integer """ return max([item.id for item in label_map.item]) def convert_label_map_to_categories(label_map, max_num_classes, use_display_name=True): """Given label map proto returns categories list compatible with eval. This function converts label map proto and returns a list of dicts, each of which has the following keys: 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog', 'pizza'. 'keypoints': (optional) a dictionary of keypoint string 'label' to integer 'id'. We only allow class into the list if its id-label_id_offset is between 0 (inclusive) and max_num_classes (exclusive). If there are several items mapping to the same id in the label map, we will only keep the first one in the categories list. Args: label_map: a StringIntLabelMapProto or None. If None, a default categories list is created with max_num_classes categories. max_num_classes: maximum number of (consecutive) label indices to include. use_display_name: (boolean) choose whether to load 'display_name' field as category name. If False or if the display_name field does not exist, uses 'name' field as category names instead. Returns: categories: a list of dictionaries representing all possible categories. """ categories = [] list_of_ids_already_added = [] if not label_map: label_id_offset = 1 for class_id in range(max_num_classes): categories.append({ 'id': class_id + label_id_offset, 'name': 'category_{}'.format(class_id + label_id_offset) }) return categories for item in label_map.item: if not 0 < item.id <= max_num_classes: logging.info( 'Ignore item %d since it falls outside of requested ' 'label range.', item.id) continue if use_display_name and item.HasField('display_name'): name = item.display_name else: name = item.name if item.id not in list_of_ids_already_added: list_of_ids_already_added.append(item.id) category = {'id': item.id, 'name': name} if item.HasField('frequency'): if item.frequency == string_int_label_map_pb2.LVISFrequency.Value( 'FREQUENT'): category['frequency'] = 'f' elif item.frequency == string_int_label_map_pb2.LVISFrequency.Value( 'COMMON'): category['frequency'] = 'c' elif item.frequency == string_int_label_map_pb2.LVISFrequency.Value( 'RARE'): category['frequency'] = 'r' if item.HasField('instance_count'): category['instance_count'] = item.instance_count if item.keypoints: keypoints = {} list_of_keypoint_ids = [] for kv in item.keypoints: if kv.id in list_of_keypoint_ids: raise ValueError('Duplicate keypoint ids are not allowed. ' 'Found {} more than once'.format(kv.id)) keypoints[kv.label] = kv.id list_of_keypoint_ids.append(kv.id) category['keypoints'] = keypoints categories.append(category) return categories def load_labelmap(path): """Loads label map proto. Args: path: path to StringIntLabelMap proto text file. Returns: a StringIntLabelMapProto """ with tf.io.gfile.GFile(path, 'r') as fid: label_map_string = fid.read() label_map = string_int_label_map_pb2.StringIntLabelMap() try: text_format.Merge(label_map_string, label_map) except text_format.ParseError: label_map.ParseFromString(label_map_string) _validate_label_map(label_map) return label_map def get_label_map_dict(label_map_path_or_proto, use_display_name=False, fill_in_gaps_and_background=False): """Reads a label map and returns a dictionary of label names to id. Args: label_map_path_or_proto: path to StringIntLabelMap proto text file or the proto itself. use_display_name: whether to use the label map items' display names as keys. fill_in_gaps_and_background: whether to fill in gaps and background with respect to the id field in the proto. The id: 0 is reserved for the 'background' class and will be added if it is missing. All other missing ids in range(1, max(id)) will be added with a dummy class name ("class_<id>") if they are missing. Returns: A dictionary mapping label names to id. Raises: ValueError: if fill_in_gaps_and_background and label_map has non-integer or negative values. """ if isinstance(label_map_path_or_proto, string_types): label_map = load_labelmap(label_map_path_or_proto) else: _validate_label_map(label_map_path_or_proto) label_map = label_map_path_or_proto label_map_dict = {} for item in label_map.item: if use_display_name: label_map_dict[item.display_name] = item.id else: label_map_dict[item.name] = item.id if fill_in_gaps_and_background: values = set(label_map_dict.values()) if 0 not in values: label_map_dict['background'] = 0 if not all(isinstance(value, int) for value in values): raise ValueError('The values in label map must be integers in order to' 'fill_in_gaps_and_background.') if not all(value >= 0 for value in values): raise ValueError('The values in the label map must be positive.') if len(values) != max(values) + 1: # there are gaps in the labels, fill in gaps. for value in range(1, max(values)): if value not in values: # TODO(rathodv): Add a prefix 'class_' here once the tool to generate # teacher annotation adds this prefix in the data. label_map_dict[str(value)] = value return label_map_dict def get_label_map_hierarchy_lut(label_map_path_or_proto, include_identity=False): """Reads a label map and returns ancestors and descendants in the hierarchy. The function returns the ancestors and descendants as separate look up tables (LUT) numpy arrays of shape [max_id, max_id] where lut[i,j] = 1 when there is a hierarchical relationship between class i and j. Args: label_map_path_or_proto: path to StringIntLabelMap proto text file or the proto itself. include_identity: Boolean to indicate whether to include a class element among its ancestors and descendants. Setting this will result in the lut diagonal being set to 1. Returns: ancestors_lut: Look up table with the ancestors. descendants_lut: Look up table with the descendants. """ if isinstance(label_map_path_or_proto, string_types): label_map = load_labelmap(label_map_path_or_proto) else: _validate_label_map(label_map_path_or_proto) label_map = label_map_path_or_proto hierarchy_dict = { 'ancestors': collections.defaultdict(list), 'descendants': collections.defaultdict(list) } max_id = -1 for item in label_map.item: max_id = max(max_id, item.id) for ancestor in item.ancestor_ids: hierarchy_dict['ancestors'][item.id].append(ancestor) for descendant in item.descendant_ids: hierarchy_dict['descendants'][item.id].append(descendant) def get_graph_relations_tensor(graph_relations): graph_relations_tensor = np.zeros([max_id, max_id]) for id_val, ids_related in graph_relations.items(): id_val = int(id_val) - _LABEL_OFFSET for id_related in ids_related: id_related -= _LABEL_OFFSET graph_relations_tensor[id_val, id_related] = 1 if include_identity: graph_relations_tensor += np.eye(max_id) return graph_relations_tensor ancestors_lut = get_graph_relations_tensor(hierarchy_dict['ancestors']) descendants_lut = get_graph_relations_tensor(hierarchy_dict['descendants']) return ancestors_lut, descendants_lut def create_categories_from_labelmap(label_map_path, use_display_name=True): """Reads a label map and returns categories list compatible with eval. This function converts label map proto and returns a list of dicts, each of which has the following keys: 'id': an integer id uniquely identifying this category. 'name': string representing category name e.g., 'cat', 'dog'. 'keypoints': a dictionary of keypoint string label to integer id. It is only returned when available in label map proto. Args: label_map_path: Path to `StringIntLabelMap` proto text file. use_display_name: (boolean) choose whether to load 'display_name' field as category name. If False or if the display_name field does not exist, uses 'name' field as category names instead. Returns: categories: a list of dictionaries representing all possible categories. """ label_map = load_labelmap(label_map_path) max_num_classes = max(item.id for item in label_map.item) return convert_label_map_to_categories(label_map, max_num_classes, use_display_name) def create_category_index_from_labelmap(label_map_path, use_display_name=True): """Reads a label map and returns a category index. Args: label_map_path: Path to `StringIntLabelMap` proto text file. use_display_name: (boolean) choose whether to load 'display_name' field as category name. If False or if the display_name field does not exist, uses 'name' field as category names instead. Returns: A category index, which is a dictionary that maps integer ids to dicts containing categories, e.g. {1: {'id': 1, 'name': 'dog'}, 2: {'id': 2, 'name': 'cat'}, ...} """ categories = create_categories_from_labelmap(label_map_path, use_display_name) return create_category_index(categories) def create_class_agnostic_category_index(): """Creates a category index with a single `object` class.""" return {1: {'id': 1, 'name': 'object'}}
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/label_map_util.py
label_map_util.py
"""Functions for computing metrics like precision, recall, CorLoc and etc.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range def compute_precision_recall(scores, labels, num_gt): """Compute precision and recall. Args: scores: A float numpy array representing detection score labels: A float numpy array representing weighted true/false positive labels num_gt: Number of ground truth instances Raises: ValueError: if the input is not of the correct format Returns: precision: Fraction of positive instances over detected ones. This value is None if no ground truth labels are present. recall: Fraction of detected positive instance over all positive instances. This value is None if no ground truth labels are present. """ if not isinstance(labels, np.ndarray) or len(labels.shape) != 1: raise ValueError("labels must be single dimension numpy array") if labels.dtype != np.float and labels.dtype != np.bool: raise ValueError("labels type must be either bool or float") if not isinstance(scores, np.ndarray) or len(scores.shape) != 1: raise ValueError("scores must be single dimension numpy array") if num_gt < np.sum(labels): raise ValueError("Number of true positives must be smaller than num_gt.") if len(scores) != len(labels): raise ValueError("scores and labels must be of the same size.") if num_gt == 0: return None, None sorted_indices = np.argsort(scores) sorted_indices = sorted_indices[::-1] true_positive_labels = labels[sorted_indices] false_positive_labels = (true_positive_labels <= 0).astype(float) cum_true_positives = np.cumsum(true_positive_labels) cum_false_positives = np.cumsum(false_positive_labels) precision = cum_true_positives.astype(float) / ( cum_true_positives + cum_false_positives) recall = cum_true_positives.astype(float) / num_gt return precision, recall def compute_average_precision(precision, recall): """Compute Average Precision according to the definition in VOCdevkit. Precision is modified to ensure that it does not decrease as recall decrease. Args: precision: A float [N, 1] numpy array of precisions recall: A float [N, 1] numpy array of recalls Raises: ValueError: if the input is not of the correct format Returns: average_precison: The area under the precision recall curve. NaN if precision and recall are None. """ if precision is None: if recall is not None: raise ValueError("If precision is None, recall must also be None") return np.NAN if not isinstance(precision, np.ndarray) or not isinstance( recall, np.ndarray): raise ValueError("precision and recall must be numpy array") if precision.dtype != np.float or recall.dtype != np.float: raise ValueError("input must be float numpy array.") if len(precision) != len(recall): raise ValueError("precision and recall must be of the same size.") if not precision.size: return 0.0 if np.amin(precision) < 0 or np.amax(precision) > 1: raise ValueError("Precision must be in the range of [0, 1].") if np.amin(recall) < 0 or np.amax(recall) > 1: raise ValueError("recall must be in the range of [0, 1].") if not all(recall[i] <= recall[i + 1] for i in range(len(recall) - 1)): raise ValueError("recall must be a non-decreasing array") recall = np.concatenate([[0], recall, [1]]) precision = np.concatenate([[0], precision, [0]]) # Preprocess precision to be a non-decreasing array for i in range(len(precision) - 2, -1, -1): precision[i] = np.maximum(precision[i], precision[i + 1]) indices = np.where(recall[1:] != recall[:-1])[0] + 1 average_precision = np.sum( (recall[indices] - recall[indices - 1]) * precision[indices]) return average_precision def compute_cor_loc(num_gt_imgs_per_class, num_images_correctly_detected_per_class): """Compute CorLoc according to the definition in the following paper. https://www.robots.ox.ac.uk/~vgg/rg/papers/deselaers-eccv10.pdf Returns nans if there are no ground truth images for a class. Args: num_gt_imgs_per_class: 1D array, representing number of images containing at least one object instance of a particular class num_images_correctly_detected_per_class: 1D array, representing number of images that are correctly detected at least one object instance of a particular class Returns: corloc_per_class: A float numpy array represents the corloc score of each class """ return np.where( num_gt_imgs_per_class == 0, np.nan, num_images_correctly_detected_per_class / num_gt_imgs_per_class) def compute_median_rank_at_k(tp_fp_list, k): """Computes MedianRank@k, where k is the top-scoring labels. Args: tp_fp_list: a list of numpy arrays; each numpy array corresponds to the all detection on a single image, where the detections are sorted by score in descending order. Further, each numpy array element can have boolean or float values. True positive elements have either value >0.0 or True; any other value is considered false positive. k: number of top-scoring proposals to take. Returns: median_rank: median rank of all true positive proposals among top k by score. """ ranks = [] for i in range(len(tp_fp_list)): ranks.append( np.where(tp_fp_list[i][0:min(k, tp_fp_list[i].shape[0])] > 0)[0]) concatenated_ranks = np.concatenate(ranks) return np.median(concatenated_ranks) def compute_recall_at_k(tp_fp_list, num_gt, k): """Computes Recall@k, MedianRank@k, where k is the top-scoring labels. Args: tp_fp_list: a list of numpy arrays; each numpy array corresponds to the all detection on a single image, where the detections are sorted by score in descending order. Further, each numpy array element can have boolean or float values. True positive elements have either value >0.0 or True; any other value is considered false positive. num_gt: number of groundtruth anotations. k: number of top-scoring proposals to take. Returns: recall: recall evaluated on the top k by score detections. """ tp_fp_eval = [] for i in range(len(tp_fp_list)): tp_fp_eval.append(tp_fp_list[i][0:min(k, tp_fp_list[i].shape[0])]) tp_fp_eval = np.concatenate(tp_fp_eval) return np.sum(tp_fp_eval) / num_gt
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/metrics.py
metrics.py
"""A module for helper tensorflow ops.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import collections import math import six from six.moves import range from six.moves import zip import tensorflow.compat.v1 as tf import tf_slim as slim from object_detection.core import standard_fields as fields from object_detection.utils import shape_utils from object_detection.utils import spatial_transform_ops as spatial_ops from object_detection.utils import static_shape matmul_crop_and_resize = spatial_ops.matmul_crop_and_resize multilevel_roi_align = spatial_ops.multilevel_roi_align native_crop_and_resize = spatial_ops.native_crop_and_resize def expanded_shape(orig_shape, start_dim, num_dims): """Inserts multiple ones into a shape vector. Inserts an all-1 vector of length num_dims at position start_dim into a shape. Can be combined with tf.reshape to generalize tf.expand_dims. Args: orig_shape: the shape into which the all-1 vector is added (int32 vector) start_dim: insertion position (int scalar) num_dims: length of the inserted all-1 vector (int scalar) Returns: An int32 vector of length tf.size(orig_shape) + num_dims. """ with tf.name_scope('ExpandedShape'): start_dim = tf.expand_dims(start_dim, 0) # scalar to rank-1 before = tf.slice(orig_shape, [0], start_dim) add_shape = tf.ones(tf.reshape(num_dims, [1]), dtype=tf.int32) after = tf.slice(orig_shape, start_dim, [-1]) new_shape = tf.concat([before, add_shape, after], 0) return new_shape def normalized_to_image_coordinates(normalized_boxes, image_shape, parallel_iterations=32): """Converts a batch of boxes from normal to image coordinates. Args: normalized_boxes: a tensor of shape [None, num_boxes, 4] in normalized coordinates. The dtype of this tensor must support tf.mul. image_shape: a tensor of shape [4] containing the image shape, with same dtype as `normalized_boxes`. parallel_iterations: parallelism for the map_fn op. Returns: absolute_boxes: a tensor of shape [None, num_boxes, 4] containing the boxes in image coordinates, with same dtype as `normalized_boxes`. """ x_scale = tf.cast(image_shape[2], normalized_boxes.dtype) y_scale = tf.cast(image_shape[1], normalized_boxes.dtype) def _to_absolute_coordinates(normalized_boxes): y_min, x_min, y_max, x_max = tf.split( value=normalized_boxes, num_or_size_splits=4, axis=1) y_min = y_scale * y_min y_max = y_scale * y_max x_min = x_scale * x_min x_max = x_scale * x_max scaled_boxes = tf.concat([y_min, x_min, y_max, x_max], 1) return scaled_boxes absolute_boxes = shape_utils.static_or_dynamic_map_fn( _to_absolute_coordinates, elems=(normalized_boxes), dtype=normalized_boxes.dtype, parallel_iterations=parallel_iterations, back_prop=True) return absolute_boxes def meshgrid(x, y): """Tiles the contents of x and y into a pair of grids. Multidimensional analog of numpy.meshgrid, giving the same behavior if x and y are vectors. Generally, this will give: xgrid(i1, ..., i_m, j_1, ..., j_n) = x(j_1, ..., j_n) ygrid(i1, ..., i_m, j_1, ..., j_n) = y(i_1, ..., i_m) Keep in mind that the order of the arguments and outputs is reverse relative to the order of the indices they go into, done for compatibility with numpy. The output tensors have the same shapes. Specifically: xgrid.get_shape() = y.get_shape().concatenate(x.get_shape()) ygrid.get_shape() = y.get_shape().concatenate(x.get_shape()) Args: x: A tensor of arbitrary shape and rank. xgrid will contain these values varying in its last dimensions. y: A tensor of arbitrary shape and rank. ygrid will contain these values varying in its first dimensions. Returns: A tuple of tensors (xgrid, ygrid). """ with tf.name_scope('Meshgrid'): x = tf.convert_to_tensor(x) y = tf.convert_to_tensor(y) x_exp_shape = expanded_shape(tf.shape(x), 0, tf.rank(y)) y_exp_shape = expanded_shape(tf.shape(y), tf.rank(y), tf.rank(x)) xgrid = tf.tile(tf.reshape(x, x_exp_shape), y_exp_shape) ygrid = tf.tile(tf.reshape(y, y_exp_shape), x_exp_shape) new_shape = y.get_shape().concatenate(x.get_shape()) xgrid.set_shape(new_shape) ygrid.set_shape(new_shape) return xgrid, ygrid def fixed_padding(inputs, kernel_size, rate=1): """Pads the input along the spatial dimensions independently of input size. Args: inputs: A tensor of size [batch, height_in, width_in, channels]. kernel_size: The kernel to be used in the conv2d or max_pool2d operation. Should be a positive integer. rate: An integer, rate for atrous convolution. Returns: output: A tensor of size [batch, height_out, width_out, channels] with the input, either intact (if kernel_size == 1) or padded (if kernel_size > 1). """ kernel_size_effective = kernel_size + (kernel_size - 1) * (rate - 1) pad_total = kernel_size_effective - 1 pad_beg = pad_total // 2 pad_end = pad_total - pad_beg padded_inputs = tf.pad(inputs, [[0, 0], [pad_beg, pad_end], [pad_beg, pad_end], [0, 0]]) return padded_inputs def pad_to_multiple(tensor, multiple): """Returns the tensor zero padded to the specified multiple. Appends 0s to the end of the first and second dimension (height and width) of the tensor until both dimensions are a multiple of the input argument 'multiple'. E.g. given an input tensor of shape [1, 3, 5, 1] and an input multiple of 4, PadToMultiple will append 0s so that the resulting tensor will be of shape [1, 4, 8, 1]. Args: tensor: rank 4 float32 tensor, where tensor -> [batch_size, height, width, channels]. multiple: the multiple to pad to. Returns: padded_tensor: the tensor zero padded to the specified multiple. """ if multiple == 1: return tensor tensor_shape = tensor.get_shape() batch_size = static_shape.get_batch_size(tensor_shape) tensor_height = static_shape.get_height(tensor_shape) tensor_width = static_shape.get_width(tensor_shape) tensor_depth = static_shape.get_depth(tensor_shape) if batch_size is None: batch_size = tf.shape(tensor)[0] if tensor_height is None: tensor_height = tf.shape(tensor)[1] padded_tensor_height = tf.cast( tf.ceil( tf.cast(tensor_height, dtype=tf.float32) / tf.cast(multiple, dtype=tf.float32)), dtype=tf.int32) * multiple else: padded_tensor_height = int( math.ceil(float(tensor_height) / multiple) * multiple) if tensor_width is None: tensor_width = tf.shape(tensor)[2] padded_tensor_width = tf.cast( tf.ceil( tf.cast(tensor_width, dtype=tf.float32) / tf.cast(multiple, dtype=tf.float32)), dtype=tf.int32) * multiple else: padded_tensor_width = int( math.ceil(float(tensor_width) / multiple) * multiple) if tensor_depth is None: tensor_depth = tf.shape(tensor)[3] # Use tf.concat instead of tf.pad to preserve static shape if padded_tensor_height != tensor_height: height_pad = tf.zeros([ batch_size, padded_tensor_height - tensor_height, tensor_width, tensor_depth ], dtype=tensor.dtype) tensor = tf.concat([tensor, height_pad], 1) if padded_tensor_width != tensor_width: width_pad = tf.zeros([ batch_size, padded_tensor_height, padded_tensor_width - tensor_width, tensor_depth ], dtype=tensor.dtype) tensor = tf.concat([tensor, width_pad], 2) return tensor def padded_one_hot_encoding(indices, depth, left_pad): """Returns a zero padded one-hot tensor. This function converts a sparse representation of indices (e.g., [4]) to a zero padded one-hot representation (e.g., [0, 0, 0, 0, 1] with depth = 4 and left_pad = 1). If `indices` is empty, the result will simply be a tensor of shape (0, depth + left_pad). If depth = 0, then this function just returns `None`. Args: indices: an integer tensor of shape [num_indices]. depth: depth for the one-hot tensor (integer). left_pad: number of zeros to left pad the one-hot tensor with (integer). Returns: padded_onehot: a tensor with shape (num_indices, depth + left_pad). Returns `None` if the depth is zero. Raises: ValueError: if `indices` does not have rank 1 or if `left_pad` or `depth are either negative or non-integers. TODO(rathodv): add runtime checks for depth and indices. """ if depth < 0 or not isinstance(depth, six.integer_types): raise ValueError('`depth` must be a non-negative integer.') if left_pad < 0 or not isinstance(left_pad, six.integer_types): raise ValueError('`left_pad` must be a non-negative integer.') if depth == 0: return None rank = len(indices.get_shape().as_list()) if rank != 1: raise ValueError('`indices` must have rank 1, but has rank=%s' % rank) def one_hot_and_pad(): one_hot = tf.cast(tf.one_hot(tf.cast(indices, tf.int64), depth, on_value=1, off_value=0), tf.float32) return tf.pad(one_hot, [[0, 0], [left_pad, 0]], mode='CONSTANT') result = tf.cond(tf.greater(tf.size(indices), 0), one_hot_and_pad, lambda: tf.zeros((tf.size(indices), depth + left_pad))) return tf.reshape(result, [-1, depth + left_pad]) def dense_to_sparse_boxes(dense_locations, dense_num_boxes, num_classes): """Converts bounding boxes from dense to sparse form. Args: dense_locations: a [max_num_boxes, 4] tensor in which only the first k rows are valid bounding box location coordinates, where k is the sum of elements in dense_num_boxes. dense_num_boxes: a [max_num_classes] tensor indicating the counts of various bounding box classes e.g. [1, 0, 0, 2] means that the first bounding box is of class 0 and the second and third bounding boxes are of class 3. The sum of elements in this tensor is the number of valid bounding boxes. num_classes: number of classes Returns: box_locations: a [num_boxes, 4] tensor containing only valid bounding boxes (i.e. the first num_boxes rows of dense_locations) box_classes: a [num_boxes] tensor containing the classes of each bounding box (e.g. dense_num_boxes = [1, 0, 0, 2] => box_classes = [0, 3, 3] """ num_valid_boxes = tf.reduce_sum(dense_num_boxes) box_locations = tf.slice(dense_locations, tf.constant([0, 0]), tf.stack([num_valid_boxes, 4])) tiled_classes = [tf.tile([i], tf.expand_dims(dense_num_boxes[i], 0)) for i in range(num_classes)] box_classes = tf.concat(tiled_classes, 0) box_locations.set_shape([None, 4]) return box_locations, box_classes def indices_to_dense_vector(indices, size, indices_value=1., default_value=0, dtype=tf.float32): """Creates dense vector with indices set to specific value and rest to zeros. This function exists because it is unclear if it is safe to use tf.sparse_to_dense(indices, [size], 1, validate_indices=False) with indices which are not ordered. This function accepts a dynamic size (e.g. tf.shape(tensor)[0]) Args: indices: 1d Tensor with integer indices which are to be set to indices_values. size: scalar with size (integer) of output Tensor. indices_value: values of elements specified by indices in the output vector default_value: values of other elements in the output vector. dtype: data type. Returns: dense 1D Tensor of shape [size] with indices set to indices_values and the rest set to default_value. """ size = tf.cast(size, dtype=tf.int32) zeros = tf.ones([size], dtype=dtype) * default_value values = tf.ones_like(indices, dtype=dtype) * indices_value return tf.dynamic_stitch([tf.range(size), tf.cast(indices, dtype=tf.int32)], [zeros, values]) def reduce_sum_trailing_dimensions(tensor, ndims): """Computes sum across all dimensions following first `ndims` dimensions.""" return tf.reduce_sum(tensor, axis=tuple(range(ndims, tensor.shape.ndims))) def retain_groundtruth(tensor_dict, valid_indices): """Retains groundtruth by valid indices. Args: tensor_dict: a dictionary of following groundtruth tensors - fields.InputDataFields.groundtruth_boxes fields.InputDataFields.groundtruth_classes fields.InputDataFields.groundtruth_confidences fields.InputDataFields.groundtruth_keypoints fields.InputDataFields.groundtruth_instance_masks fields.InputDataFields.groundtruth_is_crowd fields.InputDataFields.groundtruth_area fields.InputDataFields.groundtruth_label_types fields.InputDataFields.groundtruth_difficult valid_indices: a tensor with valid indices for the box-level groundtruth. Returns: a dictionary of tensors containing only the groundtruth for valid_indices. Raises: ValueError: If the shape of valid_indices is invalid. ValueError: field fields.InputDataFields.groundtruth_boxes is not present in tensor_dict. """ input_shape = valid_indices.get_shape().as_list() if not (len(input_shape) == 1 or (len(input_shape) == 2 and input_shape[1] == 1)): raise ValueError('The shape of valid_indices is invalid.') valid_indices = tf.reshape(valid_indices, [-1]) valid_dict = {} if fields.InputDataFields.groundtruth_boxes in tensor_dict: # Prevents reshape failure when num_boxes is 0. num_boxes = tf.maximum(tf.shape( tensor_dict[fields.InputDataFields.groundtruth_boxes])[0], 1) for key in tensor_dict: if key in [fields.InputDataFields.groundtruth_boxes, fields.InputDataFields.groundtruth_classes, fields.InputDataFields.groundtruth_confidences, fields.InputDataFields.groundtruth_keypoints, fields.InputDataFields.groundtruth_keypoint_visibilities, fields.InputDataFields.groundtruth_instance_masks]: valid_dict[key] = tf.gather(tensor_dict[key], valid_indices) # Input decoder returns empty tensor when these fields are not provided. # Needs to reshape into [num_boxes, -1] for tf.gather() to work. elif key in [fields.InputDataFields.groundtruth_is_crowd, fields.InputDataFields.groundtruth_area, fields.InputDataFields.groundtruth_difficult, fields.InputDataFields.groundtruth_label_types]: valid_dict[key] = tf.reshape( tf.gather(tf.reshape(tensor_dict[key], [num_boxes, -1]), valid_indices), [-1]) # Fields that are not associated with boxes. else: valid_dict[key] = tensor_dict[key] else: raise ValueError('%s not present in input tensor dict.' % ( fields.InputDataFields.groundtruth_boxes)) return valid_dict def retain_groundtruth_with_positive_classes(tensor_dict): """Retains only groundtruth with positive class ids. Args: tensor_dict: a dictionary of following groundtruth tensors - fields.InputDataFields.groundtruth_boxes fields.InputDataFields.groundtruth_classes fields.InputDataFields.groundtruth_confidences fields.InputDataFields.groundtruth_keypoints fields.InputDataFields.groundtruth_instance_masks fields.InputDataFields.groundtruth_is_crowd fields.InputDataFields.groundtruth_area fields.InputDataFields.groundtruth_label_types fields.InputDataFields.groundtruth_difficult Returns: a dictionary of tensors containing only the groundtruth with positive classes. Raises: ValueError: If groundtruth_classes tensor is not in tensor_dict. """ if fields.InputDataFields.groundtruth_classes not in tensor_dict: raise ValueError('`groundtruth classes` not in tensor_dict.') keep_indices = tf.where(tf.greater( tensor_dict[fields.InputDataFields.groundtruth_classes], 0)) return retain_groundtruth(tensor_dict, keep_indices) def replace_nan_groundtruth_label_scores_with_ones(label_scores): """Replaces nan label scores with 1.0. Args: label_scores: a tensor containing object annoation label scores. Returns: a tensor where NaN label scores have been replaced by ones. """ return tf.where( tf.is_nan(label_scores), tf.ones(tf.shape(label_scores)), label_scores) def filter_groundtruth_with_crowd_boxes(tensor_dict): """Filters out groundtruth with boxes corresponding to crowd. Args: tensor_dict: a dictionary of following groundtruth tensors - fields.InputDataFields.groundtruth_boxes fields.InputDataFields.groundtruth_classes fields.InputDataFields.groundtruth_confidences fields.InputDataFields.groundtruth_keypoints fields.InputDataFields.groundtruth_instance_masks fields.InputDataFields.groundtruth_is_crowd fields.InputDataFields.groundtruth_area fields.InputDataFields.groundtruth_label_types Returns: a dictionary of tensors containing only the groundtruth that have bounding boxes. """ if fields.InputDataFields.groundtruth_is_crowd in tensor_dict: is_crowd = tensor_dict[fields.InputDataFields.groundtruth_is_crowd] is_not_crowd = tf.logical_not(is_crowd) is_not_crowd_indices = tf.where(is_not_crowd) tensor_dict = retain_groundtruth(tensor_dict, is_not_crowd_indices) return tensor_dict def filter_groundtruth_with_nan_box_coordinates(tensor_dict): """Filters out groundtruth with no bounding boxes. Args: tensor_dict: a dictionary of following groundtruth tensors - fields.InputDataFields.groundtruth_boxes fields.InputDataFields.groundtruth_classes fields.InputDataFields.groundtruth_confidences fields.InputDataFields.groundtruth_keypoints fields.InputDataFields.groundtruth_instance_masks fields.InputDataFields.groundtruth_is_crowd fields.InputDataFields.groundtruth_area fields.InputDataFields.groundtruth_label_types Returns: a dictionary of tensors containing only the groundtruth that have bounding boxes. """ groundtruth_boxes = tensor_dict[fields.InputDataFields.groundtruth_boxes] nan_indicator_vector = tf.greater(tf.reduce_sum(tf.cast( tf.is_nan(groundtruth_boxes), dtype=tf.int32), reduction_indices=[1]), 0) valid_indicator_vector = tf.logical_not(nan_indicator_vector) valid_indices = tf.where(valid_indicator_vector) return retain_groundtruth(tensor_dict, valid_indices) def filter_unrecognized_classes(tensor_dict): """Filters out class labels that are not unrecognized by the labelmap. Decoder would parse unrecognized classes (not included in the labelmap) to a label of value -1. Such targets are unecessary for training, and causes issue for evaluation, due to labeling mapping logic. This function filters those labels out for both training and evaluation. Args: tensor_dict: dictionary containing input tensors keyed by fields.InputDataFields. Returns: A dictionary keyed by fields.InputDataFields containing the tensors obtained after applying the filtering. Raises: ValueError: If groundtruth_classes tensor is not in tensor_dict. """ if fields.InputDataFields.groundtruth_classes not in tensor_dict: raise ValueError('`groundtruth classes` not in tensor_dict.') # Refer to tf_example_decoder for how unrecognized labels are handled. unrecognized_label = -1 recognized_indices = tf.where( tf.greater(tensor_dict[fields.InputDataFields.groundtruth_classes], unrecognized_label)) return retain_groundtruth(tensor_dict, recognized_indices) def normalize_to_target(inputs, target_norm_value, dim, epsilon=1e-7, trainable=True, scope='NormalizeToTarget', summarize=True): """L2 normalizes the inputs across the specified dimension to a target norm. This op implements the L2 Normalization layer introduced in Liu, Wei, et al. "SSD: Single Shot MultiBox Detector." and Liu, Wei, Andrew Rabinovich, and Alexander C. Berg. "Parsenet: Looking wider to see better." and is useful for bringing activations from multiple layers in a convnet to a standard scale. Note that the rank of `inputs` must be known and the dimension to which normalization is to be applied should be statically defined. TODO(jonathanhuang): Add option to scale by L2 norm of the entire input. Args: inputs: A `Tensor` of arbitrary size. target_norm_value: A float value that specifies an initial target norm or a list of floats (whose length must be equal to the depth along the dimension to be normalized) specifying a per-dimension multiplier after normalization. dim: The dimension along which the input is normalized. epsilon: A small value to add to the inputs to avoid dividing by zero. trainable: Whether the norm is trainable or not scope: Optional scope for variable_scope. summarize: Whether or not to add a tensorflow summary for the op. Returns: The input tensor normalized to the specified target norm. Raises: ValueError: If dim is smaller than the number of dimensions in 'inputs'. ValueError: If target_norm_value is not a float or a list of floats with length equal to the depth along the dimension to be normalized. """ with tf.variable_scope(scope, 'NormalizeToTarget', [inputs]): if not inputs.get_shape(): raise ValueError('The input rank must be known.') input_shape = inputs.get_shape().as_list() input_rank = len(input_shape) if dim < 0 or dim >= input_rank: raise ValueError( 'dim must be non-negative but smaller than the input rank.') if not input_shape[dim]: raise ValueError('input shape should be statically defined along ' 'the specified dimension.') depth = input_shape[dim] if not (isinstance(target_norm_value, float) or (isinstance(target_norm_value, list) and len(target_norm_value) == depth) and all([isinstance(val, float) for val in target_norm_value])): raise ValueError('target_norm_value must be a float or a list of floats ' 'with length equal to the depth along the dimension to ' 'be normalized.') if isinstance(target_norm_value, float): initial_norm = depth * [target_norm_value] else: initial_norm = target_norm_value target_norm = slim.model_variable( name='weights', dtype=tf.float32, initializer=tf.constant(initial_norm, dtype=tf.float32), trainable=trainable) if summarize: mean = tf.reduce_mean(target_norm) tf.summary.scalar(tf.get_variable_scope().name, mean) lengths = epsilon + tf.sqrt(tf.reduce_sum(tf.square(inputs), dim, True)) mult_shape = input_rank*[1] mult_shape[dim] = depth return tf.reshape(target_norm, mult_shape) * tf.truediv(inputs, lengths) def batch_position_sensitive_crop_regions(images, boxes, crop_size, num_spatial_bins, global_pool, parallel_iterations=64): """Position sensitive crop with batches of images and boxes. This op is exactly like `position_sensitive_crop_regions` below but operates on batches of images and boxes. See `position_sensitive_crop_regions` function below for the operation applied per batch element. Args: images: A `Tensor`. Must be one of the following types: `uint8`, `int8`, `int16`, `int32`, `int64`, `half`, `float32`, `float64`. A 4-D tensor of shape `[batch, image_height, image_width, depth]`. Both `image_height` and `image_width` need to be positive. boxes: A `Tensor` of type `float32`. A 3-D tensor of shape `[batch, num_boxes, 4]`. Each box is specified in normalized coordinates `[y1, x1, y2, x2]`. A normalized coordinate value of `y` is mapped to the image coordinate at `y * (image_height - 1)`, so as the `[0, 1]` interval of normalized image height is mapped to `[0, image_height - 1] in image height coordinates. We do allow y1 > y2, in which case the sampled crop is an up-down flipped version of the original image. The width dimension is treated similarly. crop_size: See `position_sensitive_crop_regions` below. num_spatial_bins: See `position_sensitive_crop_regions` below. global_pool: See `position_sensitive_crop_regions` below. parallel_iterations: Number of batch items to process in parallel. Returns: """ def _position_sensitive_crop_fn(inputs): images, boxes = inputs return position_sensitive_crop_regions( images, boxes, crop_size=crop_size, num_spatial_bins=num_spatial_bins, global_pool=global_pool) return shape_utils.static_or_dynamic_map_fn( _position_sensitive_crop_fn, elems=[images, boxes], dtype=tf.float32, parallel_iterations=parallel_iterations) def position_sensitive_crop_regions(image, boxes, crop_size, num_spatial_bins, global_pool): """Position-sensitive crop and pool rectangular regions from a feature grid. The output crops are split into `spatial_bins_y` vertical bins and `spatial_bins_x` horizontal bins. For each intersection of a vertical and a horizontal bin the output values are gathered by performing `tf.image.crop_and_resize` (bilinear resampling) on a a separate subset of channels of the image. This reduces `depth` by a factor of `(spatial_bins_y * spatial_bins_x)`. When global_pool is True, this function implements a differentiable version of position-sensitive RoI pooling used in [R-FCN detection system](https://arxiv.org/abs/1605.06409). When global_pool is False, this function implements a differentiable version of position-sensitive assembling operation used in [instance FCN](https://arxiv.org/abs/1603.08678). Args: image: A `Tensor`. Must be one of the following types: `uint8`, `int8`, `int16`, `int32`, `int64`, `half`, `float32`, `float64`. A 3-D tensor of shape `[image_height, image_width, depth]`. Both `image_height` and `image_width` need to be positive. boxes: A `Tensor` of type `float32`. A 2-D tensor of shape `[num_boxes, 4]`. Each box is specified in normalized coordinates `[y1, x1, y2, x2]`. A normalized coordinate value of `y` is mapped to the image coordinate at `y * (image_height - 1)`, so as the `[0, 1]` interval of normalized image height is mapped to `[0, image_height - 1] in image height coordinates. We do allow y1 > y2, in which case the sampled crop is an up-down flipped version of the original image. The width dimension is treated similarly. crop_size: A list of two integers `[crop_height, crop_width]`. All cropped image patches are resized to this size. The aspect ratio of the image content is not preserved. Both `crop_height` and `crop_width` need to be positive. num_spatial_bins: A list of two integers `[spatial_bins_y, spatial_bins_x]`. Represents the number of position-sensitive bins in y and x directions. Both values should be >= 1. `crop_height` should be divisible by `spatial_bins_y`, and similarly for width. The number of image channels should be divisible by (spatial_bins_y * spatial_bins_x). Suggested value from R-FCN paper: [3, 3]. global_pool: A boolean variable. If True, we perform average global pooling on the features assembled from the position-sensitive score maps. If False, we keep the position-pooled features without global pooling over the spatial coordinates. Note that using global_pool=True is equivalent to but more efficient than running the function with global_pool=False and then performing global average pooling. Returns: position_sensitive_features: A 4-D tensor of shape `[num_boxes, K, K, crop_channels]`, where `crop_channels = depth / (spatial_bins_y * spatial_bins_x)`, where K = 1 when global_pool is True (Average-pooled cropped regions), and K = crop_size when global_pool is False. Raises: ValueError: Raised in four situations: `num_spatial_bins` is not >= 1; `num_spatial_bins` does not divide `crop_size`; `(spatial_bins_y*spatial_bins_x)` does not divide `depth`; `bin_crop_size` is not square when global_pool=False due to the constraint in function space_to_depth. """ total_bins = 1 bin_crop_size = [] for (num_bins, crop_dim) in zip(num_spatial_bins, crop_size): if num_bins < 1: raise ValueError('num_spatial_bins should be >= 1') if crop_dim % num_bins != 0: raise ValueError('crop_size should be divisible by num_spatial_bins') total_bins *= num_bins bin_crop_size.append(crop_dim // num_bins) if not global_pool and bin_crop_size[0] != bin_crop_size[1]: raise ValueError('Only support square bin crop size for now.') ymin, xmin, ymax, xmax = tf.unstack(boxes, axis=1) spatial_bins_y, spatial_bins_x = num_spatial_bins # Split each box into spatial_bins_y * spatial_bins_x bins. position_sensitive_boxes = [] for bin_y in range(spatial_bins_y): step_y = (ymax - ymin) / spatial_bins_y for bin_x in range(spatial_bins_x): step_x = (xmax - xmin) / spatial_bins_x box_coordinates = [ymin + bin_y * step_y, xmin + bin_x * step_x, ymin + (bin_y + 1) * step_y, xmin + (bin_x + 1) * step_x, ] position_sensitive_boxes.append(tf.stack(box_coordinates, axis=1)) image_splits = tf.split(value=image, num_or_size_splits=total_bins, axis=2) image_crops = [] for (split, box) in zip(image_splits, position_sensitive_boxes): if split.shape.is_fully_defined() and box.shape.is_fully_defined(): crop = tf.squeeze( matmul_crop_and_resize( tf.expand_dims(split, axis=0), tf.expand_dims(box, axis=0), bin_crop_size), axis=0) else: crop = tf.image.crop_and_resize( tf.expand_dims(split, 0), box, tf.zeros(tf.shape(boxes)[0], dtype=tf.int32), bin_crop_size) image_crops.append(crop) if global_pool: # Average over all bins. position_sensitive_features = tf.add_n(image_crops) / len(image_crops) # Then average over spatial positions within the bins. position_sensitive_features = tf.reduce_mean( position_sensitive_features, [1, 2], keepdims=True) else: # Reorder height/width to depth channel. block_size = bin_crop_size[0] if block_size >= 2: image_crops = [tf.space_to_depth( crop, block_size=block_size) for crop in image_crops] # Pack image_crops so that first dimension is for position-senstive boxes. position_sensitive_features = tf.stack(image_crops, axis=0) # Unroll the position-sensitive boxes to spatial positions. position_sensitive_features = tf.squeeze( tf.batch_to_space_nd(position_sensitive_features, block_shape=[1] + num_spatial_bins, crops=tf.zeros((3, 2), dtype=tf.int32)), axis=[0]) # Reorder back the depth channel. if block_size >= 2: position_sensitive_features = tf.depth_to_space( position_sensitive_features, block_size=block_size) return position_sensitive_features def reframe_box_masks_to_image_masks(box_masks, boxes, image_height, image_width, resize_method='bilinear'): """Transforms the box masks back to full image masks. Embeds masks in bounding boxes of larger masks whose shapes correspond to image shape. Args: box_masks: A tensor of size [num_masks, mask_height, mask_width]. boxes: A tf.float32 tensor of size [num_masks, 4] containing the box corners. Row i contains [ymin, xmin, ymax, xmax] of the box corresponding to mask i. Note that the box corners are in normalized coordinates. image_height: Image height. The output mask will have the same height as the image height. image_width: Image width. The output mask will have the same width as the image width. resize_method: The resize method, either 'bilinear' or 'nearest'. Note that 'bilinear' is only respected if box_masks is a float. Returns: A tensor of size [num_masks, image_height, image_width] with the same dtype as `box_masks`. """ resize_method = 'nearest' if box_masks.dtype == tf.uint8 else resize_method # TODO(rathodv): Make this a public function. def reframe_box_masks_to_image_masks_default(): """The default function when there are more than 0 box masks.""" def transform_boxes_relative_to_boxes(boxes, reference_boxes): boxes = tf.reshape(boxes, [-1, 2, 2]) min_corner = tf.expand_dims(reference_boxes[:, 0:2], 1) max_corner = tf.expand_dims(reference_boxes[:, 2:4], 1) denom = max_corner - min_corner # Prevent a divide by zero. denom = tf.math.maximum(denom, 1e-4) transformed_boxes = (boxes - min_corner) / denom return tf.reshape(transformed_boxes, [-1, 4]) box_masks_expanded = tf.expand_dims(box_masks, axis=3) num_boxes = tf.shape(box_masks_expanded)[0] unit_boxes = tf.concat( [tf.zeros([num_boxes, 2]), tf.ones([num_boxes, 2])], axis=1) reverse_boxes = transform_boxes_relative_to_boxes(unit_boxes, boxes) # TODO(vighneshb) Use matmul_crop_and_resize so that the output shape # is static. This will help us run and test on TPUs. resized_crops = tf.image.crop_and_resize( image=box_masks_expanded, boxes=reverse_boxes, box_ind=tf.range(num_boxes), crop_size=[image_height, image_width], method=resize_method, extrapolation_value=0) return tf.cast(resized_crops, box_masks.dtype) image_masks = tf.cond( tf.shape(box_masks)[0] > 0, reframe_box_masks_to_image_masks_default, lambda: tf.zeros([0, image_height, image_width, 1], box_masks.dtype)) return tf.squeeze(image_masks, axis=3) def merge_boxes_with_multiple_labels(boxes, classes, confidences, num_classes, quantization_bins=10000): """Merges boxes with same coordinates and returns K-hot encoded classes. Args: boxes: A tf.float32 tensor with shape [N, 4] holding N boxes. Only normalized coordinates are allowed. classes: A tf.int32 tensor with shape [N] holding class indices. The class index starts at 0. confidences: A tf.float32 tensor with shape [N] holding class confidences. num_classes: total number of classes to use for K-hot encoding. quantization_bins: the number of bins used to quantize the box coordinate. Returns: merged_boxes: A tf.float32 tensor with shape [N', 4] holding boxes, where N' <= N. class_encodings: A tf.int32 tensor with shape [N', num_classes] holding K-hot encodings for the merged boxes. confidence_encodings: A tf.float32 tensor with shape [N', num_classes] holding encodings of confidences for the merged boxes. merged_box_indices: A tf.int32 tensor with shape [N'] holding original indices of the boxes. """ boxes_shape = tf.shape(boxes) classes_shape = tf.shape(classes) confidences_shape = tf.shape(confidences) box_class_shape_assert = shape_utils.assert_shape_equal_along_first_dimension( boxes_shape, classes_shape) box_confidence_shape_assert = ( shape_utils.assert_shape_equal_along_first_dimension( boxes_shape, confidences_shape)) box_dimension_assert = tf.assert_equal(boxes_shape[1], 4) box_normalized_assert = shape_utils.assert_box_normalized(boxes) with tf.control_dependencies( [box_class_shape_assert, box_confidence_shape_assert, box_dimension_assert, box_normalized_assert]): quantized_boxes = tf.to_int64(boxes * (quantization_bins - 1)) ymin, xmin, ymax, xmax = tf.unstack(quantized_boxes, axis=1) hashcodes = ( ymin + xmin * quantization_bins + ymax * quantization_bins * quantization_bins + xmax * quantization_bins * quantization_bins * quantization_bins) unique_hashcodes, unique_indices = tf.unique(hashcodes) num_boxes = tf.shape(boxes)[0] num_unique_boxes = tf.shape(unique_hashcodes)[0] merged_box_indices = tf.unsorted_segment_min( tf.range(num_boxes), unique_indices, num_unique_boxes) merged_boxes = tf.gather(boxes, merged_box_indices) unique_indices = tf.to_int64(unique_indices) classes = tf.to_int64(classes) def map_box_encodings(i): """Produces box K-hot and score encodings for each class index.""" box_mask = tf.equal( unique_indices, i * tf.ones(num_boxes, dtype=tf.int64)) box_mask = tf.reshape(box_mask, [-1]) box_indices = tf.boolean_mask(classes, box_mask) box_confidences = tf.boolean_mask(confidences, box_mask) box_class_encodings = tf.sparse_to_dense( box_indices, [num_classes], tf.constant(1, dtype=tf.int64), validate_indices=False) box_confidence_encodings = tf.sparse_to_dense( box_indices, [num_classes], box_confidences, validate_indices=False) return box_class_encodings, box_confidence_encodings # Important to avoid int32 here since there is no GPU kernel for int32. # int64 and float32 are fine. class_encodings, confidence_encodings = tf.map_fn( map_box_encodings, tf.range(tf.to_int64(num_unique_boxes)), back_prop=False, dtype=(tf.int64, tf.float32)) merged_boxes = tf.reshape(merged_boxes, [-1, 4]) class_encodings = tf.cast(class_encodings, dtype=tf.int32) class_encodings = tf.reshape(class_encodings, [-1, num_classes]) confidence_encodings = tf.reshape(confidence_encodings, [-1, num_classes]) merged_box_indices = tf.reshape(merged_box_indices, [-1]) return (merged_boxes, class_encodings, confidence_encodings, merged_box_indices) def nearest_neighbor_upsampling(input_tensor, scale=None, height_scale=None, width_scale=None): """Nearest neighbor upsampling implementation. Nearest neighbor upsampling function that maps input tensor with shape [batch_size, height, width, channels] to [batch_size, height * scale , width * scale, channels]. This implementation only uses reshape and broadcasting to make it TPU compatible. Args: input_tensor: A float32 tensor of size [batch, height_in, width_in, channels]. scale: An integer multiple to scale resolution of input data in both height and width dimensions. height_scale: An integer multiple to scale the height of input image. This option when provided overrides `scale` option. width_scale: An integer multiple to scale the width of input image. This option when provided overrides `scale` option. Returns: data_up: A float32 tensor of size [batch, height_in*scale, width_in*scale, channels]. Raises: ValueError: If both scale and height_scale or if both scale and width_scale are None. """ if not scale and (height_scale is None or width_scale is None): raise ValueError('Provide either `scale` or `height_scale` and' ' `width_scale`.') with tf.name_scope('nearest_neighbor_upsampling'): h_scale = scale if height_scale is None else height_scale w_scale = scale if width_scale is None else width_scale (batch_size, height, width, channels) = shape_utils.combined_static_and_dynamic_shape(input_tensor) output_tensor = tf.stack([input_tensor] * w_scale, axis=3) output_tensor = tf.stack([output_tensor] * h_scale, axis=2) return tf.reshape(output_tensor, [batch_size, height * h_scale, width * w_scale, channels]) def matmul_gather_on_zeroth_axis(params, indices, scope=None): """Matrix multiplication based implementation of tf.gather on zeroth axis. TODO(rathodv, jonathanhuang): enable sparse matmul option. Args: params: A float32 Tensor. The tensor from which to gather values. Must be at least rank 1. indices: A Tensor. Must be one of the following types: int32, int64. Must be in range [0, params.shape[0]) scope: A name for the operation (optional). Returns: A Tensor. Has the same type as params. Values from params gathered from indices given by indices, with shape indices.shape + params.shape[1:]. """ with tf.name_scope(scope, 'MatMulGather'): params_shape = shape_utils.combined_static_and_dynamic_shape(params) indices_shape = shape_utils.combined_static_and_dynamic_shape(indices) params2d = tf.reshape(params, [params_shape[0], -1]) indicator_matrix = tf.one_hot(indices, params_shape[0]) gathered_result_flattened = tf.matmul(indicator_matrix, params2d) return tf.reshape(gathered_result_flattened, tf.stack(indices_shape + params_shape[1:])) def fpn_feature_levels(num_levels, unit_scale_index, image_ratio, boxes): """Returns fpn feature level for each box based on its area. See section 4.2 of https://arxiv.org/pdf/1612.03144.pdf for details. Args: num_levels: An integer indicating the number of feature levels to crop boxes from. unit_scale_index: An 0-based integer indicating the index of feature map which most closely matches the resolution of the pretrained model. image_ratio: A float indicating the ratio of input image area to pretraining image area. boxes: A float tensor of shape [batch, num_boxes, 4] containing boxes of the form [ymin, xmin, ymax, xmax] in normalized coordinates. Returns: An int32 tensor of shape [batch_size, num_boxes] containing feature indices. """ assert num_levels > 0, ( '`num_levels` must be > 0. Found {}'.format(num_levels)) assert unit_scale_index < num_levels and unit_scale_index >= 0, ( '`unit_scale_index` must be in [0, {}). Found {}.'.format( num_levels, unit_scale_index)) box_height_width = boxes[:, :, 2:4] - boxes[:, :, 0:2] areas_sqrt = tf.sqrt(tf.reduce_prod(box_height_width, axis=2)) log_2 = tf.cast(tf.log(2.0), dtype=boxes.dtype) levels = tf.cast( tf.floordiv(tf.log(areas_sqrt * image_ratio), log_2) + unit_scale_index, dtype=tf.int32) levels = tf.maximum(0, tf.minimum(num_levels - 1, levels)) return levels def bfloat16_to_float32_nested(input_nested): """Convert float32 tensors in a nested structure to bfloat16. Args: input_nested: A Python dict, values being Tensor or Python list/tuple of Tensor or Non-Tensor. Returns: A Python dict with the same structure as `tensor_dict`, with all bfloat16 tensors converted to float32. """ if isinstance(input_nested, tf.Tensor): if input_nested.dtype == tf.bfloat16: return tf.cast(input_nested, dtype=tf.float32) else: return input_nested elif isinstance(input_nested, (list, tuple)): out_tensor_dict = [bfloat16_to_float32_nested(t) for t in input_nested] elif isinstance(input_nested, dict): out_tensor_dict = { k: bfloat16_to_float32_nested(v) for k, v in input_nested.items() } else: return input_nested return out_tensor_dict def gather_with_padding_values(input_tensor, indices, padding_value): """Gathers elements from tensor and pads `padding_value` for ignore indices. Gathers elements from `input_tensor` based on `indices`. If there are ignore indices (which are "-1"s) in `indices`, `padding_value` will be gathered for those positions. Args: input_tensor: A N-D tensor of shape [M, d_1, d_2 .. d_(N-1)] to gather values from. indices: A 1-D tensor in which each element is either an index in the first dimension of input_tensor or -1. padding_value: A (N-1)-D tensor of shape [d_1, d_2 .. d_(N-1)] which will be used as gathered value for each ignore index in `indices`. Returns: gathered_tensor: A tensor of shape [L, d_1, d_2 .. d_(N-1)] containing values gathered from input_tensor. The first dimension L is equal to the length of `indices`. """ padding_value = tf.expand_dims(padding_value, axis=0) input_tensor = tf.concat([padding_value, input_tensor], axis=0) gather_indices = indices + 1 gathered_tensor = tf.gather(input_tensor, gather_indices) return gathered_tensor EqualizationLossConfig = collections.namedtuple('EqualizationLossConfig', ['weight', 'exclude_prefixes']) def tile_context_tensors(tensor_dict): """Tiles context fields to have num_frames along 0-th dimension.""" num_frames = tf.shape(tensor_dict[fields.InputDataFields.image])[0] for key in tensor_dict: if key not in fields.SEQUENCE_FIELDS: original_tensor = tensor_dict[key] tensor_shape = shape_utils.combined_static_and_dynamic_shape( original_tensor) tensor_dict[key] = tf.tile( tf.expand_dims(original_tensor, 0), tf.stack([num_frames] + [1] * len(tensor_shape), axis=0)) return tensor_dict def decode_image(tensor_dict): """Decodes images in a tensor dict.""" tensor_dict[fields.InputDataFields.image] = tf.io.decode_image( tensor_dict[fields.InputDataFields.image], channels=3) tensor_dict[fields.InputDataFields.image].set_shape([None, None, 3]) return tensor_dict def giou(boxes1, boxes2): """Computes generalized IOU between two tensors. Each box should be represented as [ymin, xmin, ymax, xmax]. Args: boxes1: a tensor with shape [num_boxes, 4] boxes2: a tensor with shape [num_boxes, 4] Returns: a tensor of shape [num_boxes] containing GIoUs """ def _two_boxes_giou(boxes): """Compute giou between two boxes.""" boxes1, boxes2 = boxes pred_ymin, pred_xmin, pred_ymax, pred_xmax = tf.unstack(boxes1) gt_ymin, gt_xmin, gt_ymax, gt_xmax = tf.unstack(boxes2) gt_area = (gt_ymax - gt_ymin) * (gt_xmax - gt_xmin) pred_area = (pred_ymax - pred_ymin) * (pred_xmax - pred_xmin) x1_i = tf.maximum(pred_xmin, gt_xmin) x2_i = tf.minimum(pred_xmax, gt_xmax) y1_i = tf.maximum(pred_ymin, gt_ymin) y2_i = tf.minimum(pred_ymax, gt_ymax) intersection_area = tf.maximum(0.0, y2_i - y1_i) * tf.maximum(0.0, x2_i - x1_i) x1_c = tf.minimum(pred_xmin, gt_xmin) x2_c = tf.maximum(pred_xmax, gt_xmax) y1_c = tf.minimum(pred_ymin, gt_ymin) y2_c = tf.maximum(pred_ymax, gt_ymax) hull_area = (y2_c - y1_c) * (x2_c - x1_c) union_area = gt_area + pred_area - intersection_area iou = tf.where( tf.equal(union_area, 0.0), 0.0, intersection_area / union_area) giou_ = iou - tf.where(hull_area > 0.0, (hull_area - union_area) / hull_area, iou) return giou_ return shape_utils.static_or_dynamic_map_fn(_two_boxes_giou, [boxes1, boxes2]) def center_to_corner_coordinate(input_tensor): """Converts input boxes from center to corner representation.""" reshaped_encodings = tf.reshape(input_tensor, [-1, 4]) ycenter = tf.gather(reshaped_encodings, [0], axis=1) xcenter = tf.gather(reshaped_encodings, [1], axis=1) h = tf.gather(reshaped_encodings, [2], axis=1) w = tf.gather(reshaped_encodings, [3], axis=1) ymin = ycenter - h / 2. xmin = xcenter - w / 2. ymax = ycenter + h / 2. xmax = xcenter + w / 2. return tf.squeeze(tf.stack([ymin, xmin, ymax, xmax], axis=1))
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/ops.py
ops.py
"""Utility functions used by target assigner.""" import tensorflow.compat.v1 as tf from object_detection.utils import shape_utils def image_shape_to_grids(height, width): """Computes xy-grids given the shape of the image. Args: height: The height of the image. width: The width of the image. Returns: A tuple of two tensors: y_grid: A float tensor with shape [height, width] representing the y-coordinate of each pixel grid. x_grid: A float tensor with shape [height, width] representing the x-coordinate of each pixel grid. """ out_height = tf.cast(height, tf.float32) out_width = tf.cast(width, tf.float32) x_range = tf.range(out_width, dtype=tf.float32) y_range = tf.range(out_height, dtype=tf.float32) x_grid, y_grid = tf.meshgrid(x_range, y_range, indexing='xy') return (y_grid, x_grid) def _coordinates_to_heatmap_dense(y_grid, x_grid, y_coordinates, x_coordinates, sigma, channel_onehot, channel_weights=None): """Dense version of coordinates to heatmap that uses an outer product.""" num_instances, num_channels = ( shape_utils.combined_static_and_dynamic_shape(channel_onehot)) x_grid = tf.expand_dims(x_grid, 2) y_grid = tf.expand_dims(y_grid, 2) # The raw center coordinates in the output space. x_diff = x_grid - tf.math.floor(x_coordinates) y_diff = y_grid - tf.math.floor(y_coordinates) squared_distance = x_diff**2 + y_diff**2 gaussian_map = tf.exp(-squared_distance / (2 * sigma * sigma)) reshaped_gaussian_map = tf.expand_dims(gaussian_map, axis=-1) reshaped_channel_onehot = tf.reshape(channel_onehot, (1, 1, num_instances, num_channels)) gaussian_per_box_per_class_map = ( reshaped_gaussian_map * reshaped_channel_onehot) if channel_weights is not None: reshaped_weights = tf.reshape(channel_weights, (1, 1, num_instances, 1)) gaussian_per_box_per_class_map *= reshaped_weights # Take maximum along the "instance" dimension so that all per-instance # heatmaps of the same class are merged together. heatmap = tf.reduce_max(gaussian_per_box_per_class_map, axis=2) # Maximum of an empty tensor is -inf, the following is to avoid that. heatmap = tf.maximum(heatmap, 0) return tf.stop_gradient(heatmap) def _coordinates_to_heatmap_sparse(y_grid, x_grid, y_coordinates, x_coordinates, sigma, channel_onehot, channel_weights=None): """Sparse version of coordinates to heatmap using tf.scatter.""" if not hasattr(tf, 'tensor_scatter_nd_max'): raise RuntimeError( ('Please upgrade tensowflow to use `tensor_scatter_nd_max` or set ' 'compute_heatmap_sparse=False')) _, num_channels = ( shape_utils.combined_static_and_dynamic_shape(channel_onehot)) height, width = shape_utils.combined_static_and_dynamic_shape(y_grid) x_grid = tf.expand_dims(x_grid, 2) y_grid = tf.expand_dims(y_grid, 2) # The raw center coordinates in the output space. x_diff = x_grid - tf.math.floor(x_coordinates) y_diff = y_grid - tf.math.floor(y_coordinates) squared_distance = x_diff**2 + y_diff**2 gaussian_map = tf.exp(-squared_distance / (2 * sigma * sigma)) if channel_weights is not None: gaussian_map = gaussian_map * channel_weights[tf.newaxis, tf.newaxis, :] channel_indices = tf.argmax(channel_onehot, axis=1) channel_indices = channel_indices[:, tf.newaxis] heatmap_init = tf.zeros((num_channels, height, width)) gaussian_map = tf.transpose(gaussian_map, (2, 0, 1)) heatmap = tf.tensor_scatter_nd_max( heatmap_init, channel_indices, gaussian_map) # Maximum of an empty tensor is -inf, the following is to avoid that. heatmap = tf.maximum(heatmap, 0) return tf.stop_gradient(tf.transpose(heatmap, (1, 2, 0))) def coordinates_to_heatmap(y_grid, x_grid, y_coordinates, x_coordinates, sigma, channel_onehot, channel_weights=None, sparse=False): """Returns the heatmap targets from a set of point coordinates. This function maps a set of point coordinates to the output heatmap image applied using a Gaussian kernel. Note that this function be can used by both object detection and keypoint estimation tasks. For object detection, the "channel" refers to the object class. For keypoint estimation, the "channel" refers to the number of keypoint types. Args: y_grid: A 2D tensor with shape [height, width] which contains the grid y-coordinates given in the (output) image dimensions. x_grid: A 2D tensor with shape [height, width] which contains the grid x-coordinates given in the (output) image dimensions. y_coordinates: A 1D tensor with shape [num_instances] representing the y-coordinates of the instances in the output space coordinates. x_coordinates: A 1D tensor with shape [num_instances] representing the x-coordinates of the instances in the output space coordinates. sigma: A 1D tensor with shape [num_instances] representing the standard deviation of the Gaussian kernel to be applied to the point. channel_onehot: A 2D tensor with shape [num_instances, num_channels] representing the one-hot encoded channel labels for each point. channel_weights: A 1D tensor with shape [num_instances] corresponding to the weight of each instance. sparse: bool, indicating whether or not to use the sparse implementation of the function. The sparse version scales better with number of channels, but in some cases is known to cause OOM error. See (b/170989061). Returns: heatmap: A tensor of size [height, width, num_channels] representing the heatmap. Output (height, width) match the dimensions of the input grids. """ if sparse: return _coordinates_to_heatmap_sparse( y_grid, x_grid, y_coordinates, x_coordinates, sigma, channel_onehot, channel_weights) else: return _coordinates_to_heatmap_dense( y_grid, x_grid, y_coordinates, x_coordinates, sigma, channel_onehot, channel_weights) def compute_floor_offsets_with_indices(y_source, x_source, y_target=None, x_target=None): """Computes offsets from floored source(floored) to target coordinates. This function computes the offsets from source coordinates ("floored" as if they were put on the grids) to target coordinates. Note that the input coordinates should be the "absolute" coordinates in terms of the output image dimensions as opposed to the normalized coordinates (i.e. values in [0, 1]). If the input y and x source have the second dimension (representing the neighboring pixels), then the offsets are computed from each of the neighboring pixels to their corresponding target (first dimension). Args: y_source: A tensor with shape [num_points] (or [num_points, num_neighbors]) representing the absolute y-coordinates (in the output image space) of the source points. x_source: A tensor with shape [num_points] (or [num_points, num_neighbors]) representing the absolute x-coordinates (in the output image space) of the source points. y_target: A tensor with shape [num_points] representing the absolute y-coordinates (in the output image space) of the target points. If not provided, then y_source is used as the targets. x_target: A tensor with shape [num_points] representing the absolute x-coordinates (in the output image space) of the target points. If not provided, then x_source is used as the targets. Returns: A tuple of two tensors: offsets: A tensor with shape [num_points, 2] (or [num_points, num_neighbors, 2]) representing the offsets of each input point. indices: A tensor with shape [num_points, 2] (or [num_points, num_neighbors, 2]) representing the indices of where the offsets should be retrieved in the output image dimension space. Raise: ValueError: source and target shapes have unexpected values. """ y_source_floored = tf.floor(y_source) x_source_floored = tf.floor(x_source) source_shape = shape_utils.combined_static_and_dynamic_shape(y_source) if y_target is None and x_target is None: y_target = y_source x_target = x_source else: target_shape = shape_utils.combined_static_and_dynamic_shape(y_target) if len(source_shape) == 2 and len(target_shape) == 1: _, num_neighbors = source_shape y_target = tf.tile( tf.expand_dims(y_target, -1), multiples=[1, num_neighbors]) x_target = tf.tile( tf.expand_dims(x_target, -1), multiples=[1, num_neighbors]) elif source_shape != target_shape: raise ValueError('Inconsistent source and target shape.') y_offset = y_target - y_source_floored x_offset = x_target - x_source_floored y_source_indices = tf.cast(y_source_floored, tf.int32) x_source_indices = tf.cast(x_source_floored, tf.int32) indices = tf.stack([y_source_indices, x_source_indices], axis=-1) offsets = tf.stack([y_offset, x_offset], axis=-1) return offsets, indices def get_valid_keypoint_mask_for_class(keypoint_coordinates, class_id, class_onehot, class_weights=None, keypoint_indices=None): """Mask keypoints by their class ids and indices. For a given task, we may want to only consider a subset of instances or keypoints. This function is used to provide the mask (in terms of weights) to mark those elements which should be considered based on the classes of the instances and optionally, their keypoint indices. Note that the NaN values in the keypoints will also be masked out. Args: keypoint_coordinates: A float tensor with shape [num_instances, num_keypoints, 2] which contains the coordinates of each keypoint. class_id: An integer representing the target class id to be selected. class_onehot: A 2D tensor of shape [num_instances, num_classes] repesents the onehot (or k-hot) encoding of the class for each instance. class_weights: A 1D tensor of shape [num_instances] repesents the weight of each instance. If not provided, all instances are weighted equally. keypoint_indices: A list of integers representing the keypoint indices used to select the values on the keypoint dimension. If provided, the output dimension will be [num_instances, len(keypoint_indices)] Returns: A tuple of tensors: mask: A float tensor of shape [num_instances, K], where K is num_keypoints or len(keypoint_indices) if provided. The tensor has values either 0 or 1 indicating whether an element in the input keypoints should be used. keypoints_nan_to_zeros: Same as input keypoints with the NaN values replaced by zeros and selected columns corresponding to the keypoint_indices (if provided). The shape of this tensor will always be the same as the output mask. """ num_keypoints = tf.shape(keypoint_coordinates)[1] class_mask = class_onehot[:, class_id] reshaped_class_mask = tf.tile( tf.expand_dims(class_mask, axis=-1), multiples=[1, num_keypoints]) not_nan = tf.math.logical_not(tf.math.is_nan(keypoint_coordinates)) mask = reshaped_class_mask * tf.cast(not_nan[:, :, 0], dtype=tf.float32) keypoints_nan_to_zeros = tf.where(not_nan, keypoint_coordinates, tf.zeros_like(keypoint_coordinates)) if class_weights is not None: reshaped_class_weight = tf.tile( tf.expand_dims(class_weights, axis=-1), multiples=[1, num_keypoints]) mask = mask * reshaped_class_weight if keypoint_indices is not None: mask = tf.gather(mask, indices=keypoint_indices, axis=1) keypoints_nan_to_zeros = tf.gather( keypoints_nan_to_zeros, indices=keypoint_indices, axis=1) return mask, keypoints_nan_to_zeros def blackout_pixel_weights_by_box_regions(height, width, boxes, blackout): """Blackout the pixel weights in the target box regions. This function is used to generate the pixel weight mask (usually in the output image dimension). The mask is to ignore some regions when computing loss. Args: height: int, height of the (output) image. width: int, width of the (output) image. boxes: A float tensor with shape [num_instances, 4] indicating the coordinates of the four corners of the boxes. blackout: A boolean tensor with shape [num_instances] indicating whether to blackout (zero-out) the weights within the box regions. Returns: A float tensor with shape [height, width] where all values within the regions of the blackout boxes are 0.0 and 1.0 else where. """ num_instances, _ = shape_utils.combined_static_and_dynamic_shape(boxes) # If no annotation instance is provided, return all ones (instead of # unexpected values) to avoid NaN loss value. if num_instances == 0: return tf.ones([height, width], dtype=tf.float32) (y_grid, x_grid) = image_shape_to_grids(height, width) y_grid = tf.expand_dims(y_grid, axis=0) x_grid = tf.expand_dims(x_grid, axis=0) y_min = tf.expand_dims(boxes[:, 0:1], axis=-1) x_min = tf.expand_dims(boxes[:, 1:2], axis=-1) y_max = tf.expand_dims(boxes[:, 2:3], axis=-1) x_max = tf.expand_dims(boxes[:, 3:], axis=-1) # Make the mask with all 1.0 in the box regions. # Shape: [num_instances, height, width] in_boxes = tf.cast( tf.logical_and( tf.logical_and(y_grid >= y_min, y_grid <= y_max), tf.logical_and(x_grid >= x_min, x_grid <= x_max)), dtype=tf.float32) # Shape: [num_instances, height, width] blackout = tf.tile( tf.expand_dims(tf.expand_dims(blackout, axis=-1), axis=-1), [1, height, width]) # Select only the boxes specified by blackout. selected_in_boxes = tf.where(blackout, in_boxes, tf.zeros_like(in_boxes)) out_boxes = tf.reduce_max(selected_in_boxes, axis=0) out_boxes = tf.ones_like(out_boxes) - out_boxes return out_boxes def _get_yx_indices_offset_by_radius(radius): """Gets the y and x index offsets that are within the radius.""" y_offsets = [] x_offsets = [] for y_offset in range(-radius, radius + 1, 1): for x_offset in range(-radius, radius + 1, 1): if x_offset ** 2 + y_offset ** 2 <= radius ** 2: y_offsets.append(y_offset) x_offsets.append(x_offset) return (tf.constant(y_offsets, dtype=tf.float32), tf.constant(x_offsets, dtype=tf.float32)) def get_surrounding_grids(height, width, y_coordinates, x_coordinates, radius): """Gets the indices of the surrounding pixels of the input y, x coordinates. This function returns the pixel indices corresponding to the (floor of the) input coordinates and their surrounding pixels within the radius. If the radius is set to 0, then only the pixels that correspond to the floor of the coordinates will be returned. If the radius is larger than 0, then all of the pixels within the radius of the "floor pixels" will also be returned. For example, if the input coorindate is [2.1, 3.5] and radius is 1, then the five pixel indices will be returned: [2, 3], [1, 3], [2, 2], [2, 4], [3, 3]. Also, if the surrounding pixels are outside of valid image region, then the returned pixel indices will be [0, 0] and its corresponding "valid" value will be False. Args: height: int, the height of the output image. width: int, the width of the output image. y_coordinates: A tensor with shape [num_points] representing the absolute y-coordinates (in the output image space) of the points. x_coordinates: A tensor with shape [num_points] representing the absolute x-coordinates (in the output image space) of the points. radius: int, the radius of the neighboring pixels to be considered and returned. If set to 0, then only the pixel indices corresponding to the floor of the input coordinates will be returned. Returns: A tuple of three tensors: y_indices: A [num_points, num_neighbors] float tensor representing the pixel y indices corresponding to the input points within radius. The "num_neighbors" is determined by the size of the radius. x_indices: A [num_points, num_neighbors] float tensor representing the pixel x indices corresponding to the input points within radius. The "num_neighbors" is determined by the size of the radius. valid: A [num_points, num_neighbors] boolean tensor representing whether each returned index is in valid image region or not. """ # Floored y, x: [num_points, 1]. y_center = tf.expand_dims(tf.math.floor(y_coordinates), axis=-1) x_center = tf.expand_dims(tf.math.floor(x_coordinates), axis=-1) y_offsets, x_offsets = _get_yx_indices_offset_by_radius(radius) # Indices offsets: [1, num_neighbors]. y_offsets = tf.expand_dims(y_offsets, axis=0) x_offsets = tf.expand_dims(x_offsets, axis=0) # Floor + offsets: [num_points, num_neighbors]. y_output = y_center + y_offsets x_output = x_center + x_offsets default_output = tf.zeros_like(y_output) valid = tf.logical_and( tf.logical_and(x_output >= 0, x_output < width), tf.logical_and(y_output >= 0, y_output < height)) y_output = tf.where(valid, y_output, default_output) x_output = tf.where(valid, x_output, default_output) return (y_output, x_output, valid)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/target_assigner_utils.py
target_assigner_utils.py
from six.moves import range import tensorflow as tf from object_detection.utils import ops from object_detection.utils import shape_utils def create_conv_block(name, num_filters, kernel_size, strides, padding, use_separable, apply_batchnorm, apply_activation, conv_hyperparams, is_training, freeze_batchnorm, conv_bn_act_pattern=True): """Create Keras layers for regular or separable convolutions. Args: name: String. The name of the layer. num_filters: Number of filters (channels) for the output feature maps. kernel_size: A list of length 2: [kernel_height, kernel_width] of the filters, or a single int if both values are the same. strides: A list of length 2: [stride_height, stride_width], specifying the convolution stride, or a single int if both strides are the same. padding: One of 'VALID' or 'SAME'. use_separable: Bool. Whether to use depthwise separable convolution instead of regular convolution. apply_batchnorm: Bool. Whether to apply a batch normalization layer after convolution, constructed according to the conv_hyperparams. apply_activation: Bool. Whether to apply an activation layer after convolution, constructed according to the conv_hyperparams. conv_hyperparams: A `hyperparams_builder.KerasLayerHyperparams` object containing hyperparameters for convolution ops. is_training: Bool. Whether the feature generator is in training mode. freeze_batchnorm: Bool. Whether to freeze batch norm parameters during training or not. When training with a small batch size (e.g. 1), it is desirable to freeze batch norm update and use pretrained batch norm params. conv_bn_act_pattern: Bool. By default, when True, the layers returned by this function are in the order [conv, batchnorm, activation]. Otherwise, when False, the order of the layers is [activation, conv, batchnorm]. Returns: A list of keras layers, including (regular or seperable) convolution, and optionally batch normalization and activation layers. """ layers = [] if use_separable: kwargs = conv_hyperparams.params() # Both the regularizer and initializer apply to the depthwise layer, # so we remap the kernel_* to depthwise_* here. kwargs['depthwise_regularizer'] = kwargs['kernel_regularizer'] kwargs['depthwise_initializer'] = kwargs['kernel_initializer'] # TODO(aom): Verify that the pointwise regularizer/initializer should be set # here, since this is not the case in feature_map_generators.py kwargs['pointwise_regularizer'] = kwargs['kernel_regularizer'] kwargs['pointwise_initializer'] = kwargs['kernel_initializer'] layers.append( tf.keras.layers.SeparableConv2D( filters=num_filters, kernel_size=kernel_size, depth_multiplier=1, padding=padding, strides=strides, name=name + 'separable_conv', **kwargs)) else: layers.append( tf.keras.layers.Conv2D( filters=num_filters, kernel_size=kernel_size, padding=padding, strides=strides, name=name + 'conv', **conv_hyperparams.params())) if apply_batchnorm: layers.append( conv_hyperparams.build_batch_norm( training=(is_training and not freeze_batchnorm), name=name + 'batchnorm')) if apply_activation: activation_layer = conv_hyperparams.build_activation_layer( name=name + 'activation') if conv_bn_act_pattern: layers.append(activation_layer) else: layers = [activation_layer] + layers return layers def create_downsample_feature_map_ops(scale, downsample_method, conv_hyperparams, is_training, freeze_batchnorm, name): """Creates Keras layers for downsampling feature maps. Args: scale: Int. The scale factor by which to downsample input feature maps. For example, in the case of a typical feature map pyramid, the scale factor between level_i and level_i+1 is 2. downsample_method: String. The method used for downsampling. Currently supported methods include 'max_pooling', 'avg_pooling', and 'depthwise_conv'. conv_hyperparams: A `hyperparams_builder.KerasLayerHyperparams` object containing hyperparameters for convolution ops. is_training: Bool. Whether the feature generator is in training mode. freeze_batchnorm: Bool. Whether to freeze batch norm parameters during training or not. When training with a small batch size (e.g. 1), it is desirable to freeze batch norm update and use pretrained batch norm params. name: String. The name used to prefix the constructed layers. Returns: A list of Keras layers which will downsample input feature maps by the desired scale factor. """ layers = [] padding = 'SAME' stride = int(scale) kernel_size = stride + 1 if downsample_method == 'max_pooling': layers.append( tf.keras.layers.MaxPooling2D( pool_size=kernel_size, strides=stride, padding=padding, name=name + 'downsample_max_x{}'.format(stride))) elif downsample_method == 'avg_pooling': layers.append( tf.keras.layers.AveragePooling2D( pool_size=kernel_size, strides=stride, padding=padding, name=name + 'downsample_avg_x{}'.format(stride))) elif downsample_method == 'depthwise_conv': layers.append( tf.keras.layers.DepthwiseConv2D( kernel_size=kernel_size, strides=stride, padding=padding, name=name + 'downsample_depthwise_x{}'.format(stride))) layers.append( conv_hyperparams.build_batch_norm( training=(is_training and not freeze_batchnorm), name=name + 'downsample_batchnorm')) layers.append( conv_hyperparams.build_activation_layer(name=name + 'downsample_activation')) else: raise ValueError('Unknown downsample method: {}'.format(downsample_method)) return layers def create_upsample_feature_map_ops(scale, use_native_resize_op, name): """Creates Keras layers for upsampling feature maps. Args: scale: Int. The scale factor by which to upsample input feature maps. For example, in the case of a typical feature map pyramid, the scale factor between level_i and level_i-1 is 2. use_native_resize_op: If True, uses tf.image.resize_nearest_neighbor op for the upsampling process instead of reshape and broadcasting implementation. name: String. The name used to prefix the constructed layers. Returns: A list of Keras layers which will upsample input feature maps by the desired scale factor. """ layers = [] if use_native_resize_op: def resize_nearest_neighbor(image): image_shape = shape_utils.combined_static_and_dynamic_shape(image) return tf.image.resize_nearest_neighbor( image, [image_shape[1] * scale, image_shape[2] * scale]) layers.append( tf.keras.layers.Lambda( resize_nearest_neighbor, name=name + 'nearest_neighbor_upsampling_x{}'.format(scale))) else: def nearest_neighbor_upsampling(image): return ops.nearest_neighbor_upsampling(image, scale=scale) layers.append( tf.keras.layers.Lambda( nearest_neighbor_upsampling, name=name + 'nearest_neighbor_upsampling_x{}'.format(scale))) return layers def create_resample_feature_map_ops(input_scale_factor, output_scale_factor, downsample_method, use_native_resize_op, conv_hyperparams, is_training, freeze_batchnorm, name): """Creates Keras layers for downsampling or upsampling feature maps. Args: input_scale_factor: Int. Scale factor of the input feature map. For example, for a feature pyramid where each successive level halves its spatial resolution, the scale factor of a level is 2^level. The input and output scale factors are used to compute the scale for upsampling or downsamling, so they should be evenly divisible. output_scale_factor: Int. Scale factor of the output feature map. See input_scale_factor for additional details. downsample_method: String. The method used for downsampling. See create_downsample_feature_map_ops for details on supported methods. use_native_resize_op: If True, uses tf.image.resize_nearest_neighbor op for the upsampling process instead of reshape and broadcasting implementation. See create_upsample_feature_map_ops for details. conv_hyperparams: A `hyperparams_builder.KerasLayerHyperparams` object containing hyperparameters for convolution ops. is_training: Bool. Whether the feature generator is in training mode. freeze_batchnorm: Bool. Whether to freeze batch norm parameters during training or not. When training with a small batch size (e.g. 1), it is desirable to freeze batch norm update and use pretrained batch norm params. name: String. The name used to prefix the constructed layers. Returns: A list of Keras layers which will downsample or upsample input feature maps to match the desired output feature map scale. """ if input_scale_factor < output_scale_factor: if output_scale_factor % input_scale_factor != 0: raise ValueError('Invalid scale factor: input scale 1/{} not divisible by' 'output scale 1/{}'.format(input_scale_factor, output_scale_factor)) scale = output_scale_factor // input_scale_factor return create_downsample_feature_map_ops(scale, downsample_method, conv_hyperparams, is_training, freeze_batchnorm, name) elif input_scale_factor > output_scale_factor: if input_scale_factor % output_scale_factor != 0: raise ValueError('Invalid scale factor: input scale 1/{} not a divisor of' 'output scale 1/{}'.format(input_scale_factor, output_scale_factor)) scale = input_scale_factor // output_scale_factor return create_upsample_feature_map_ops(scale, use_native_resize_op, name) else: return [] # TODO(aom): Add tests for this module in a followup CL. class BiFPNCombineLayer(tf.keras.layers.Layer): """Combines multiple input feature maps into a single output feature map. A Keras layer which combines multiple input feature maps into a single output feature map, according to the desired combination method. Options for combining feature maps include simple summation, or several types of weighted sums using learned weights for each input feature map. These include 'weighted_sum', 'attention', and 'fast_attention'. For more details, see the EfficientDet paper by Tan et al, see arxiv.org/abs/1911.09070. Specifically, this layer takes a list of tensors as input, all of the same shape, and returns a single tensor, also of the same shape. """ def __init__(self, combine_method, **kwargs): """Constructor. Args: combine_method: String. The method used to combine the input feature maps into a single output feature map. One of 'sum', 'weighted_sum', 'attention', or 'fast_attention'. **kwargs: Additional Keras layer arguments. """ super(BiFPNCombineLayer, self).__init__(**kwargs) self.combine_method = combine_method def _combine_weighted_sum(self, inputs): return tf.squeeze( tf.linalg.matmul(tf.stack(inputs, axis=-1), self.per_input_weights), axis=[-1]) def _combine_attention(self, inputs): normalized_weights = tf.nn.softmax(self.per_input_weights) return tf.squeeze( tf.linalg.matmul(tf.stack(inputs, axis=-1), normalized_weights), axis=[-1]) def _combine_fast_attention(self, inputs): weights_non_neg = tf.nn.relu(self.per_input_weights) normalizer = tf.reduce_sum(weights_non_neg) + 0.0001 normalized_weights = weights_non_neg / normalizer return tf.squeeze( tf.linalg.matmul(tf.stack(inputs, axis=-1), normalized_weights), axis=[-1]) def build(self, input_shape): if not isinstance(input_shape, list): raise ValueError('A BiFPN combine layer should be called ' 'on a list of inputs.') if len(input_shape) < 2: raise ValueError('A BiFPN combine layer should be called ' 'on a list of at least 2 inputs. ' 'Got ' + str(len(input_shape)) + ' inputs.') if self.combine_method == 'sum': self._combine_op = tf.keras.layers.Add() elif self.combine_method == 'weighted_sum': self._combine_op = self._combine_weighted_sum elif self.combine_method == 'attention': self._combine_op = self._combine_attention elif self.combine_method == 'fast_attention': self._combine_op = self._combine_fast_attention else: raise ValueError('Unknown combine type: {}'.format(self.combine_method)) if self.combine_method in {'weighted_sum', 'attention', 'fast_attention'}: self.per_input_weights = self.add_weight( name='bifpn_combine_weights', shape=(len(input_shape), 1), initializer='ones', trainable=True) super(BiFPNCombineLayer, self).build(input_shape) def call(self, inputs): """Combines multiple input feature maps into a single output feature map. Executed when calling the `.__call__` method on input. Args: inputs: A list of tensors where all tensors have the same shape, [batch, height_i, width_i, depth_i]. Returns: A single tensor, with the same shape as the input tensors, [batch, height_i, width_i, depth_i]. """ return self._combine_op(inputs) def compute_output_shape(self, input_shape): output_shape = input_shape[0] for i in range(1, len(input_shape)): if input_shape[i] != output_shape: raise ValueError( 'Inputs could not be combined. Shapes should match, ' 'but input_shape[0] is {} while input_shape[{}] is {}'.format( output_shape, i, input_shape[i]))
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/bifpn_utils.py
bifpn_utils.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np def area(boxes): """Computes area of boxes. Args: boxes: Numpy array with shape [N, 4] holding N boxes Returns: a numpy array with shape [N*1] representing box areas """ return (boxes[:, 2] - boxes[:, 0]) * (boxes[:, 3] - boxes[:, 1]) def intersection(boxes1, boxes2): """Compute pairwise intersection areas between boxes. Args: boxes1: a numpy array with shape [N, 4] holding N boxes boxes2: a numpy array with shape [M, 4] holding M boxes Returns: a numpy array with shape [N*M] representing pairwise intersection area """ [y_min1, x_min1, y_max1, x_max1] = np.split(boxes1, 4, axis=1) [y_min2, x_min2, y_max2, x_max2] = np.split(boxes2, 4, axis=1) all_pairs_min_ymax = np.minimum(y_max1, np.transpose(y_max2)) all_pairs_max_ymin = np.maximum(y_min1, np.transpose(y_min2)) intersect_heights = np.maximum( np.zeros(all_pairs_max_ymin.shape), all_pairs_min_ymax - all_pairs_max_ymin) all_pairs_min_xmax = np.minimum(x_max1, np.transpose(x_max2)) all_pairs_max_xmin = np.maximum(x_min1, np.transpose(x_min2)) intersect_widths = np.maximum( np.zeros(all_pairs_max_xmin.shape), all_pairs_min_xmax - all_pairs_max_xmin) return intersect_heights * intersect_widths def iou(boxes1, boxes2): """Computes pairwise intersection-over-union between box collections. Args: boxes1: a numpy array with shape [N, 4] holding N boxes. boxes2: a numpy array with shape [M, 4] holding N boxes. Returns: a numpy array with shape [N, M] representing pairwise iou scores. """ intersect = intersection(boxes1, boxes2) area1 = area(boxes1) area2 = area(boxes2) union = np.expand_dims(area1, axis=1) + np.expand_dims( area2, axis=0) - intersect return intersect / union def ioa(boxes1, boxes2): """Computes pairwise intersection-over-area between box collections. Intersection-over-area (ioa) between two boxes box1 and box2 is defined as their intersection area over box2's area. Note that ioa is not symmetric, that is, IOA(box1, box2) != IOA(box2, box1). Args: boxes1: a numpy array with shape [N, 4] holding N boxes. boxes2: a numpy array with shape [M, 4] holding N boxes. Returns: a numpy array with shape [N, M] representing pairwise ioa scores. """ intersect = intersection(boxes1, boxes2) areas = np.expand_dims(area(boxes2), axis=0) return intersect / areas
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/np_box_ops.py
np_box_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf def extract_submodel(model, inputs, outputs, name=None): """Extracts a section of a Keras model into a new model. This method walks an existing model from the specified outputs back to the specified inputs in order to construct a new model containing only a portion of the old model, while sharing the layers and weights with the original model. WARNING: This method does not work for submodels containing layers that have been used multiple times in the original model, or in other models beyond the original model. (E.g. does not work for submodels that contain layers that use shared weights). This also means that multiple overlapping submodels cannot be extracted from the same model. It also relies on recursion and will hit python's recursion limit for large submodels. Args: model: The existing Keras model this method extracts a submodel from. inputs: The layer inputs in the existing model that start the submodel outputs: The layer outputs in the existing model that should be output by the submodel name: The name for the extracted model Returns: The extracted submodel specified by the given inputs and outputs """ output_to_layer = {} output_to_layer_input = {} for layer in model.layers: layer_output = layer.output layer_inputs = layer.input output_to_layer[layer_output.experimental_ref()] = layer output_to_layer_input[layer_output.experimental_ref()] = layer_inputs model_inputs_dict = {} memoized_results = {} # Relies on recursion, very low limit in python def _recurse_in_model(tensor): """Walk the existing model recursively to copy a submodel.""" if tensor.experimental_ref() in memoized_results: return memoized_results[tensor.experimental_ref()] if (tensor.experimental_ref() == inputs.experimental_ref()) or ( isinstance(inputs, list) and tensor in inputs): if tensor.experimental_ref() not in model_inputs_dict: model_inputs_dict[tensor.experimental_ref()] = tf.keras.layers.Input( tensor=tensor) out = model_inputs_dict[tensor.experimental_ref()] else: cur_inputs = output_to_layer_input[tensor.experimental_ref()] cur_layer = output_to_layer[tensor.experimental_ref()] if isinstance(cur_inputs, list): out = cur_layer([_recurse_in_model(inp) for inp in cur_inputs]) else: out = cur_layer(_recurse_in_model(cur_inputs)) memoized_results[tensor.experimental_ref()] = out return out if isinstance(outputs, list): model_outputs = [_recurse_in_model(tensor) for tensor in outputs] else: model_outputs = _recurse_in_model(outputs) if isinstance(inputs, list): model_inputs = [ model_inputs_dict[tensor.experimental_ref()] for tensor in inputs ] else: model_inputs = model_inputs_dict[inputs.experimental_ref()] return tf.keras.Model(inputs=model_inputs, outputs=model_outputs, name=name)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/model_util.py
model_util.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.utils import static_shape get_dim_as_int = static_shape.get_dim_as_int def _is_tensor(t): """Returns a boolean indicating whether the input is a tensor. Args: t: the input to be tested. Returns: a boolean that indicates whether t is a tensor. """ return isinstance(t, (tf.Tensor, tf.SparseTensor, tf.Variable)) def _set_dim_0(t, d0): """Sets the 0-th dimension of the input tensor. Args: t: the input tensor, assuming the rank is at least 1. d0: an integer indicating the 0-th dimension of the input tensor. Returns: the tensor t with the 0-th dimension set. """ t_shape = t.get_shape().as_list() t_shape[0] = d0 t.set_shape(t_shape) return t def pad_tensor(t, length): """Pads the input tensor with 0s along the first dimension up to the length. Args: t: the input tensor, assuming the rank is at least 1. length: a tensor of shape [1] or an integer, indicating the first dimension of the input tensor t after padding, assuming length <= t.shape[0]. Returns: padded_t: the padded tensor, whose first dimension is length. If the length is an integer, the first dimension of padded_t is set to length statically. """ # Computing the padding statically makes the operation work with XLA. rank = len(t.get_shape()) paddings = [[0 for _ in range(2)] for _ in range(rank)] t_d0 = tf.shape(t)[0] if isinstance(length, int) or len(length.get_shape()) == 0: # pylint:disable=g-explicit-length-test paddings[0][1] = length - t_d0 else: paddings[0][1] = length[0] - t_d0 return tf.pad(t, paddings) def clip_tensor(t, length): """Clips the input tensor along the first dimension up to the length. Args: t: the input tensor, assuming the rank is at least 1. length: a tensor of shape [1] or an integer, indicating the first dimension of the input tensor t after clipping, assuming length <= t.shape[0]. Returns: clipped_t: the clipped tensor, whose first dimension is length. If the length is an integer, the first dimension of clipped_t is set to length statically. """ clipped_t = tf.gather(t, tf.range(length)) if not _is_tensor(length): clipped_t = _set_dim_0(clipped_t, length) return clipped_t def pad_or_clip_tensor(t, length): """Pad or clip the input tensor along the first dimension. Args: t: the input tensor, assuming the rank is at least 1. length: a tensor of shape [1] or an integer, indicating the first dimension of the input tensor t after processing. Returns: processed_t: the processed tensor, whose first dimension is length. If the length is an integer, the first dimension of the processed tensor is set to length statically. """ return pad_or_clip_nd(t, [length] + t.shape.as_list()[1:]) def pad_or_clip_nd(tensor, output_shape): """Pad or Clip given tensor to the output shape. Args: tensor: Input tensor to pad or clip. output_shape: A list of integers / scalar tensors (or None for dynamic dim) representing the size to pad or clip each dimension of the input tensor. Returns: Input tensor padded and clipped to the output shape. """ tensor_shape = tf.shape(tensor) clip_size = [ tf.where(tensor_shape[i] - shape > 0, shape, -1) if shape is not None else -1 for i, shape in enumerate(output_shape) ] clipped_tensor = tf.slice( tensor, begin=tf.zeros(len(clip_size), dtype=tf.int32), size=clip_size) # Pad tensor if the shape of clipped tensor is smaller than the expected # shape. clipped_tensor_shape = tf.shape(clipped_tensor) trailing_paddings = [ shape - clipped_tensor_shape[i] if shape is not None else 0 for i, shape in enumerate(output_shape) ] paddings = tf.stack( [ tf.zeros(len(trailing_paddings), dtype=tf.int32), trailing_paddings ], axis=1) padded_tensor = tf.pad(clipped_tensor, paddings=paddings) output_static_shape = [ dim if not isinstance(dim, tf.Tensor) else None for dim in output_shape ] padded_tensor.set_shape(output_static_shape) return padded_tensor def combined_static_and_dynamic_shape(tensor): """Returns a list containing static and dynamic values for the dimensions. Returns a list of static and dynamic values for shape dimensions. This is useful to preserve static shapes when available in reshape operation. Args: tensor: A tensor of any type. Returns: A list of size tensor.shape.ndims containing integers or a scalar tensor. """ static_tensor_shape = tensor.shape.as_list() dynamic_tensor_shape = tf.shape(tensor) combined_shape = [] for index, dim in enumerate(static_tensor_shape): if dim is not None: combined_shape.append(dim) else: combined_shape.append(dynamic_tensor_shape[index]) return combined_shape def static_or_dynamic_map_fn(fn, elems, dtype=None, parallel_iterations=32, back_prop=True): """Runs map_fn as a (static) for loop when possible. This function rewrites the map_fn as an explicit unstack input -> for loop over function calls -> stack result combination. This allows our graphs to be acyclic when the batch size is static. For comparison, see https://www.tensorflow.org/api_docs/python/tf/map_fn. Note that `static_or_dynamic_map_fn` currently is not *fully* interchangeable with the default tf.map_fn function as it does not accept nested inputs (only Tensors or lists of Tensors). Likewise, the output of `fn` can only be a Tensor or list of Tensors. TODO(jonathanhuang): make this function fully interchangeable with tf.map_fn. Args: fn: The callable to be performed. It accepts one argument, which will have the same structure as elems. Its output must have the same structure as elems. elems: A tensor or list of tensors, each of which will be unpacked along their first dimension. The sequence of the resulting slices will be applied to fn. dtype: (optional) The output type(s) of fn. If fn returns a structure of Tensors differing from the structure of elems, then dtype is not optional and must have the same structure as the output of fn. parallel_iterations: (optional) number of batch items to process in parallel. This flag is only used if the native tf.map_fn is used and defaults to 32 instead of 10 (unlike the standard tf.map_fn default). back_prop: (optional) True enables support for back propagation. This flag is only used if the native tf.map_fn is used. Returns: A tensor or sequence of tensors. Each tensor packs the results of applying fn to tensors unpacked from elems along the first dimension, from first to last. Raises: ValueError: if `elems` a Tensor or a list of Tensors. ValueError: if `fn` does not return a Tensor or list of Tensors """ if isinstance(elems, list): for elem in elems: if not isinstance(elem, tf.Tensor): raise ValueError('`elems` must be a Tensor or list of Tensors.') elem_shapes = [elem.shape.as_list() for elem in elems] # Fall back on tf.map_fn if shapes of each entry of `elems` are None or fail # to all be the same size along the batch dimension. for elem_shape in elem_shapes: if (not elem_shape or not elem_shape[0] or elem_shape[0] != elem_shapes[0][0]): return tf.map_fn(fn, elems, dtype, parallel_iterations, back_prop) arg_tuples = zip(*[tf.unstack(elem) for elem in elems]) outputs = [fn(arg_tuple) for arg_tuple in arg_tuples] else: if not isinstance(elems, tf.Tensor): raise ValueError('`elems` must be a Tensor or list of Tensors.') elems_shape = elems.shape.as_list() if not elems_shape or not elems_shape[0]: return tf.map_fn(fn, elems, dtype, parallel_iterations, back_prop) outputs = [fn(arg) for arg in tf.unstack(elems)] # Stack `outputs`, which is a list of Tensors or list of lists of Tensors if all([isinstance(output, tf.Tensor) for output in outputs]): return tf.stack(outputs) else: if all([isinstance(output, list) for output in outputs]): if all([all( [isinstance(entry, tf.Tensor) for entry in output_list]) for output_list in outputs]): return [tf.stack(output_tuple) for output_tuple in zip(*outputs)] raise ValueError('`fn` should return a Tensor or a list of Tensors.') def check_min_image_dim(min_dim, image_tensor): """Checks that the image width/height are greater than some number. This function is used to check that the width and height of an image are above a certain value. If the image shape is static, this function will perform the check at graph construction time. Otherwise, if the image shape varies, an Assertion control dependency will be added to the graph. Args: min_dim: The minimum number of pixels along the width and height of the image. image_tensor: The image tensor to check size for. Returns: If `image_tensor` has dynamic size, return `image_tensor` with a Assert control dependency. Otherwise returns image_tensor. Raises: ValueError: if `image_tensor`'s' width or height is smaller than `min_dim`. """ image_shape = image_tensor.get_shape() image_height = static_shape.get_height(image_shape) image_width = static_shape.get_width(image_shape) if image_height is None or image_width is None: shape_assert = tf.Assert( tf.logical_and(tf.greater_equal(tf.shape(image_tensor)[1], min_dim), tf.greater_equal(tf.shape(image_tensor)[2], min_dim)), ['image size must be >= {} in both height and width.'.format(min_dim)]) with tf.control_dependencies([shape_assert]): return tf.identity(image_tensor) if image_height < min_dim or image_width < min_dim: raise ValueError( 'image size must be >= %d in both height and width; image dim = %d,%d' % (min_dim, image_height, image_width)) return image_tensor def assert_shape_equal(shape_a, shape_b): """Asserts that shape_a and shape_b are equal. If the shapes are static, raises a ValueError when the shapes mismatch. If the shapes are dynamic, raises a tf InvalidArgumentError when the shapes mismatch. Args: shape_a: a list containing shape of the first tensor. shape_b: a list containing shape of the second tensor. Returns: Either a tf.no_op() when shapes are all static and a tf.assert_equal() op when the shapes are dynamic. Raises: ValueError: When shapes are both static and unequal. """ if (all(isinstance(dim, int) for dim in shape_a) and all(isinstance(dim, int) for dim in shape_b)): if shape_a != shape_b: raise ValueError('Unequal shapes {}, {}'.format(shape_a, shape_b)) else: return tf.no_op() else: return tf.assert_equal(shape_a, shape_b) def assert_shape_equal_along_first_dimension(shape_a, shape_b): """Asserts that shape_a and shape_b are the same along the 0th-dimension. If the shapes are static, raises a ValueError when the shapes mismatch. If the shapes are dynamic, raises a tf InvalidArgumentError when the shapes mismatch. Args: shape_a: a list containing shape of the first tensor. shape_b: a list containing shape of the second tensor. Returns: Either a tf.no_op() when shapes are all static and a tf.assert_equal() op when the shapes are dynamic. Raises: ValueError: When shapes are both static and unequal. """ if isinstance(shape_a[0], int) and isinstance(shape_b[0], int): if shape_a[0] != shape_b[0]: raise ValueError('Unequal first dimension {}, {}'.format( shape_a[0], shape_b[0])) else: return tf.no_op() else: return tf.assert_equal(shape_a[0], shape_b[0]) def assert_box_normalized(boxes, maximum_normalized_coordinate=1.1): """Asserts the input box tensor is normalized. Args: boxes: a tensor of shape [N, 4] where N is the number of boxes. maximum_normalized_coordinate: Maximum coordinate value to be considered as normalized, default to 1.1. Returns: a tf.Assert op which fails when the input box tensor is not normalized. Raises: ValueError: When the input box tensor is not normalized. """ box_minimum = tf.reduce_min(boxes) box_maximum = tf.reduce_max(boxes) return tf.Assert( tf.logical_and( tf.less_equal(box_maximum, maximum_normalized_coordinate), tf.greater_equal(box_minimum, 0)), [boxes]) def flatten_dimensions(inputs, first, last): """Flattens `K-d` tensor along [first, last) dimensions. Converts `inputs` with shape [D0, D1, ..., D(K-1)] into a tensor of shape [D0, D1, ..., D(first) * D(first+1) * ... * D(last-1), D(last), ..., D(K-1)]. Example: `inputs` is a tensor with initial shape [10, 5, 20, 20, 3]. new_tensor = flatten_dimensions(inputs, first=1, last=3) new_tensor.shape -> [10, 100, 20, 3]. Args: inputs: a tensor with shape [D0, D1, ..., D(K-1)]. first: first value for the range of dimensions to flatten. last: last value for the range of dimensions to flatten. Note that the last dimension itself is excluded. Returns: a tensor with shape [D0, D1, ..., D(first) * D(first + 1) * ... * D(last - 1), D(last), ..., D(K-1)]. Raises: ValueError: if first and last arguments are incorrect. """ if first >= inputs.shape.ndims or last > inputs.shape.ndims: raise ValueError('`first` and `last` must be less than inputs.shape.ndims. ' 'found {} and {} respectively while ndims is {}'.format( first, last, inputs.shape.ndims)) shape = combined_static_and_dynamic_shape(inputs) flattened_dim_prod = tf.reduce_prod(shape[first:last], keepdims=True) new_shape = tf.concat([shape[:first], flattened_dim_prod, shape[last:]], axis=0) return tf.reshape(inputs, new_shape) def flatten_first_n_dimensions(inputs, n): """Flattens `K-d` tensor along first n dimension to be a `(K-n+1)-d` tensor. Converts `inputs` with shape [D0, D1, ..., D(K-1)] into a tensor of shape [D0 * D1 * ... * D(n-1), D(n), ... D(K-1)]. Example: `inputs` is a tensor with initial shape [10, 5, 20, 20, 3]. new_tensor = flatten_first_n_dimensions(inputs, 2) new_tensor.shape -> [50, 20, 20, 3]. Args: inputs: a tensor with shape [D0, D1, ..., D(K-1)]. n: The number of dimensions to flatten. Returns: a tensor with shape [D0 * D1 * ... * D(n-1), D(n), ... D(K-1)]. """ return flatten_dimensions(inputs, first=0, last=n) def expand_first_dimension(inputs, dims): """Expands `K-d` tensor along first dimension to be a `(K+n-1)-d` tensor. Converts `inputs` with shape [D0, D1, ..., D(K-1)] into a tensor of shape [dims[0], dims[1], ..., dims[-1], D1, ..., D(k-1)]. Example: `inputs` is a tensor with shape [50, 20, 20, 3]. new_tensor = expand_first_dimension(inputs, [10, 5]). new_tensor.shape -> [10, 5, 20, 20, 3]. Args: inputs: a tensor with shape [D0, D1, ..., D(K-1)]. dims: List with new dimensions to expand first axis into. The length of `dims` is typically 2 or larger. Returns: a tensor with shape [dims[0], dims[1], ..., dims[-1], D1, ..., D(k-1)]. """ inputs_shape = combined_static_and_dynamic_shape(inputs) expanded_shape = tf.stack(dims + inputs_shape[1:]) # Verify that it is possible to expand the first axis of inputs. assert_op = tf.assert_equal( inputs_shape[0], tf.reduce_prod(tf.stack(dims)), message=('First dimension of `inputs` cannot be expanded into provided ' '`dims`')) with tf.control_dependencies([assert_op]): inputs_reshaped = tf.reshape(inputs, expanded_shape) return inputs_reshaped def resize_images_and_return_shapes(inputs, image_resizer_fn): """Resizes images using the given function and returns their true shapes. Args: inputs: a float32 Tensor representing a batch of inputs of shape [batch_size, height, width, channels]. image_resizer_fn: a function which takes in a single image and outputs a resized image and its original shape. Returns: resized_inputs: The inputs resized according to image_resizer_fn. true_image_shapes: A integer tensor of shape [batch_size, 3] representing the height, width and number of channels in inputs. """ if inputs.dtype is not tf.float32: raise ValueError('`resize_images_and_return_shapes` expects a' ' tf.float32 tensor') # TODO(jonathanhuang): revisit whether to always use batch size as # the number of parallel iterations vs allow for dynamic batching. outputs = static_or_dynamic_map_fn( image_resizer_fn, elems=inputs, dtype=[tf.float32, tf.int32]) resized_inputs = outputs[0] true_image_shapes = outputs[1] return resized_inputs, true_image_shapes
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/shape_utils.py
shape_utils.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range class BoxList(object): """Box collection. BoxList represents a list of bounding boxes as numpy array, where each bounding box is represented as a row of 4 numbers, [y_min, x_min, y_max, x_max]. It is assumed that all bounding boxes within a given list correspond to a single image. Optionally, users can add additional related fields (such as objectness/classification scores). """ def __init__(self, data): """Constructs box collection. Args: data: a numpy array of shape [N, 4] representing box coordinates Raises: ValueError: if bbox data is not a numpy array ValueError: if invalid dimensions for bbox data """ if not isinstance(data, np.ndarray): raise ValueError('data must be a numpy array.') if len(data.shape) != 2 or data.shape[1] != 4: raise ValueError('Invalid dimensions for box data.') if data.dtype != np.float32 and data.dtype != np.float64: raise ValueError('Invalid data type for box data: float is required.') if not self._is_valid_boxes(data): raise ValueError('Invalid box data. data must be a numpy array of ' 'N*[y_min, x_min, y_max, x_max]') self.data = {'boxes': data} def num_boxes(self): """Return number of boxes held in collections.""" return self.data['boxes'].shape[0] def get_extra_fields(self): """Return all non-box fields.""" return [k for k in self.data.keys() if k != 'boxes'] def has_field(self, field): return field in self.data def add_field(self, field, field_data): """Add data to a specified field. Args: field: a string parameter used to speficy a related field to be accessed. field_data: a numpy array of [N, ...] representing the data associated with the field. Raises: ValueError: if the field is already exist or the dimension of the field data does not matches the number of boxes. """ if self.has_field(field): raise ValueError('Field ' + field + 'already exists') if len(field_data.shape) < 1 or field_data.shape[0] != self.num_boxes(): raise ValueError('Invalid dimensions for field data') self.data[field] = field_data def get(self): """Convenience function for accesssing box coordinates. Returns: a numpy array of shape [N, 4] representing box corners """ return self.get_field('boxes') def get_field(self, field): """Accesses data associated with the specified field in the box collection. Args: field: a string parameter used to speficy a related field to be accessed. Returns: a numpy 1-d array representing data of an associated field Raises: ValueError: if invalid field """ if not self.has_field(field): raise ValueError('field {} does not exist'.format(field)) return self.data[field] def get_coordinates(self): """Get corner coordinates of boxes. Returns: a list of 4 1-d numpy arrays [y_min, x_min, y_max, x_max] """ box_coordinates = self.get() y_min = box_coordinates[:, 0] x_min = box_coordinates[:, 1] y_max = box_coordinates[:, 2] x_max = box_coordinates[:, 3] return [y_min, x_min, y_max, x_max] def _is_valid_boxes(self, data): """Check whether data fullfills the format of N*[ymin, xmin, ymax, xmin]. Args: data: a numpy array of shape [N, 4] representing box coordinates Returns: a boolean indicating whether all ymax of boxes are equal or greater than ymin, and all xmax of boxes are equal or greater than xmin. """ if data.shape[0] > 0: for i in range(data.shape[0]): if data[i, 0] > data[i, 2] or data[i, 1] > data[i, 3]: return False return True
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/np_box_list.py
np_box_list.py
"""Library of common learning rate schedules.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range from six.moves import zip import tensorflow.compat.v1 as tf def _learning_rate_return_value(eager_decay_rate): """Helper function to return proper learning rate based on tf version.""" if tf.executing_eagerly(): return eager_decay_rate else: return eager_decay_rate() def exponential_decay_with_burnin(global_step, learning_rate_base, learning_rate_decay_steps, learning_rate_decay_factor, burnin_learning_rate=0.0, burnin_steps=0, min_learning_rate=0.0, staircase=True): """Exponential decay schedule with burn-in period. In this schedule, learning rate is fixed at burnin_learning_rate for a fixed period, before transitioning to a regular exponential decay schedule. Args: global_step: int tensor representing global step. learning_rate_base: base learning rate. learning_rate_decay_steps: steps to take between decaying the learning rate. Note that this includes the number of burn-in steps. learning_rate_decay_factor: multiplicative factor by which to decay learning rate. burnin_learning_rate: initial learning rate during burn-in period. If 0.0 (which is the default), then the burn-in learning rate is simply set to learning_rate_base. burnin_steps: number of steps to use burnin learning rate. min_learning_rate: the minimum learning rate. staircase: whether use staircase decay. Returns: If executing eagerly: returns a no-arg callable that outputs the (scalar) float tensor learning rate given the current value of global_step. If in a graph: immediately returns a (scalar) float tensor representing learning rate. """ if burnin_learning_rate == 0: burnin_learning_rate = learning_rate_base def eager_decay_rate(): """Callable to compute the learning rate.""" post_burnin_learning_rate = tf.train.exponential_decay( learning_rate_base, global_step - burnin_steps, learning_rate_decay_steps, learning_rate_decay_factor, staircase=staircase) if callable(post_burnin_learning_rate): post_burnin_learning_rate = post_burnin_learning_rate() return tf.maximum(tf.where( tf.less(tf.cast(global_step, tf.int32), tf.constant(burnin_steps)), tf.constant(burnin_learning_rate), post_burnin_learning_rate), min_learning_rate, name='learning_rate') return _learning_rate_return_value(eager_decay_rate) def exponential_decay_with_warmup(global_step, learning_rate_base, learning_rate_decay_steps, learning_rate_decay_factor, warmup_learning_rate=0.0, warmup_steps=0, min_learning_rate=0.0, staircase=True): """Exponential decay schedule with warm up period. Args: global_step: int tensor representing global step. learning_rate_base: base learning rate. learning_rate_decay_steps: steps to take between decaying the learning rate. Note that this includes the number of burn-in steps. learning_rate_decay_factor: multiplicative factor by which to decay learning rate. warmup_learning_rate: initial learning rate during warmup period. warmup_steps: number of steps to use warmup learning rate. min_learning_rate: the minimum learning rate. staircase: whether use staircase decay. Returns: If executing eagerly: returns a no-arg callable that outputs the (scalar) float tensor learning rate given the current value of global_step. If in a graph: immediately returns a (scalar) float tensor representing learning rate. """ def eager_decay_rate(): """Callable to compute the learning rate.""" post_warmup_learning_rate = tf.train.exponential_decay( learning_rate_base, global_step - warmup_steps, learning_rate_decay_steps, learning_rate_decay_factor, staircase=staircase) if callable(post_warmup_learning_rate): post_warmup_learning_rate = post_warmup_learning_rate() if learning_rate_base < warmup_learning_rate: raise ValueError('learning_rate_base must be larger or equal to ' 'warmup_learning_rate.') slope = (learning_rate_base - warmup_learning_rate) / warmup_steps warmup_rate = slope * tf.cast(global_step, tf.float32) + warmup_learning_rate learning_rate = tf.where( tf.less(tf.cast(global_step, tf.int32), tf.constant(warmup_steps)), warmup_rate, tf.maximum(post_warmup_learning_rate, min_learning_rate), name='learning_rate') return learning_rate return _learning_rate_return_value(eager_decay_rate) def cosine_decay_with_warmup(global_step, learning_rate_base, total_steps, warmup_learning_rate=0.0, warmup_steps=0, hold_base_rate_steps=0): """Cosine decay schedule with warm up period. Cosine annealing learning rate as described in: Loshchilov and Hutter, SGDR: Stochastic Gradient Descent with Warm Restarts. ICLR 2017. https://arxiv.org/abs/1608.03983 In this schedule, the learning rate grows linearly from warmup_learning_rate to learning_rate_base for warmup_steps, then transitions to a cosine decay schedule. Args: global_step: int64 (scalar) tensor representing global step. learning_rate_base: base learning rate. total_steps: total number of training steps. warmup_learning_rate: initial learning rate for warm up. warmup_steps: number of warmup steps. hold_base_rate_steps: Optional number of steps to hold base learning rate before decaying. Returns: If executing eagerly: returns a no-arg callable that outputs the (scalar) float tensor learning rate given the current value of global_step. If in a graph: immediately returns a (scalar) float tensor representing learning rate. Raises: ValueError: if warmup_learning_rate is larger than learning_rate_base, or if warmup_steps is larger than total_steps. """ if total_steps < warmup_steps: raise ValueError('total_steps must be larger or equal to ' 'warmup_steps.') def eager_decay_rate(): """Callable to compute the learning rate.""" learning_rate = 0.5 * learning_rate_base * (1 + tf.cos( np.pi * (tf.cast(global_step, tf.float32) - warmup_steps - hold_base_rate_steps ) / float(total_steps - warmup_steps - hold_base_rate_steps))) if hold_base_rate_steps > 0: learning_rate = tf.where( global_step > warmup_steps + hold_base_rate_steps, learning_rate, learning_rate_base) if warmup_steps > 0: if learning_rate_base < warmup_learning_rate: raise ValueError('learning_rate_base must be larger or equal to ' 'warmup_learning_rate.') slope = (learning_rate_base - warmup_learning_rate) / warmup_steps warmup_rate = slope * tf.cast(global_step, tf.float32) + warmup_learning_rate learning_rate = tf.where(global_step < warmup_steps, warmup_rate, learning_rate) return tf.where(global_step > total_steps, 0.0, learning_rate, name='learning_rate') return _learning_rate_return_value(eager_decay_rate) def manual_stepping(global_step, boundaries, rates, warmup=False): """Manually stepped learning rate schedule. This function provides fine grained control over learning rates. One must specify a sequence of learning rates as well as a set of integer steps at which the current learning rate must transition to the next. For example, if boundaries = [5, 10] and rates = [.1, .01, .001], then the learning rate returned by this function is .1 for global_step=0,...,4, .01 for global_step=5...9, and .001 for global_step=10 and onward. Args: global_step: int64 (scalar) tensor representing global step. boundaries: a list of global steps at which to switch learning rates. This list is assumed to consist of increasing positive integers. rates: a list of (float) learning rates corresponding to intervals between the boundaries. The length of this list must be exactly len(boundaries) + 1. warmup: Whether to linearly interpolate learning rate for steps in [0, boundaries[0]]. Returns: If executing eagerly: returns a no-arg callable that outputs the (scalar) float tensor learning rate given the current value of global_step. If in a graph: immediately returns a (scalar) float tensor representing learning rate. Raises: ValueError: if one of the following checks fails: 1. boundaries is a strictly increasing list of positive integers 2. len(rates) == len(boundaries) + 1 3. boundaries[0] != 0 """ if any([b < 0 for b in boundaries]) or any( [not isinstance(b, int) for b in boundaries]): raise ValueError('boundaries must be a list of positive integers') if any([bnext <= b for bnext, b in zip(boundaries[1:], boundaries[:-1])]): raise ValueError('Entries in boundaries must be strictly increasing.') if any([not isinstance(r, float) for r in rates]): raise ValueError('Learning rates must be floats') if len(rates) != len(boundaries) + 1: raise ValueError('Number of provided learning rates must exceed ' 'number of boundary points by exactly 1.') if boundaries and boundaries[0] == 0: raise ValueError('First step cannot be zero.') if warmup and boundaries: slope = (rates[1] - rates[0]) * 1.0 / boundaries[0] warmup_steps = list(range(boundaries[0])) warmup_rates = [rates[0] + slope * step for step in warmup_steps] boundaries = warmup_steps + boundaries rates = warmup_rates + rates[1:] else: boundaries = [0] + boundaries num_boundaries = len(boundaries) def eager_decay_rate(): """Callable to compute the learning rate.""" rate_index = tf.reduce_max(tf.where( tf.greater_equal(global_step, boundaries), list(range(num_boundaries)), [0] * num_boundaries)) return tf.reduce_sum(rates * tf.one_hot(rate_index, depth=num_boundaries), name='learning_rate') return _learning_rate_return_value(eager_decay_rate)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/learning_schedules.py
learning_schedules.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import inspect import math import six import tensorflow.compat.v1 as tf # pylint: disable=g-import-not-at-top try: from tensorflow.contrib import image as contrib_image from tensorflow.contrib import training as contrib_training except ImportError: # TF 2.0 doesn't ship with contrib. pass # pylint: enable=g-import-not-at-top # This signifies the max integer that the controller RNN could predict for the # augmentation scheme. _MAX_LEVEL = 10. # Represents an invalid bounding box that is used for checking for padding # lists of bounding box coordinates for a few augmentation operations _INVALID_BOX = [[-1.0, -1.0, -1.0, -1.0]] def policy_v0(): """Autoaugment policy that was used in AutoAugment Detection Paper.""" # Each tuple is an augmentation operation of the form # (operation, probability, magnitude). Each element in policy is a # sub-policy that will be applied sequentially on the image. policy = [ [('TranslateX_BBox', 0.6, 4), ('Equalize', 0.8, 10)], [('TranslateY_Only_BBoxes', 0.2, 2), ('Cutout', 0.8, 8)], [('Sharpness', 0.0, 8), ('ShearX_BBox', 0.4, 0)], [('ShearY_BBox', 1.0, 2), ('TranslateY_Only_BBoxes', 0.6, 6)], [('Rotate_BBox', 0.6, 10), ('Color', 1.0, 6)], ] return policy def policy_v1(): """Autoaugment policy that was used in AutoAugment Detection Paper.""" # Each tuple is an augmentation operation of the form # (operation, probability, magnitude). Each element in policy is a # sub-policy that will be applied sequentially on the image. policy = [ [('TranslateX_BBox', 0.6, 4), ('Equalize', 0.8, 10)], [('TranslateY_Only_BBoxes', 0.2, 2), ('Cutout', 0.8, 8)], [('Sharpness', 0.0, 8), ('ShearX_BBox', 0.4, 0)], [('ShearY_BBox', 1.0, 2), ('TranslateY_Only_BBoxes', 0.6, 6)], [('Rotate_BBox', 0.6, 10), ('Color', 1.0, 6)], [('Color', 0.0, 0), ('ShearX_Only_BBoxes', 0.8, 4)], [('ShearY_Only_BBoxes', 0.8, 2), ('Flip_Only_BBoxes', 0.0, 10)], [('Equalize', 0.6, 10), ('TranslateX_BBox', 0.2, 2)], [('Color', 1.0, 10), ('TranslateY_Only_BBoxes', 0.4, 6)], [('Rotate_BBox', 0.8, 10), ('Contrast', 0.0, 10)], [('Cutout', 0.2, 2), ('Brightness', 0.8, 10)], [('Color', 1.0, 6), ('Equalize', 1.0, 2)], [('Cutout_Only_BBoxes', 0.4, 6), ('TranslateY_Only_BBoxes', 0.8, 2)], [('Color', 0.2, 8), ('Rotate_BBox', 0.8, 10)], [('Sharpness', 0.4, 4), ('TranslateY_Only_BBoxes', 0.0, 4)], [('Sharpness', 1.0, 4), ('SolarizeAdd', 0.4, 4)], [('Rotate_BBox', 1.0, 8), ('Sharpness', 0.2, 8)], [('ShearY_BBox', 0.6, 10), ('Equalize_Only_BBoxes', 0.6, 8)], [('ShearX_BBox', 0.2, 6), ('TranslateY_Only_BBoxes', 0.2, 10)], [('SolarizeAdd', 0.6, 8), ('Brightness', 0.8, 10)], ] return policy def policy_vtest(): """Autoaugment test policy for debugging.""" # Each tuple is an augmentation operation of the form # (operation, probability, magnitude). Each element in policy is a # sub-policy that will be applied sequentially on the image. policy = [ [('TranslateX_BBox', 1.0, 4), ('Equalize', 1.0, 10)], ] return policy def policy_v2(): """Additional policy that performs well on object detection.""" # Each tuple is an augmentation operation of the form # (operation, probability, magnitude). Each element in policy is a # sub-policy that will be applied sequentially on the image. policy = [ [('Color', 0.0, 6), ('Cutout', 0.6, 8), ('Sharpness', 0.4, 8)], [('Rotate_BBox', 0.4, 8), ('Sharpness', 0.4, 2), ('Rotate_BBox', 0.8, 10)], [('TranslateY_BBox', 1.0, 8), ('AutoContrast', 0.8, 2)], [('AutoContrast', 0.4, 6), ('ShearX_BBox', 0.8, 8), ('Brightness', 0.0, 10)], [('SolarizeAdd', 0.2, 6), ('Contrast', 0.0, 10), ('AutoContrast', 0.6, 0)], [('Cutout', 0.2, 0), ('Solarize', 0.8, 8), ('Color', 1.0, 4)], [('TranslateY_BBox', 0.0, 4), ('Equalize', 0.6, 8), ('Solarize', 0.0, 10)], [('TranslateY_BBox', 0.2, 2), ('ShearY_BBox', 0.8, 8), ('Rotate_BBox', 0.8, 8)], [('Cutout', 0.8, 8), ('Brightness', 0.8, 8), ('Cutout', 0.2, 2)], [('Color', 0.8, 4), ('TranslateY_BBox', 1.0, 6), ('Rotate_BBox', 0.6, 6)], [('Rotate_BBox', 0.6, 10), ('BBox_Cutout', 1.0, 4), ('Cutout', 0.2, 8)], [('Rotate_BBox', 0.0, 0), ('Equalize', 0.6, 6), ('ShearY_BBox', 0.6, 8)], [('Brightness', 0.8, 8), ('AutoContrast', 0.4, 2), ('Brightness', 0.2, 2)], [('TranslateY_BBox', 0.4, 8), ('Solarize', 0.4, 6), ('SolarizeAdd', 0.2, 10)], [('Contrast', 1.0, 10), ('SolarizeAdd', 0.2, 8), ('Equalize', 0.2, 4)], ] return policy def policy_v3(): """"Additional policy that performs well on object detection.""" # Each tuple is an augmentation operation of the form # (operation, probability, magnitude). Each element in policy is a # sub-policy that will be applied sequentially on the image. policy = [ [('Posterize', 0.8, 2), ('TranslateX_BBox', 1.0, 8)], [('BBox_Cutout', 0.2, 10), ('Sharpness', 1.0, 8)], [('Rotate_BBox', 0.6, 8), ('Rotate_BBox', 0.8, 10)], [('Equalize', 0.8, 10), ('AutoContrast', 0.2, 10)], [('SolarizeAdd', 0.2, 2), ('TranslateY_BBox', 0.2, 8)], [('Sharpness', 0.0, 2), ('Color', 0.4, 8)], [('Equalize', 1.0, 8), ('TranslateY_BBox', 1.0, 8)], [('Posterize', 0.6, 2), ('Rotate_BBox', 0.0, 10)], [('AutoContrast', 0.6, 0), ('Rotate_BBox', 1.0, 6)], [('Equalize', 0.0, 4), ('Cutout', 0.8, 10)], [('Brightness', 1.0, 2), ('TranslateY_BBox', 1.0, 6)], [('Contrast', 0.0, 2), ('ShearY_BBox', 0.8, 0)], [('AutoContrast', 0.8, 10), ('Contrast', 0.2, 10)], [('Rotate_BBox', 1.0, 10), ('Cutout', 1.0, 10)], [('SolarizeAdd', 0.8, 6), ('Equalize', 0.8, 8)], ] return policy def blend(image1, image2, factor): """Blend image1 and image2 using 'factor'. Factor can be above 0.0. A value of 0.0 means only image1 is used. A value of 1.0 means only image2 is used. A value between 0.0 and 1.0 means we linearly interpolate the pixel values between the two images. A value greater than 1.0 "extrapolates" the difference between the two pixel values, and we clip the results to values between 0 and 255. Args: image1: An image Tensor of type uint8. image2: An image Tensor of type uint8. factor: A floating point value above 0.0. Returns: A blended image Tensor of type uint8. """ if factor == 0.0: return tf.convert_to_tensor(image1) if factor == 1.0: return tf.convert_to_tensor(image2) image1 = tf.to_float(image1) image2 = tf.to_float(image2) difference = image2 - image1 scaled = factor * difference # Do addition in float. temp = tf.to_float(image1) + scaled # Interpolate if factor > 0.0 and factor < 1.0: # Interpolation means we always stay within 0 and 255. return tf.cast(temp, tf.uint8) # Extrapolate: # # We need to clip and then cast. return tf.cast(tf.clip_by_value(temp, 0.0, 255.0), tf.uint8) def cutout(image, pad_size, replace=0): """Apply cutout (https://arxiv.org/abs/1708.04552) to image. This operation applies a (2*pad_size x 2*pad_size) mask of zeros to a random location within `img`. The pixel values filled in will be of the value `replace`. The located where the mask will be applied is randomly chosen uniformly over the whole image. Args: image: An image Tensor of type uint8. pad_size: Specifies how big the zero mask that will be generated is that is applied to the image. The mask will be of size (2*pad_size x 2*pad_size). replace: What pixel value to fill in the image in the area that has the cutout mask applied to it. Returns: An image Tensor that is of type uint8. """ image_height = tf.shape(image)[0] image_width = tf.shape(image)[1] # Sample the center location in the image where the zero mask will be applied. cutout_center_height = tf.random_uniform( shape=[], minval=0, maxval=image_height, dtype=tf.int32) cutout_center_width = tf.random_uniform( shape=[], minval=0, maxval=image_width, dtype=tf.int32) lower_pad = tf.maximum(0, cutout_center_height - pad_size) upper_pad = tf.maximum(0, image_height - cutout_center_height - pad_size) left_pad = tf.maximum(0, cutout_center_width - pad_size) right_pad = tf.maximum(0, image_width - cutout_center_width - pad_size) cutout_shape = [image_height - (lower_pad + upper_pad), image_width - (left_pad + right_pad)] padding_dims = [[lower_pad, upper_pad], [left_pad, right_pad]] mask = tf.pad( tf.zeros(cutout_shape, dtype=image.dtype), padding_dims, constant_values=1) mask = tf.expand_dims(mask, -1) mask = tf.tile(mask, [1, 1, 3]) image = tf.where( tf.equal(mask, 0), tf.ones_like(image, dtype=image.dtype) * replace, image) return image def solarize(image, threshold=128): # For each pixel in the image, select the pixel # if the value is less than the threshold. # Otherwise, subtract 255 from the pixel. return tf.where(image < threshold, image, 255 - image) def solarize_add(image, addition=0, threshold=128): # For each pixel in the image less than threshold # we add 'addition' amount to it and then clip the # pixel value to be between 0 and 255. The value # of 'addition' is between -128 and 128. added_image = tf.cast(image, tf.int64) + addition added_image = tf.cast(tf.clip_by_value(added_image, 0, 255), tf.uint8) return tf.where(image < threshold, added_image, image) def color(image, factor): """Equivalent of PIL Color.""" degenerate = tf.image.grayscale_to_rgb(tf.image.rgb_to_grayscale(image)) return blend(degenerate, image, factor) def contrast(image, factor): """Equivalent of PIL Contrast.""" degenerate = tf.image.rgb_to_grayscale(image) # Cast before calling tf.histogram. degenerate = tf.cast(degenerate, tf.int32) # Compute the grayscale histogram, then compute the mean pixel value, # and create a constant image size of that value. Use that as the # blending degenerate target of the original image. hist = tf.histogram_fixed_width(degenerate, [0, 255], nbins=256) mean = tf.reduce_sum(tf.cast(hist, tf.float32)) / 256.0 degenerate = tf.ones_like(degenerate, dtype=tf.float32) * mean degenerate = tf.clip_by_value(degenerate, 0.0, 255.0) degenerate = tf.image.grayscale_to_rgb(tf.cast(degenerate, tf.uint8)) return blend(degenerate, image, factor) def brightness(image, factor): """Equivalent of PIL Brightness.""" degenerate = tf.zeros_like(image) return blend(degenerate, image, factor) def posterize(image, bits): """Equivalent of PIL Posterize.""" shift = 8 - bits return tf.bitwise.left_shift(tf.bitwise.right_shift(image, shift), shift) def rotate(image, degrees, replace): """Rotates the image by degrees either clockwise or counterclockwise. Args: image: An image Tensor of type uint8. degrees: Float, a scalar angle in degrees to rotate all images by. If degrees is positive the image will be rotated clockwise otherwise it will be rotated counterclockwise. replace: A one or three value 1D tensor to fill empty pixels caused by the rotate operation. Returns: The rotated version of image. """ # Convert from degrees to radians. degrees_to_radians = math.pi / 180.0 radians = degrees * degrees_to_radians # In practice, we should randomize the rotation degrees by flipping # it negatively half the time, but that's done on 'degrees' outside # of the function. image = contrib_image.rotate(wrap(image), radians) return unwrap(image, replace) def random_shift_bbox(image, bbox, pixel_scaling, replace, new_min_bbox_coords=None): """Move the bbox and the image content to a slightly new random location. Args: image: 3D uint8 Tensor. bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. The potential values for the new min corner of the bbox will be between [old_min - pixel_scaling * bbox_height/2, old_min - pixel_scaling * bbox_height/2]. pixel_scaling: A float between 0 and 1 that specifies the pixel range that the new bbox location will be sampled from. replace: A one or three value 1D tensor to fill empty pixels. new_min_bbox_coords: If not None, then this is a tuple that specifies the (min_y, min_x) coordinates of the new bbox. Normally this is randomly specified, but this allows it to be manually set. The coordinates are the absolute coordinates between 0 and image height/width and are int32. Returns: The new image that will have the shifted bbox location in it along with the new bbox that contains the new coordinates. """ # Obtains image height and width and create helper clip functions. image_height = tf.to_float(tf.shape(image)[0]) image_width = tf.to_float(tf.shape(image)[1]) def clip_y(val): return tf.clip_by_value(val, 0, tf.to_int32(image_height) - 1) def clip_x(val): return tf.clip_by_value(val, 0, tf.to_int32(image_width) - 1) # Convert bbox to pixel coordinates. min_y = tf.to_int32(image_height * bbox[0]) min_x = tf.to_int32(image_width * bbox[1]) max_y = clip_y(tf.to_int32(image_height * bbox[2])) max_x = clip_x(tf.to_int32(image_width * bbox[3])) bbox_height, bbox_width = (max_y - min_y + 1, max_x - min_x + 1) image_height = tf.to_int32(image_height) image_width = tf.to_int32(image_width) # Select the new min/max bbox ranges that are used for sampling the # new min x/y coordinates of the shifted bbox. minval_y = clip_y( min_y - tf.to_int32(pixel_scaling * tf.to_float(bbox_height) / 2.0)) maxval_y = clip_y( min_y + tf.to_int32(pixel_scaling * tf.to_float(bbox_height) / 2.0)) minval_x = clip_x( min_x - tf.to_int32(pixel_scaling * tf.to_float(bbox_width) / 2.0)) maxval_x = clip_x( min_x + tf.to_int32(pixel_scaling * tf.to_float(bbox_width) / 2.0)) # Sample and calculate the new unclipped min/max coordinates of the new bbox. if new_min_bbox_coords is None: unclipped_new_min_y = tf.random_uniform( shape=[], minval=minval_y, maxval=maxval_y, dtype=tf.int32) unclipped_new_min_x = tf.random_uniform( shape=[], minval=minval_x, maxval=maxval_x, dtype=tf.int32) else: unclipped_new_min_y, unclipped_new_min_x = ( clip_y(new_min_bbox_coords[0]), clip_x(new_min_bbox_coords[1])) unclipped_new_max_y = unclipped_new_min_y + bbox_height - 1 unclipped_new_max_x = unclipped_new_min_x + bbox_width - 1 # Determine if any of the new bbox was shifted outside the current image. # This is used for determining if any of the original bbox content should be # discarded. new_min_y, new_min_x, new_max_y, new_max_x = ( clip_y(unclipped_new_min_y), clip_x(unclipped_new_min_x), clip_y(unclipped_new_max_y), clip_x(unclipped_new_max_x)) shifted_min_y = (new_min_y - unclipped_new_min_y) + min_y shifted_max_y = max_y - (unclipped_new_max_y - new_max_y) shifted_min_x = (new_min_x - unclipped_new_min_x) + min_x shifted_max_x = max_x - (unclipped_new_max_x - new_max_x) # Create the new bbox tensor by converting pixel integer values to floats. new_bbox = tf.stack([ tf.to_float(new_min_y) / tf.to_float(image_height), tf.to_float(new_min_x) / tf.to_float(image_width), tf.to_float(new_max_y) / tf.to_float(image_height), tf.to_float(new_max_x) / tf.to_float(image_width)]) # Copy the contents in the bbox and fill the old bbox location # with gray (128). bbox_content = image[shifted_min_y:shifted_max_y + 1, shifted_min_x:shifted_max_x + 1, :] def mask_and_add_image( min_y_, min_x_, max_y_, max_x_, mask, content_tensor, image_): """Applies mask to bbox region in image then adds content_tensor to it.""" mask = tf.pad(mask, [[min_y_, (image_height - 1) - max_y_], [min_x_, (image_width - 1) - max_x_], [0, 0]], constant_values=1) content_tensor = tf.pad(content_tensor, [[min_y_, (image_height - 1) - max_y_], [min_x_, (image_width - 1) - max_x_], [0, 0]], constant_values=0) return image_ * mask + content_tensor # Zero out original bbox location. mask = tf.zeros_like(image)[min_y:max_y+1, min_x:max_x+1, :] grey_tensor = tf.zeros_like(mask) + replace[0] image = mask_and_add_image(min_y, min_x, max_y, max_x, mask, grey_tensor, image) # Fill in bbox content to new bbox location. mask = tf.zeros_like(bbox_content) image = mask_and_add_image(new_min_y, new_min_x, new_max_y, new_max_x, mask, bbox_content, image) return image, new_bbox def _clip_bbox(min_y, min_x, max_y, max_x): """Clip bounding box coordinates between 0 and 1. Args: min_y: Normalized bbox coordinate of type float between 0 and 1. min_x: Normalized bbox coordinate of type float between 0 and 1. max_y: Normalized bbox coordinate of type float between 0 and 1. max_x: Normalized bbox coordinate of type float between 0 and 1. Returns: Clipped coordinate values between 0 and 1. """ min_y = tf.clip_by_value(min_y, 0.0, 1.0) min_x = tf.clip_by_value(min_x, 0.0, 1.0) max_y = tf.clip_by_value(max_y, 0.0, 1.0) max_x = tf.clip_by_value(max_x, 0.0, 1.0) return min_y, min_x, max_y, max_x def _check_bbox_area(min_y, min_x, max_y, max_x, delta=0.05): """Adjusts bbox coordinates to make sure the area is > 0. Args: min_y: Normalized bbox coordinate of type float between 0 and 1. min_x: Normalized bbox coordinate of type float between 0 and 1. max_y: Normalized bbox coordinate of type float between 0 and 1. max_x: Normalized bbox coordinate of type float between 0 and 1. delta: Float, this is used to create a gap of size 2 * delta between bbox min/max coordinates that are the same on the boundary. This prevents the bbox from having an area of zero. Returns: Tuple of new bbox coordinates between 0 and 1 that will now have a guaranteed area > 0. """ height = max_y - min_y width = max_x - min_x def _adjust_bbox_boundaries(min_coord, max_coord): # Make sure max is never 0 and min is never 1. max_coord = tf.maximum(max_coord, 0.0 + delta) min_coord = tf.minimum(min_coord, 1.0 - delta) return min_coord, max_coord min_y, max_y = tf.cond(tf.equal(height, 0.0), lambda: _adjust_bbox_boundaries(min_y, max_y), lambda: (min_y, max_y)) min_x, max_x = tf.cond(tf.equal(width, 0.0), lambda: _adjust_bbox_boundaries(min_x, max_x), lambda: (min_x, max_x)) return min_y, min_x, max_y, max_x def _scale_bbox_only_op_probability(prob): """Reduce the probability of the bbox-only operation. Probability is reduced so that we do not distort the content of too many bounding boxes that are close to each other. The value of 3.0 was a chosen hyper parameter when designing the autoaugment algorithm that we found empirically to work well. Args: prob: Float that is the probability of applying the bbox-only operation. Returns: Reduced probability. """ return prob / 3.0 def _apply_bbox_augmentation(image, bbox, augmentation_func, *args): """Applies augmentation_func to the subsection of image indicated by bbox. Args: image: 3D uint8 Tensor. bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. augmentation_func: Augmentation function that will be applied to the subsection of image. *args: Additional parameters that will be passed into augmentation_func when it is called. Returns: A modified version of image, where the bbox location in the image will have `ugmentation_func applied to it. """ image_height = tf.to_float(tf.shape(image)[0]) image_width = tf.to_float(tf.shape(image)[1]) min_y = tf.to_int32(image_height * bbox[0]) min_x = tf.to_int32(image_width * bbox[1]) max_y = tf.to_int32(image_height * bbox[2]) max_x = tf.to_int32(image_width * bbox[3]) image_height = tf.to_int32(image_height) image_width = tf.to_int32(image_width) # Clip to be sure the max values do not fall out of range. max_y = tf.minimum(max_y, image_height - 1) max_x = tf.minimum(max_x, image_width - 1) # Get the sub-tensor that is the image within the bounding box region. bbox_content = image[min_y:max_y + 1, min_x:max_x + 1, :] # Apply the augmentation function to the bbox portion of the image. augmented_bbox_content = augmentation_func(bbox_content, *args) # Pad the augmented_bbox_content and the mask to match the shape of original # image. augmented_bbox_content = tf.pad(augmented_bbox_content, [[min_y, (image_height - 1) - max_y], [min_x, (image_width - 1) - max_x], [0, 0]]) # Create a mask that will be used to zero out a part of the original image. mask_tensor = tf.zeros_like(bbox_content) mask_tensor = tf.pad(mask_tensor, [[min_y, (image_height - 1) - max_y], [min_x, (image_width - 1) - max_x], [0, 0]], constant_values=1) # Replace the old bbox content with the new augmented content. image = image * mask_tensor + augmented_bbox_content return image def _concat_bbox(bbox, bboxes): """Helper function that concates bbox to bboxes along the first dimension.""" # Note if all elements in bboxes are -1 (_INVALID_BOX), then this means # we discard bboxes and start the bboxes Tensor with the current bbox. bboxes_sum_check = tf.reduce_sum(bboxes) bbox = tf.expand_dims(bbox, 0) # This check will be true when it is an _INVALID_BOX bboxes = tf.cond(tf.equal(bboxes_sum_check, -4.0), lambda: bbox, lambda: tf.concat([bboxes, bbox], 0)) return bboxes def _apply_bbox_augmentation_wrapper(image, bbox, new_bboxes, prob, augmentation_func, func_changes_bbox, *args): """Applies _apply_bbox_augmentation with probability prob. Args: image: 3D uint8 Tensor. bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. new_bboxes: 2D Tensor that is a list of the bboxes in the image after they have been altered by aug_func. These will only be changed when func_changes_bbox is set to true. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float that are the normalized bbox coordinates between 0 and 1. prob: Float that is the probability of applying _apply_bbox_augmentation. augmentation_func: Augmentation function that will be applied to the subsection of image. func_changes_bbox: Boolean. Does augmentation_func return bbox in addition to image. *args: Additional parameters that will be passed into augmentation_func when it is called. Returns: A tuple. Fist element is a modified version of image, where the bbox location in the image will have augmentation_func applied to it if it is chosen to be called with probability `prob`. The second element is a Tensor of Tensors of length 4 that will contain the altered bbox after applying augmentation_func. """ should_apply_op = tf.cast( tf.floor(tf.random_uniform([], dtype=tf.float32) + prob), tf.bool) if func_changes_bbox: augmented_image, bbox = tf.cond( should_apply_op, lambda: augmentation_func(image, bbox, *args), lambda: (image, bbox)) else: augmented_image = tf.cond( should_apply_op, lambda: _apply_bbox_augmentation(image, bbox, augmentation_func, *args), lambda: image) new_bboxes = _concat_bbox(bbox, new_bboxes) return augmented_image, new_bboxes def _apply_multi_bbox_augmentation(image, bboxes, prob, aug_func, func_changes_bbox, *args): """Applies aug_func to the image for each bbox in bboxes. Args: image: 3D uint8 Tensor. bboxes: 2D Tensor that is a list of the bboxes in the image. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float. prob: Float that is the probability of applying aug_func to a specific bounding box within the image. aug_func: Augmentation function that will be applied to the subsections of image indicated by the bbox values in bboxes. func_changes_bbox: Boolean. Does augmentation_func return bbox in addition to image. *args: Additional parameters that will be passed into augmentation_func when it is called. Returns: A modified version of image, where each bbox location in the image will have augmentation_func applied to it if it is chosen to be called with probability prob independently across all bboxes. Also the final bboxes are returned that will be unchanged if func_changes_bbox is set to false and if true, the new altered ones will be returned. """ # Will keep track of the new altered bboxes after aug_func is repeatedly # applied. The -1 values are a dummy value and this first Tensor will be # removed upon appending the first real bbox. new_bboxes = tf.constant(_INVALID_BOX) # If the bboxes are empty, then just give it _INVALID_BOX. The result # will be thrown away. bboxes = tf.cond(tf.equal(tf.size(bboxes), 0), lambda: tf.constant(_INVALID_BOX), lambda: bboxes) bboxes = tf.ensure_shape(bboxes, (None, 4)) # pylint:disable=g-long-lambda # pylint:disable=line-too-long wrapped_aug_func = lambda _image, bbox, _new_bboxes: _apply_bbox_augmentation_wrapper( _image, bbox, _new_bboxes, prob, aug_func, func_changes_bbox, *args) # pylint:enable=g-long-lambda # pylint:enable=line-too-long # Setup the while_loop. num_bboxes = tf.shape(bboxes)[0] # We loop until we go over all bboxes. idx = tf.constant(0) # Counter for the while loop. # Conditional function when to end the loop once we go over all bboxes # images_and_bboxes contain (_image, _new_bboxes) cond = lambda _idx, _images_and_bboxes: tf.less(_idx, num_bboxes) # Shuffle the bboxes so that the augmentation order is not deterministic if # we are not changing the bboxes with aug_func. if not func_changes_bbox: loop_bboxes = tf.random.shuffle(bboxes) else: loop_bboxes = bboxes # Main function of while_loop where we repeatedly apply augmentation on the # bboxes in the image. # pylint:disable=g-long-lambda body = lambda _idx, _images_and_bboxes: [ _idx + 1, wrapped_aug_func(_images_and_bboxes[0], loop_bboxes[_idx], _images_and_bboxes[1])] # pylint:enable=g-long-lambda _, (image, new_bboxes) = tf.while_loop( cond, body, [idx, (image, new_bboxes)], shape_invariants=[idx.get_shape(), (image.get_shape(), tf.TensorShape([None, 4]))]) # Either return the altered bboxes or the original ones depending on if # we altered them in anyway. if func_changes_bbox: final_bboxes = new_bboxes else: final_bboxes = bboxes return image, final_bboxes def _apply_multi_bbox_augmentation_wrapper(image, bboxes, prob, aug_func, func_changes_bbox, *args): """Checks to be sure num bboxes > 0 before calling inner function.""" num_bboxes = tf.shape(bboxes)[0] image, bboxes = tf.cond( tf.equal(num_bboxes, 0), lambda: (image, bboxes), # pylint:disable=g-long-lambda lambda: _apply_multi_bbox_augmentation( image, bboxes, prob, aug_func, func_changes_bbox, *args)) # pylint:enable=g-long-lambda return image, bboxes def rotate_only_bboxes(image, bboxes, prob, degrees, replace): """Apply rotate to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, rotate, func_changes_bbox, degrees, replace) def shear_x_only_bboxes(image, bboxes, prob, level, replace): """Apply shear_x to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, shear_x, func_changes_bbox, level, replace) def shear_y_only_bboxes(image, bboxes, prob, level, replace): """Apply shear_y to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, shear_y, func_changes_bbox, level, replace) def translate_x_only_bboxes(image, bboxes, prob, pixels, replace): """Apply translate_x to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, translate_x, func_changes_bbox, pixels, replace) def translate_y_only_bboxes(image, bboxes, prob, pixels, replace): """Apply translate_y to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, translate_y, func_changes_bbox, pixels, replace) def flip_only_bboxes(image, bboxes, prob): """Apply flip_lr to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, tf.image.flip_left_right, func_changes_bbox) def solarize_only_bboxes(image, bboxes, prob, threshold): """Apply solarize to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, solarize, func_changes_bbox, threshold) def equalize_only_bboxes(image, bboxes, prob): """Apply equalize to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, equalize, func_changes_bbox) def cutout_only_bboxes(image, bboxes, prob, pad_size, replace): """Apply cutout to each bbox in the image with probability prob.""" func_changes_bbox = False prob = _scale_bbox_only_op_probability(prob) return _apply_multi_bbox_augmentation_wrapper( image, bboxes, prob, cutout, func_changes_bbox, pad_size, replace) def _rotate_bbox(bbox, image_height, image_width, degrees): """Rotates the bbox coordinated by degrees. Args: bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. image_height: Int, height of the image. image_width: Int, height of the image. degrees: Float, a scalar angle in degrees to rotate all images by. If degrees is positive the image will be rotated clockwise otherwise it will be rotated counterclockwise. Returns: A tensor of the same shape as bbox, but now with the rotated coordinates. """ image_height, image_width = ( tf.to_float(image_height), tf.to_float(image_width)) # Convert from degrees to radians. degrees_to_radians = math.pi / 180.0 radians = degrees * degrees_to_radians # Translate the bbox to the center of the image and turn the normalized 0-1 # coordinates to absolute pixel locations. # Y coordinates are made negative as the y axis of images goes down with # increasing pixel values, so we negate to make sure x axis and y axis points # are in the traditionally positive direction. min_y = -tf.to_int32(image_height * (bbox[0] - 0.5)) min_x = tf.to_int32(image_width * (bbox[1] - 0.5)) max_y = -tf.to_int32(image_height * (bbox[2] - 0.5)) max_x = tf.to_int32(image_width * (bbox[3] - 0.5)) coordinates = tf.stack( [[min_y, min_x], [min_y, max_x], [max_y, min_x], [max_y, max_x]]) coordinates = tf.cast(coordinates, tf.float32) # Rotate the coordinates according to the rotation matrix clockwise if # radians is positive, else negative rotation_matrix = tf.stack( [[tf.cos(radians), tf.sin(radians)], [-tf.sin(radians), tf.cos(radians)]]) new_coords = tf.cast( tf.matmul(rotation_matrix, tf.transpose(coordinates)), tf.int32) # Find min/max values and convert them back to normalized 0-1 floats. min_y = -(tf.to_float(tf.reduce_max(new_coords[0, :])) / image_height - 0.5) min_x = tf.to_float(tf.reduce_min(new_coords[1, :])) / image_width + 0.5 max_y = -(tf.to_float(tf.reduce_min(new_coords[0, :])) / image_height - 0.5) max_x = tf.to_float(tf.reduce_max(new_coords[1, :])) / image_width + 0.5 # Clip the bboxes to be sure the fall between [0, 1]. min_y, min_x, max_y, max_x = _clip_bbox(min_y, min_x, max_y, max_x) min_y, min_x, max_y, max_x = _check_bbox_area(min_y, min_x, max_y, max_x) return tf.stack([min_y, min_x, max_y, max_x]) def rotate_with_bboxes(image, bboxes, degrees, replace): """Equivalent of PIL Rotate that rotates the image and bbox. Args: image: 3D uint8 Tensor. bboxes: 2D Tensor that is a list of the bboxes in the image. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float. degrees: Float, a scalar angle in degrees to rotate all images by. If degrees is positive the image will be rotated clockwise otherwise it will be rotated counterclockwise. replace: A one or three value 1D tensor to fill empty pixels. Returns: A tuple containing a 3D uint8 Tensor that will be the result of rotating image by degrees. The second element of the tuple is bboxes, where now the coordinates will be shifted to reflect the rotated image. """ # Rotate the image. image = rotate(image, degrees, replace) # Convert bbox coordinates to pixel values. image_height = tf.shape(image)[0] image_width = tf.shape(image)[1] # pylint:disable=g-long-lambda wrapped_rotate_bbox = lambda bbox: _rotate_bbox( bbox, image_height, image_width, degrees) # pylint:enable=g-long-lambda bboxes = tf.map_fn(wrapped_rotate_bbox, bboxes) return image, bboxes def translate_x(image, pixels, replace): """Equivalent of PIL Translate in X dimension.""" image = contrib_image.translate(wrap(image), [-pixels, 0]) return unwrap(image, replace) def translate_y(image, pixels, replace): """Equivalent of PIL Translate in Y dimension.""" image = contrib_image.translate(wrap(image), [0, -pixels]) return unwrap(image, replace) def _shift_bbox(bbox, image_height, image_width, pixels, shift_horizontal): """Shifts the bbox coordinates by pixels. Args: bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. image_height: Int, height of the image. image_width: Int, width of the image. pixels: An int. How many pixels to shift the bbox. shift_horizontal: Boolean. If true then shift in X dimension else shift in Y dimension. Returns: A tensor of the same shape as bbox, but now with the shifted coordinates. """ pixels = tf.to_int32(pixels) # Convert bbox to integer pixel locations. min_y = tf.to_int32(tf.to_float(image_height) * bbox[0]) min_x = tf.to_int32(tf.to_float(image_width) * bbox[1]) max_y = tf.to_int32(tf.to_float(image_height) * bbox[2]) max_x = tf.to_int32(tf.to_float(image_width) * bbox[3]) if shift_horizontal: min_x = tf.maximum(0, min_x - pixels) max_x = tf.minimum(image_width, max_x - pixels) else: min_y = tf.maximum(0, min_y - pixels) max_y = tf.minimum(image_height, max_y - pixels) # Convert bbox back to floats. min_y = tf.to_float(min_y) / tf.to_float(image_height) min_x = tf.to_float(min_x) / tf.to_float(image_width) max_y = tf.to_float(max_y) / tf.to_float(image_height) max_x = tf.to_float(max_x) / tf.to_float(image_width) # Clip the bboxes to be sure the fall between [0, 1]. min_y, min_x, max_y, max_x = _clip_bbox(min_y, min_x, max_y, max_x) min_y, min_x, max_y, max_x = _check_bbox_area(min_y, min_x, max_y, max_x) return tf.stack([min_y, min_x, max_y, max_x]) def translate_bbox(image, bboxes, pixels, replace, shift_horizontal): """Equivalent of PIL Translate in X/Y dimension that shifts image and bbox. Args: image: 3D uint8 Tensor. bboxes: 2D Tensor that is a list of the bboxes in the image. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float with values between [0, 1]. pixels: An int. How many pixels to shift the image and bboxes replace: A one or three value 1D tensor to fill empty pixels. shift_horizontal: Boolean. If true then shift in X dimension else shift in Y dimension. Returns: A tuple containing a 3D uint8 Tensor that will be the result of translating image by pixels. The second element of the tuple is bboxes, where now the coordinates will be shifted to reflect the shifted image. """ if shift_horizontal: image = translate_x(image, pixels, replace) else: image = translate_y(image, pixels, replace) # Convert bbox coordinates to pixel values. image_height = tf.shape(image)[0] image_width = tf.shape(image)[1] # pylint:disable=g-long-lambda wrapped_shift_bbox = lambda bbox: _shift_bbox( bbox, image_height, image_width, pixels, shift_horizontal) # pylint:enable=g-long-lambda bboxes = tf.map_fn(wrapped_shift_bbox, bboxes) return image, bboxes def shear_x(image, level, replace): """Equivalent of PIL Shearing in X dimension.""" # Shear parallel to x axis is a projective transform # with a matrix form of: # [1 level # 0 1]. image = contrib_image.transform( wrap(image), [1., level, 0., 0., 1., 0., 0., 0.]) return unwrap(image, replace) def shear_y(image, level, replace): """Equivalent of PIL Shearing in Y dimension.""" # Shear parallel to y axis is a projective transform # with a matrix form of: # [1 0 # level 1]. image = contrib_image.transform( wrap(image), [1., 0., 0., level, 1., 0., 0., 0.]) return unwrap(image, replace) def _shear_bbox(bbox, image_height, image_width, level, shear_horizontal): """Shifts the bbox according to how the image was sheared. Args: bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. image_height: Int, height of the image. image_width: Int, height of the image. level: Float. How much to shear the image. shear_horizontal: If true then shear in X dimension else shear in the Y dimension. Returns: A tensor of the same shape as bbox, but now with the shifted coordinates. """ image_height, image_width = ( tf.to_float(image_height), tf.to_float(image_width)) # Change bbox coordinates to be pixels. min_y = tf.to_int32(image_height * bbox[0]) min_x = tf.to_int32(image_width * bbox[1]) max_y = tf.to_int32(image_height * bbox[2]) max_x = tf.to_int32(image_width * bbox[3]) coordinates = tf.stack( [[min_y, min_x], [min_y, max_x], [max_y, min_x], [max_y, max_x]]) coordinates = tf.cast(coordinates, tf.float32) # Shear the coordinates according to the translation matrix. if shear_horizontal: translation_matrix = tf.stack( [[1, 0], [-level, 1]]) else: translation_matrix = tf.stack( [[1, -level], [0, 1]]) translation_matrix = tf.cast(translation_matrix, tf.float32) new_coords = tf.cast( tf.matmul(translation_matrix, tf.transpose(coordinates)), tf.int32) # Find min/max values and convert them back to floats. min_y = tf.to_float(tf.reduce_min(new_coords[0, :])) / image_height min_x = tf.to_float(tf.reduce_min(new_coords[1, :])) / image_width max_y = tf.to_float(tf.reduce_max(new_coords[0, :])) / image_height max_x = tf.to_float(tf.reduce_max(new_coords[1, :])) / image_width # Clip the bboxes to be sure the fall between [0, 1]. min_y, min_x, max_y, max_x = _clip_bbox(min_y, min_x, max_y, max_x) min_y, min_x, max_y, max_x = _check_bbox_area(min_y, min_x, max_y, max_x) return tf.stack([min_y, min_x, max_y, max_x]) def shear_with_bboxes(image, bboxes, level, replace, shear_horizontal): """Applies Shear Transformation to the image and shifts the bboxes. Args: image: 3D uint8 Tensor. bboxes: 2D Tensor that is a list of the bboxes in the image. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float with values between [0, 1]. level: Float. How much to shear the image. This value will be between -0.3 to 0.3. replace: A one or three value 1D tensor to fill empty pixels. shear_horizontal: Boolean. If true then shear in X dimension else shear in the Y dimension. Returns: A tuple containing a 3D uint8 Tensor that will be the result of shearing image by level. The second element of the tuple is bboxes, where now the coordinates will be shifted to reflect the sheared image. """ if shear_horizontal: image = shear_x(image, level, replace) else: image = shear_y(image, level, replace) # Convert bbox coordinates to pixel values. image_height = tf.shape(image)[0] image_width = tf.shape(image)[1] # pylint:disable=g-long-lambda wrapped_shear_bbox = lambda bbox: _shear_bbox( bbox, image_height, image_width, level, shear_horizontal) # pylint:enable=g-long-lambda bboxes = tf.map_fn(wrapped_shear_bbox, bboxes) return image, bboxes def autocontrast(image): """Implements Autocontrast function from PIL using TF ops. Args: image: A 3D uint8 tensor. Returns: The image after it has had autocontrast applied to it and will be of type uint8. """ def scale_channel(image): """Scale the 2D image using the autocontrast rule.""" # A possibly cheaper version can be done using cumsum/unique_with_counts # over the histogram values, rather than iterating over the entire image. # to compute mins and maxes. lo = tf.to_float(tf.reduce_min(image)) hi = tf.to_float(tf.reduce_max(image)) # Scale the image, making the lowest value 0 and the highest value 255. def scale_values(im): scale = 255.0 / (hi - lo) offset = -lo * scale im = tf.to_float(im) * scale + offset im = tf.clip_by_value(im, 0.0, 255.0) return tf.cast(im, tf.uint8) result = tf.cond(hi > lo, lambda: scale_values(image), lambda: image) return result # Assumes RGB for now. Scales each channel independently # and then stacks the result. s1 = scale_channel(image[:, :, 0]) s2 = scale_channel(image[:, :, 1]) s3 = scale_channel(image[:, :, 2]) image = tf.stack([s1, s2, s3], 2) return image def sharpness(image, factor): """Implements Sharpness function from PIL using TF ops.""" orig_image = image image = tf.cast(image, tf.float32) # Make image 4D for conv operation. image = tf.expand_dims(image, 0) # SMOOTH PIL Kernel. kernel = tf.constant( [[1, 1, 1], [1, 5, 1], [1, 1, 1]], dtype=tf.float32, shape=[3, 3, 1, 1]) / 13. # Tile across channel dimension. kernel = tf.tile(kernel, [1, 1, 3, 1]) strides = [1, 1, 1, 1] degenerate = tf.nn.depthwise_conv2d( image, kernel, strides, padding='VALID', rate=[1, 1]) degenerate = tf.clip_by_value(degenerate, 0.0, 255.0) degenerate = tf.squeeze(tf.cast(degenerate, tf.uint8), [0]) # For the borders of the resulting image, fill in the values of the # original image. mask = tf.ones_like(degenerate) padded_mask = tf.pad(mask, [[1, 1], [1, 1], [0, 0]]) padded_degenerate = tf.pad(degenerate, [[1, 1], [1, 1], [0, 0]]) result = tf.where(tf.equal(padded_mask, 1), padded_degenerate, orig_image) # Blend the final result. return blend(result, orig_image, factor) def equalize(image): """Implements Equalize function from PIL using TF ops.""" def scale_channel(im, c): """Scale the data in the channel to implement equalize.""" im = tf.cast(im[:, :, c], tf.int32) # Compute the histogram of the image channel. histo = tf.histogram_fixed_width(im, [0, 255], nbins=256) # For the purposes of computing the step, filter out the nonzeros. nonzero = tf.where(tf.not_equal(histo, 0)) nonzero_histo = tf.reshape(tf.gather(histo, nonzero), [-1]) step = (tf.reduce_sum(nonzero_histo) - nonzero_histo[-1]) // 255 def build_lut(histo, step): # Compute the cumulative sum, shifting by step // 2 # and then normalization by step. lut = (tf.cumsum(histo) + (step // 2)) // step # Shift lut, prepending with 0. lut = tf.concat([[0], lut[:-1]], 0) # Clip the counts to be in range. This is done # in the C code for image.point. return tf.clip_by_value(lut, 0, 255) # If step is zero, return the original image. Otherwise, build # lut from the full histogram and step and then index from it. result = tf.cond(tf.equal(step, 0), lambda: im, lambda: tf.gather(build_lut(histo, step), im)) return tf.cast(result, tf.uint8) # Assumes RGB for now. Scales each channel independently # and then stacks the result. s1 = scale_channel(image, 0) s2 = scale_channel(image, 1) s3 = scale_channel(image, 2) image = tf.stack([s1, s2, s3], 2) return image def wrap(image): """Returns 'image' with an extra channel set to all 1s.""" shape = tf.shape(image) extended_channel = tf.ones([shape[0], shape[1], 1], image.dtype) extended = tf.concat([image, extended_channel], 2) return extended def unwrap(image, replace): """Unwraps an image produced by wrap. Where there is a 0 in the last channel for every spatial position, the rest of the three channels in that spatial dimension are grayed (set to 128). Operations like translate and shear on a wrapped Tensor will leave 0s in empty locations. Some transformations look at the intensity of values to do preprocessing, and we want these empty pixels to assume the 'average' value, rather than pure black. Args: image: A 3D Image Tensor with 4 channels. replace: A one or three value 1D tensor to fill empty pixels. Returns: image: A 3D image Tensor with 3 channels. """ image_shape = tf.shape(image) # Flatten the spatial dimensions. flattened_image = tf.reshape(image, [-1, image_shape[2]]) # Find all pixels where the last channel is zero. alpha_channel = flattened_image[:, 3] replace = tf.concat([replace, tf.ones([1], image.dtype)], 0) # Where they are zero, fill them in with 'replace'. flattened_image = tf.where( tf.equal(alpha_channel, 0), tf.ones_like(flattened_image, dtype=image.dtype) * replace, flattened_image) image = tf.reshape(flattened_image, image_shape) image = tf.slice(image, [0, 0, 0], [image_shape[0], image_shape[1], 3]) return image def _cutout_inside_bbox(image, bbox, pad_fraction): """Generates cutout mask and the mean pixel value of the bbox. First a location is randomly chosen within the image as the center where the cutout mask will be applied. Note this can be towards the boundaries of the image, so the full cutout mask may not be applied. Args: image: 3D uint8 Tensor. bbox: 1D Tensor that has 4 elements (min_y, min_x, max_y, max_x) of type float that represents the normalized coordinates between 0 and 1. pad_fraction: Float that specifies how large the cutout mask should be in in reference to the size of the original bbox. If pad_fraction is 0.25, then the cutout mask will be of shape (0.25 * bbox height, 0.25 * bbox width). Returns: A tuple. Fist element is a tensor of the same shape as image where each element is either a 1 or 0 that is used to determine where the image will have cutout applied. The second element is the mean of the pixels in the image where the bbox is located. """ image_height = tf.shape(image)[0] image_width = tf.shape(image)[1] # Transform from shape [1, 4] to [4]. bbox = tf.squeeze(bbox) min_y = tf.to_int32(tf.to_float(image_height) * bbox[0]) min_x = tf.to_int32(tf.to_float(image_width) * bbox[1]) max_y = tf.to_int32(tf.to_float(image_height) * bbox[2]) max_x = tf.to_int32(tf.to_float(image_width) * bbox[3]) # Calculate the mean pixel values in the bounding box, which will be used # to fill the cutout region. mean = tf.reduce_mean(image[min_y:max_y + 1, min_x:max_x + 1], reduction_indices=[0, 1]) # Cutout mask will be size pad_size_heigh * 2 by pad_size_width * 2 if the # region lies entirely within the bbox. box_height = max_y - min_y + 1 box_width = max_x - min_x + 1 pad_size_height = tf.to_int32(pad_fraction * (box_height / 2)) pad_size_width = tf.to_int32(pad_fraction * (box_width / 2)) # Sample the center location in the image where the zero mask will be applied. cutout_center_height = tf.random_uniform( shape=[], minval=min_y, maxval=max_y+1, dtype=tf.int32) cutout_center_width = tf.random_uniform( shape=[], minval=min_x, maxval=max_x+1, dtype=tf.int32) lower_pad = tf.maximum( 0, cutout_center_height - pad_size_height) upper_pad = tf.maximum( 0, image_height - cutout_center_height - pad_size_height) left_pad = tf.maximum( 0, cutout_center_width - pad_size_width) right_pad = tf.maximum( 0, image_width - cutout_center_width - pad_size_width) cutout_shape = [image_height - (lower_pad + upper_pad), image_width - (left_pad + right_pad)] padding_dims = [[lower_pad, upper_pad], [left_pad, right_pad]] mask = tf.pad( tf.zeros(cutout_shape, dtype=image.dtype), padding_dims, constant_values=1) mask = tf.expand_dims(mask, 2) mask = tf.tile(mask, [1, 1, 3]) return mask, mean def bbox_cutout(image, bboxes, pad_fraction, replace_with_mean): """Applies cutout to the image according to bbox information. This is a cutout variant that using bbox information to make more informed decisions on where to place the cutout mask. Args: image: 3D uint8 Tensor. bboxes: 2D Tensor that is a list of the bboxes in the image. Each bbox has 4 elements (min_y, min_x, max_y, max_x) of type float with values between [0, 1]. pad_fraction: Float that specifies how large the cutout mask should be in in reference to the size of the original bbox. If pad_fraction is 0.25, then the cutout mask will be of shape (0.25 * bbox height, 0.25 * bbox width). replace_with_mean: Boolean that specified what value should be filled in where the cutout mask is applied. Since the incoming image will be of uint8 and will not have had any mean normalization applied, by default we set the value to be 128. If replace_with_mean is True then we find the mean pixel values across the channel dimension and use those to fill in where the cutout mask is applied. Returns: A tuple. First element is a tensor of the same shape as image that has cutout applied to it. Second element is the bboxes that were passed in that will be unchanged. """ def apply_bbox_cutout(image, bboxes, pad_fraction): """Applies cutout to a single bounding box within image.""" # Choose a single bounding box to apply cutout to. random_index = tf.random_uniform( shape=[], maxval=tf.shape(bboxes)[0], dtype=tf.int32) # Select the corresponding bbox and apply cutout. chosen_bbox = tf.gather(bboxes, random_index) mask, mean = _cutout_inside_bbox(image, chosen_bbox, pad_fraction) # When applying cutout we either set the pixel value to 128 or to the mean # value inside the bbox. replace = mean if replace_with_mean else 128 # Apply the cutout mask to the image. Where the mask is 0 we fill it with # `replace`. image = tf.where( tf.equal(mask, 0), tf.cast(tf.ones_like(image, dtype=image.dtype) * replace, dtype=image.dtype), image) return image # Check to see if there are boxes, if so then apply boxcutout. image = tf.cond(tf.equal(tf.size(bboxes), 0), lambda: image, lambda: apply_bbox_cutout(image, bboxes, pad_fraction)) return image, bboxes NAME_TO_FUNC = { 'AutoContrast': autocontrast, 'Equalize': equalize, 'Posterize': posterize, 'Solarize': solarize, 'SolarizeAdd': solarize_add, 'Color': color, 'Contrast': contrast, 'Brightness': brightness, 'Sharpness': sharpness, 'Cutout': cutout, 'BBox_Cutout': bbox_cutout, 'Rotate_BBox': rotate_with_bboxes, # pylint:disable=g-long-lambda 'TranslateX_BBox': lambda image, bboxes, pixels, replace: translate_bbox( image, bboxes, pixels, replace, shift_horizontal=True), 'TranslateY_BBox': lambda image, bboxes, pixels, replace: translate_bbox( image, bboxes, pixels, replace, shift_horizontal=False), 'ShearX_BBox': lambda image, bboxes, level, replace: shear_with_bboxes( image, bboxes, level, replace, shear_horizontal=True), 'ShearY_BBox': lambda image, bboxes, level, replace: shear_with_bboxes( image, bboxes, level, replace, shear_horizontal=False), # pylint:enable=g-long-lambda 'Rotate_Only_BBoxes': rotate_only_bboxes, 'ShearX_Only_BBoxes': shear_x_only_bboxes, 'ShearY_Only_BBoxes': shear_y_only_bboxes, 'TranslateX_Only_BBoxes': translate_x_only_bboxes, 'TranslateY_Only_BBoxes': translate_y_only_bboxes, 'Flip_Only_BBoxes': flip_only_bboxes, 'Solarize_Only_BBoxes': solarize_only_bboxes, 'Equalize_Only_BBoxes': equalize_only_bboxes, 'Cutout_Only_BBoxes': cutout_only_bboxes, } def _randomly_negate_tensor(tensor): """With 50% prob turn the tensor negative.""" should_flip = tf.cast(tf.floor(tf.random_uniform([]) + 0.5), tf.bool) final_tensor = tf.cond(should_flip, lambda: tensor, lambda: -tensor) return final_tensor def _rotate_level_to_arg(level): level = (level/_MAX_LEVEL) * 30. level = _randomly_negate_tensor(level) return (level,) def _shrink_level_to_arg(level): """Converts level to ratio by which we shrink the image content.""" if level == 0: return (1.0,) # if level is zero, do not shrink the image # Maximum shrinking ratio is 2.9. level = 2. / (_MAX_LEVEL / level) + 0.9 return (level,) def _enhance_level_to_arg(level): return ((level/_MAX_LEVEL) * 1.8 + 0.1,) def _shear_level_to_arg(level): level = (level/_MAX_LEVEL) * 0.3 # Flip level to negative with 50% chance. level = _randomly_negate_tensor(level) return (level,) def _translate_level_to_arg(level, translate_const): level = (level/_MAX_LEVEL) * float(translate_const) # Flip level to negative with 50% chance. level = _randomly_negate_tensor(level) return (level,) def _bbox_cutout_level_to_arg(level, hparams): cutout_pad_fraction = (level/_MAX_LEVEL) * hparams.cutout_max_pad_fraction return (cutout_pad_fraction, hparams.cutout_bbox_replace_with_mean) def level_to_arg(hparams): return { 'AutoContrast': lambda level: (), 'Equalize': lambda level: (), 'Posterize': lambda level: (int((level/_MAX_LEVEL) * 4),), 'Solarize': lambda level: (int((level/_MAX_LEVEL) * 256),), 'SolarizeAdd': lambda level: (int((level/_MAX_LEVEL) * 110),), 'Color': _enhance_level_to_arg, 'Contrast': _enhance_level_to_arg, 'Brightness': _enhance_level_to_arg, 'Sharpness': _enhance_level_to_arg, 'Cutout': lambda level: (int((level/_MAX_LEVEL) * hparams.cutout_const),), # pylint:disable=g-long-lambda 'BBox_Cutout': lambda level: _bbox_cutout_level_to_arg( level, hparams), 'TranslateX_BBox': lambda level: _translate_level_to_arg( level, hparams.translate_const), 'TranslateY_BBox': lambda level: _translate_level_to_arg( level, hparams.translate_const), # pylint:enable=g-long-lambda 'ShearX_BBox': _shear_level_to_arg, 'ShearY_BBox': _shear_level_to_arg, 'Rotate_BBox': _rotate_level_to_arg, 'Rotate_Only_BBoxes': _rotate_level_to_arg, 'ShearX_Only_BBoxes': _shear_level_to_arg, 'ShearY_Only_BBoxes': _shear_level_to_arg, # pylint:disable=g-long-lambda 'TranslateX_Only_BBoxes': lambda level: _translate_level_to_arg( level, hparams.translate_bbox_const), 'TranslateY_Only_BBoxes': lambda level: _translate_level_to_arg( level, hparams.translate_bbox_const), # pylint:enable=g-long-lambda 'Flip_Only_BBoxes': lambda level: (), 'Solarize_Only_BBoxes': lambda level: (int((level/_MAX_LEVEL) * 256),), 'Equalize_Only_BBoxes': lambda level: (), # pylint:disable=g-long-lambda 'Cutout_Only_BBoxes': lambda level: ( int((level/_MAX_LEVEL) * hparams.cutout_bbox_const),), # pylint:enable=g-long-lambda } def bbox_wrapper(func): """Adds a bboxes function argument to func and returns unchanged bboxes.""" def wrapper(images, bboxes, *args, **kwargs): return (func(images, *args, **kwargs), bboxes) return wrapper def _parse_policy_info(name, prob, level, replace_value, augmentation_hparams): """Return the function that corresponds to `name` and update `level` param.""" func = NAME_TO_FUNC[name] args = level_to_arg(augmentation_hparams)[name](level) if six.PY2: # pylint: disable=deprecated-method arg_spec = inspect.getargspec(func) # pylint: enable=deprecated-method else: arg_spec = inspect.getfullargspec(func) # Check to see if prob is passed into function. This is used for operations # where we alter bboxes independently. # pytype:disable=wrong-arg-types if 'prob' in arg_spec[0]: args = tuple([prob] + list(args)) # pytype:enable=wrong-arg-types # Add in replace arg if it is required for the function that is being called. if 'replace' in arg_spec[0]: # Make sure replace is the final argument assert 'replace' == arg_spec[0][-1] args = tuple(list(args) + [replace_value]) # Add bboxes as the second positional argument for the function if it does # not already exist. if 'bboxes' not in arg_spec[0]: func = bbox_wrapper(func) return (func, prob, args) def _apply_func_with_prob(func, image, args, prob, bboxes): """Apply `func` to image w/ `args` as input with probability `prob`.""" assert isinstance(args, tuple) if six.PY2: # pylint: disable=deprecated-method arg_spec = inspect.getargspec(func) # pylint: enable=deprecated-method else: arg_spec = inspect.getfullargspec(func) assert 'bboxes' == arg_spec[0][1] # If prob is a function argument, then this randomness is being handled # inside the function, so make sure it is always called. if 'prob' in arg_spec[0]: prob = 1.0 # Apply the function with probability `prob`. should_apply_op = tf.cast( tf.floor(tf.random_uniform([], dtype=tf.float32) + prob), tf.bool) augmented_image, augmented_bboxes = tf.cond( should_apply_op, lambda: func(image, bboxes, *args), lambda: (image, bboxes)) return augmented_image, augmented_bboxes def select_and_apply_random_policy(policies, image, bboxes): """Select a random policy from `policies` and apply it to `image`.""" policy_to_select = tf.random_uniform([], maxval=len(policies), dtype=tf.int32) # Note that using tf.case instead of tf.conds would result in significantly # larger graphs and would even break export for some larger policies. for (i, policy) in enumerate(policies): image, bboxes = tf.cond( tf.equal(i, policy_to_select), lambda selected_policy=policy: selected_policy(image, bboxes), lambda: (image, bboxes)) return (image, bboxes) def build_and_apply_nas_policy(policies, image, bboxes, augmentation_hparams): """Build a policy from the given policies passed in and apply to image. Args: policies: list of lists of tuples in the form `(func, prob, level)`, `func` is a string name of the augmentation function, `prob` is the probability of applying the `func` operation, `level` is the input argument for `func`. image: tf.Tensor that the resulting policy will be applied to. bboxes: augmentation_hparams: Hparams associated with the NAS learned policy. Returns: A version of image that now has data augmentation applied to it based on the `policies` pass into the function. Additionally, returns bboxes if a value for them is passed in that is not None """ replace_value = [128, 128, 128] # func is the string name of the augmentation function, prob is the # probability of applying the operation and level is the parameter associated # with the tf op. # tf_policies are functions that take in an image and return an augmented # image. tf_policies = [] for policy in policies: tf_policy = [] # Link string name to the correct python function and make sure the correct # argument is passed into that function. for policy_info in policy: policy_info = list(policy_info) + [replace_value, augmentation_hparams] tf_policy.append(_parse_policy_info(*policy_info)) # Now build the tf policy that will apply the augmentation procedue # on image. def make_final_policy(tf_policy_): def final_policy(image_, bboxes_): for func, prob, args in tf_policy_: image_, bboxes_ = _apply_func_with_prob( func, image_, args, prob, bboxes_) return image_, bboxes_ return final_policy tf_policies.append(make_final_policy(tf_policy)) augmented_image, augmented_bbox = select_and_apply_random_policy( tf_policies, image, bboxes) # If no bounding boxes were specified, then just return the images. return (augmented_image, augmented_bbox) # TODO(barretzoph): Add in ArXiv link once paper is out. def distort_image_with_autoaugment(image, bboxes, augmentation_name): """Applies the AutoAugment policy to `image` and `bboxes`. Args: image: `Tensor` of shape [height, width, 3] representing an image. bboxes: `Tensor` of shape [N, 4] representing ground truth boxes that are normalized between [0, 1]. augmentation_name: The name of the AutoAugment policy to use. The available options are `v0`, `v1`, `v2`, `v3` and `test`. `v0` is the policy used for all of the results in the paper and was found to achieve the best results on the COCO dataset. `v1`, `v2` and `v3` are additional good policies found on the COCO dataset that have slight variation in what operations were used during the search procedure along with how many operations are applied in parallel to a single image (2 vs 3). Returns: A tuple containing the augmented versions of `image` and `bboxes`. """ image = tf.cast(image, tf.uint8) available_policies = {'v0': policy_v0, 'v1': policy_v1, 'v2': policy_v2, 'v3': policy_v3, 'test': policy_vtest} if augmentation_name not in available_policies: raise ValueError('Invalid augmentation_name: {}'.format(augmentation_name)) policy = available_policies[augmentation_name]() # Hparams that will be used for AutoAugment. augmentation_hparams = contrib_training.HParams( cutout_max_pad_fraction=0.75, cutout_bbox_replace_with_mean=False, cutout_const=100, translate_const=250, cutout_bbox_const=50, translate_bbox_const=120) augmented_image, augmented_bbox = ( build_and_apply_nas_policy(policy, image, bboxes, augmentation_hparams)) augmented_image = tf.cast(augmented_image, tf.float32) return augmented_image, augmented_bbox
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/autoaugment_utils.py
autoaugment_utils.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function from abc import abstractmethod import collections import logging import numpy as np import six from six.moves import range from object_detection.core import standard_fields from object_detection.utils import metrics from object_detection.utils import object_detection_evaluation from object_detection.utils import per_image_vrd_evaluation # Below standard input numpy datatypes are defined: # box_data_type - datatype of the groundtruth visual relations box annotations; # this datatype consists of two named boxes: subject bounding box and object # bounding box. Each box is of the format [y_min, x_min, y_max, x_max], each # coordinate being of type float32. # label_data_type - corresponding datatype of the visual relations label # annotaions; it consists of three numerical class labels: subject class label, # object class label and relation class label, each class label being of type # int32. vrd_box_data_type = np.dtype([('subject', 'f4', (4,)), ('object', 'f4', (4,))]) single_box_data_type = np.dtype([('box', 'f4', (4,))]) label_data_type = np.dtype([('subject', 'i4'), ('object', 'i4'), ('relation', 'i4')]) class VRDDetectionEvaluator(object_detection_evaluation.DetectionEvaluator): """A class to evaluate VRD detections. This class serves as a base class for VRD evaluation in two settings: - phrase detection - relation detection. """ def __init__(self, matching_iou_threshold=0.5, metric_prefix=None): """Constructor. Args: matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. metric_prefix: (optional) string prefix for metric name; if None, no prefix is used. """ super(VRDDetectionEvaluator, self).__init__([]) self._matching_iou_threshold = matching_iou_threshold self._evaluation = _VRDDetectionEvaluation( matching_iou_threshold=self._matching_iou_threshold) self._image_ids = set([]) self._metric_prefix = (metric_prefix + '_') if metric_prefix else '' self._evaluatable_labels = {} self._negative_labels = {} @abstractmethod def _process_groundtruth_boxes(self, groundtruth_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. Phrase detection and Relation detection subclasses re-implement this method depending on the task. Args: groundtruth_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (see datatype vrd_box_data_type, single_box_data_type above). """ raise NotImplementedError( '_process_groundtruth_boxes method should be implemented in subclasses' 'of VRDDetectionEvaluator.') @abstractmethod def _process_detection_boxes(self, detections_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. Phrase detection and Relation detection subclasses re-implement this method depending on the task. Args: detections_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (see datatype vrd_box_data_type, single_box_data_type above). """ raise NotImplementedError( '_process_detection_boxes method should be implemented in subclasses' 'of VRDDetectionEvaluator.') def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - standard_fields.InputDataFields.groundtruth_boxes: A numpy array of structures with the shape [M, 1], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (see datatype vrd_box_data_type, single_box_data_type above). standard_fields.InputDataFields.groundtruth_classes: A numpy array of structures shape [M, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes (see datatype label_data_type above). standard_fields.InputDataFields.groundtruth_image_classes: numpy array of shape [K] containing verified labels. Raises: ValueError: On adding groundtruth for an image more than once. """ if image_id in self._image_ids: raise ValueError('Image with id {} already added.'.format(image_id)) groundtruth_class_tuples = ( groundtruth_dict[standard_fields.InputDataFields.groundtruth_classes]) groundtruth_box_tuples = ( groundtruth_dict[standard_fields.InputDataFields.groundtruth_boxes]) self._evaluation.add_single_ground_truth_image_info( image_key=image_id, groundtruth_box_tuples=self._process_groundtruth_boxes( groundtruth_box_tuples), groundtruth_class_tuples=groundtruth_class_tuples) self._image_ids.update([image_id]) all_classes = [] for field in groundtruth_box_tuples.dtype.fields: all_classes.append(groundtruth_class_tuples[field]) groudtruth_positive_classes = np.unique(np.concatenate(all_classes)) verified_labels = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_image_classes, np.array([], dtype=int)) self._evaluatable_labels[image_id] = np.unique( np.concatenate((verified_labels, groudtruth_positive_classes))) self._negative_labels[image_id] = np.setdiff1d(verified_labels, groudtruth_positive_classes) def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - standard_fields.DetectionResultFields.detection_boxes: A numpy array of structures with shape [N, 1], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (as an example see datatype vrd_box_data_type, single_box_data_type above). standard_fields.DetectionResultFields.detection_scores: float32 numpy array of shape [N] containing detection scores for the boxes. standard_fields.DetectionResultFields.detection_classes: A numpy array of structures shape [N, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes (see datatype label_data_type above). """ if image_id not in self._image_ids: logging.warning('No groundtruth for the image with id %s.', image_id) # Since for the correct work of evaluator it is assumed that groundtruth # is inserted first we make sure to break the code if is it not the case. self._image_ids.update([image_id]) self._negative_labels[image_id] = np.array([]) self._evaluatable_labels[image_id] = np.array([]) num_detections = detections_dict[ standard_fields.DetectionResultFields.detection_boxes].shape[0] detection_class_tuples = detections_dict[ standard_fields.DetectionResultFields.detection_classes] detection_box_tuples = detections_dict[ standard_fields.DetectionResultFields.detection_boxes] negative_selector = np.zeros(num_detections, dtype=bool) selector = np.ones(num_detections, dtype=bool) # Only check boxable labels for field in detection_box_tuples.dtype.fields: # Verify if one of the labels is negative (this is sure FP) negative_selector |= np.isin(detection_class_tuples[field], self._negative_labels[image_id]) # Verify if all labels are verified selector &= np.isin(detection_class_tuples[field], self._evaluatable_labels[image_id]) selector |= negative_selector self._evaluation.add_single_detected_image_info( image_key=image_id, detected_box_tuples=self._process_detection_boxes( detection_box_tuples[selector]), detected_scores=detections_dict[ standard_fields.DetectionResultFields.detection_scores][selector], detected_class_tuples=detection_class_tuples[selector]) def evaluate(self, relationships=None): """Compute evaluation result. Args: relationships: A dictionary of numerical label-text label mapping; if specified, returns per-relationship AP. Returns: A dictionary of metrics with the following fields - summary_metrics: 'weightedAP@<matching_iou_threshold>IOU' : weighted average precision at the specified IOU threshold. 'AP@<matching_iou_threshold>IOU/<relationship>' : AP per relationship. 'mAP@<matching_iou_threshold>IOU': mean average precision at the specified IOU threshold. 'Recall@50@<matching_iou_threshold>IOU': recall@50 at the specified IOU threshold. 'Recall@100@<matching_iou_threshold>IOU': recall@100 at the specified IOU threshold. if relationships is specified, returns <relationship> in AP metrics as readable names, otherwise the names correspond to class numbers. """ (weighted_average_precision, mean_average_precision, average_precisions, _, _, recall_50, recall_100, _, _) = ( self._evaluation.evaluate()) vrd_metrics = { (self._metric_prefix + 'weightedAP@{}IOU'.format( self._matching_iou_threshold)): weighted_average_precision, self._metric_prefix + 'mAP@{}IOU'.format(self._matching_iou_threshold): mean_average_precision, self._metric_prefix + 'Recall@50@{}IOU'.format( self._matching_iou_threshold): recall_50, self._metric_prefix + 'Recall@100@{}IOU'.format( self._matching_iou_threshold): recall_100, } if relationships: for key, average_precision in six.iteritems(average_precisions): vrd_metrics[self._metric_prefix + 'AP@{}IOU/{}'.format( self._matching_iou_threshold, relationships[key])] = average_precision else: for key, average_precision in six.iteritems(average_precisions): vrd_metrics[self._metric_prefix + 'AP@{}IOU/{}'.format( self._matching_iou_threshold, key)] = average_precision return vrd_metrics def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._evaluation = _VRDDetectionEvaluation( matching_iou_threshold=self._matching_iou_threshold) self._image_ids.clear() self._negative_labels.clear() self._evaluatable_labels.clear() class VRDRelationDetectionEvaluator(VRDDetectionEvaluator): """A class to evaluate VRD detections in relations setting. Expected groundtruth box datatype is vrd_box_data_type, expected groudtruth labels datatype is label_data_type. Expected detection box datatype is vrd_box_data_type, expected detection labels datatype is label_data_type. """ def __init__(self, matching_iou_threshold=0.5): super(VRDRelationDetectionEvaluator, self).__init__( matching_iou_threshold=matching_iou_threshold, metric_prefix='VRDMetric_Relationships') def _process_groundtruth_boxes(self, groundtruth_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. Args: groundtruth_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. Returns: Unchanged input. """ return groundtruth_box_tuples def _process_detection_boxes(self, detections_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. Phrase detection and Relation detection subclasses re-implement this method depending on the task. Args: detections_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (see datatype vrd_box_data_type, single_box_data_type above). Returns: Unchanged input. """ return detections_box_tuples class VRDPhraseDetectionEvaluator(VRDDetectionEvaluator): """A class to evaluate VRD detections in phrase setting. Expected groundtruth box datatype is vrd_box_data_type, expected groudtruth labels datatype is label_data_type. Expected detection box datatype is single_box_data_type, expected detection labels datatype is label_data_type. """ def __init__(self, matching_iou_threshold=0.5): super(VRDPhraseDetectionEvaluator, self).__init__( matching_iou_threshold=matching_iou_threshold, metric_prefix='VRDMetric_Phrases') def _process_groundtruth_boxes(self, groundtruth_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. In case of phrase evaluation task, evaluation expects exactly one bounding box containing all objects in the phrase. This bounding box is computed as an enclosing box of all groundtruth boxes of a phrase. Args: groundtruth_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. See vrd_box_data_type for an example of structure. Returns: result: A numpy array of structures with the shape [M, 1], each structure containing exactly one named bounding box. i-th output structure corresponds to the result of processing i-th input structure, where the named bounding box is computed as an enclosing bounding box of all bounding boxes of the i-th input structure. """ first_box_key = next(six.iterkeys(groundtruth_box_tuples.dtype.fields)) miny = groundtruth_box_tuples[first_box_key][:, 0] minx = groundtruth_box_tuples[first_box_key][:, 1] maxy = groundtruth_box_tuples[first_box_key][:, 2] maxx = groundtruth_box_tuples[first_box_key][:, 3] for fields in groundtruth_box_tuples.dtype.fields: miny = np.minimum(groundtruth_box_tuples[fields][:, 0], miny) minx = np.minimum(groundtruth_box_tuples[fields][:, 1], minx) maxy = np.maximum(groundtruth_box_tuples[fields][:, 2], maxy) maxx = np.maximum(groundtruth_box_tuples[fields][:, 3], maxx) data_result = [] for i in range(groundtruth_box_tuples.shape[0]): data_result.append(([miny[i], minx[i], maxy[i], maxx[i]],)) result = np.array(data_result, dtype=[('box', 'f4', (4,))]) return result def _process_detection_boxes(self, detections_box_tuples): """Pre-processes boxes before adding them to the VRDDetectionEvaluation. In case of phrase evaluation task, evaluation expects exactly one bounding box containing all objects in the phrase. This bounding box is computed as an enclosing box of all groundtruth boxes of a phrase. Args: detections_box_tuples: A numpy array of structures with the shape [M, 1], each structure containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. See vrd_box_data_type for an example of this structure. Returns: result: A numpy array of structures with the shape [M, 1], each structure containing exactly one named bounding box. i-th output structure corresponds to the result of processing i-th input structure, where the named bounding box is computed as an enclosing bounding box of all bounding boxes of the i-th input structure. """ first_box_key = next(six.iterkeys(detections_box_tuples.dtype.fields)) miny = detections_box_tuples[first_box_key][:, 0] minx = detections_box_tuples[first_box_key][:, 1] maxy = detections_box_tuples[first_box_key][:, 2] maxx = detections_box_tuples[first_box_key][:, 3] for fields in detections_box_tuples.dtype.fields: miny = np.minimum(detections_box_tuples[fields][:, 0], miny) minx = np.minimum(detections_box_tuples[fields][:, 1], minx) maxy = np.maximum(detections_box_tuples[fields][:, 2], maxy) maxx = np.maximum(detections_box_tuples[fields][:, 3], maxx) data_result = [] for i in range(detections_box_tuples.shape[0]): data_result.append(([miny[i], minx[i], maxy[i], maxx[i]],)) result = np.array(data_result, dtype=[('box', 'f4', (4,))]) return result VRDDetectionEvalMetrics = collections.namedtuple('VRDDetectionEvalMetrics', [ 'weighted_average_precision', 'mean_average_precision', 'average_precisions', 'precisions', 'recalls', 'recall_50', 'recall_100', 'median_rank_50', 'median_rank_100' ]) class _VRDDetectionEvaluation(object): """Performs metric computation for the VRD task. This class is internal. """ def __init__(self, matching_iou_threshold=0.5): """Constructor. Args: matching_iou_threshold: IOU threshold to use for matching groundtruth boxes to detection boxes. """ self._per_image_eval = per_image_vrd_evaluation.PerImageVRDEvaluation( matching_iou_threshold=matching_iou_threshold) self._groundtruth_box_tuples = {} self._groundtruth_class_tuples = {} self._num_gt_instances = 0 self._num_gt_imgs = 0 self._num_gt_instances_per_relationship = {} self.clear_detections() def clear_detections(self): """Clears detections.""" self._detection_keys = set() self._scores = [] self._relation_field_values = [] self._tp_fp_labels = [] self._average_precisions = {} self._precisions = [] self._recalls = [] def add_single_ground_truth_image_info( self, image_key, groundtruth_box_tuples, groundtruth_class_tuples): """Adds groundtruth for a single image to be used for evaluation. Args: image_key: A unique string/integer identifier for the image. groundtruth_box_tuples: A numpy array of structures with the shape [M, 1], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. groundtruth_class_tuples: A numpy array of structures shape [M, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes. """ if image_key in self._groundtruth_box_tuples: logging.warning( 'image %s has already been added to the ground truth database.', image_key) return self._groundtruth_box_tuples[image_key] = groundtruth_box_tuples self._groundtruth_class_tuples[image_key] = groundtruth_class_tuples self._update_groundtruth_statistics(groundtruth_class_tuples) def add_single_detected_image_info(self, image_key, detected_box_tuples, detected_scores, detected_class_tuples): """Adds detections for a single image to be used for evaluation. Args: image_key: A unique string/integer identifier for the image. detected_box_tuples: A numpy array of structures with shape [N, 1], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max]. detected_scores: A float numpy array of shape [N, 1], representing the confidence scores of the detected N object instances. detected_class_tuples: A numpy array of structures shape [N, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes. """ self._detection_keys.add(image_key) if image_key in self._groundtruth_box_tuples: groundtruth_box_tuples = self._groundtruth_box_tuples[image_key] groundtruth_class_tuples = self._groundtruth_class_tuples[image_key] else: groundtruth_box_tuples = np.empty( shape=[0, 4], dtype=detected_box_tuples.dtype) groundtruth_class_tuples = np.array([], dtype=detected_class_tuples.dtype) scores, tp_fp_labels, mapping = ( self._per_image_eval.compute_detection_tp_fp( detected_box_tuples=detected_box_tuples, detected_scores=detected_scores, detected_class_tuples=detected_class_tuples, groundtruth_box_tuples=groundtruth_box_tuples, groundtruth_class_tuples=groundtruth_class_tuples)) self._scores += [scores] self._tp_fp_labels += [tp_fp_labels] self._relation_field_values += [detected_class_tuples[mapping]['relation']] def _update_groundtruth_statistics(self, groundtruth_class_tuples): """Updates grouth truth statistics. Args: groundtruth_class_tuples: A numpy array of structures shape [M, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes. """ self._num_gt_instances += groundtruth_class_tuples.shape[0] self._num_gt_imgs += 1 for relation_field_value in np.unique(groundtruth_class_tuples['relation']): if relation_field_value not in self._num_gt_instances_per_relationship: self._num_gt_instances_per_relationship[relation_field_value] = 0 self._num_gt_instances_per_relationship[relation_field_value] += np.sum( groundtruth_class_tuples['relation'] == relation_field_value) def evaluate(self): """Computes evaluation result. Returns: A named tuple with the following fields - average_precision: a float number corresponding to average precision. precisions: an array of precisions. recalls: an array of recalls. recall@50: recall computed on 50 top-scoring samples. recall@100: recall computed on 100 top-scoring samples. median_rank@50: median rank computed on 50 top-scoring samples. median_rank@100: median rank computed on 100 top-scoring samples. """ if self._num_gt_instances == 0: logging.warning('No ground truth instances') if not self._scores: scores = np.array([], dtype=float) tp_fp_labels = np.array([], dtype=bool) else: scores = np.concatenate(self._scores) tp_fp_labels = np.concatenate(self._tp_fp_labels) relation_field_values = np.concatenate(self._relation_field_values) for relation_field_value, _ in (six.iteritems( self._num_gt_instances_per_relationship)): precisions, recalls = metrics.compute_precision_recall( scores[relation_field_values == relation_field_value], tp_fp_labels[relation_field_values == relation_field_value], self._num_gt_instances_per_relationship[relation_field_value]) self._average_precisions[ relation_field_value] = metrics.compute_average_precision( precisions, recalls) self._mean_average_precision = np.mean( list(self._average_precisions.values())) self._precisions, self._recalls = metrics.compute_precision_recall( scores, tp_fp_labels, self._num_gt_instances) self._weighted_average_precision = metrics.compute_average_precision( self._precisions, self._recalls) self._recall_50 = ( metrics.compute_recall_at_k(self._tp_fp_labels, self._num_gt_instances, 50)) self._median_rank_50 = ( metrics.compute_median_rank_at_k(self._tp_fp_labels, 50)) self._recall_100 = ( metrics.compute_recall_at_k(self._tp_fp_labels, self._num_gt_instances, 100)) self._median_rank_100 = ( metrics.compute_median_rank_at_k(self._tp_fp_labels, 100)) return VRDDetectionEvalMetrics( self._weighted_average_precision, self._mean_average_precision, self._average_precisions, self._precisions, self._recalls, self._recall_50, self._recall_100, self._median_rank_50, self._median_rank_100)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/vrd_evaluation.py
vrd_evaluation.py
"""Spatial transformation ops like RoIAlign, CropAndResize.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf def _coordinate_vector_1d(start, end, size, align_endpoints): """Generates uniformly spaced coordinate vector. Args: start: A float tensor of shape [batch, num_boxes] indicating start values. end: A float tensor of shape [batch, num_boxes] indicating end values. size: Number of points in coordinate vector. align_endpoints: Whether to align first and last points exactly to endpoints. Returns: A 3D float tensor of shape [batch, num_boxes, size] containing grid coordinates. """ start = tf.expand_dims(start, -1) end = tf.expand_dims(end, -1) length = end - start if align_endpoints: relative_grid_spacing = tf.linspace(0.0, 1.0, size) offset = 0 if size > 1 else length / 2 else: relative_grid_spacing = tf.linspace(0.0, 1.0, size + 1)[:-1] offset = length / (2 * size) relative_grid_spacing = tf.reshape(relative_grid_spacing, [1, 1, size]) relative_grid_spacing = tf.cast(relative_grid_spacing, dtype=start.dtype) absolute_grid = start + offset + relative_grid_spacing * length return absolute_grid def box_grid_coordinate_vectors(boxes, size_y, size_x, align_corners=False): """Generates coordinate vectors for a `size x size` grid in boxes. Each box is subdivided uniformly into a grid consisting of size x size rectangular cells. This function returns coordinate vectors describing the center of each cell. If `align_corners` is true, grid points are uniformly spread such that the corner points on the grid exactly overlap corners of the boxes. Note that output coordinates are expressed in the same coordinate frame as input boxes. Args: boxes: A float tensor of shape [batch, num_boxes, 4] containing boxes of the form [ymin, xmin, ymax, xmax]. size_y: Size of the grid in y axis. size_x: Size of the grid in x axis. align_corners: Whether to align the corner grid points exactly with box corners. Returns: box_grid_y: A float tensor of shape [batch, num_boxes, size_y] containing y coordinates for grid points. box_grid_x: A float tensor of shape [batch, num_boxes, size_x] containing x coordinates for grid points. """ ymin, xmin, ymax, xmax = tf.unstack(boxes, axis=-1) box_grid_y = _coordinate_vector_1d(ymin, ymax, size_y, align_corners) box_grid_x = _coordinate_vector_1d(xmin, xmax, size_x, align_corners) return box_grid_y, box_grid_x def feature_grid_coordinate_vectors(box_grid_y, box_grid_x): """Returns feature grid point coordinate vectors for bilinear interpolation. Box grid is specified in absolute coordinate system with origin at left top (0, 0). The returned coordinate vectors contain 0-based feature point indices. This function snaps each point in the box grid to nearest 4 points on the feature map. In this function we also follow the convention of treating feature pixels as point objects with no spatial extent. Args: box_grid_y: A float tensor of shape [batch, num_boxes, size] containing y coordinate vector of the box grid. box_grid_x: A float tensor of shape [batch, num_boxes, size] containing x coordinate vector of the box grid. Returns: feature_grid_y0: An int32 tensor of shape [batch, num_boxes, size] containing y coordinate vector for the top neighbors. feature_grid_x0: A int32 tensor of shape [batch, num_boxes, size] containing x coordinate vector for the left neighbors. feature_grid_y1: A int32 tensor of shape [batch, num_boxes, size] containing y coordinate vector for the bottom neighbors. feature_grid_x1: A int32 tensor of shape [batch, num_boxes, size] containing x coordinate vector for the right neighbors. """ feature_grid_y0 = tf.floor(box_grid_y) feature_grid_x0 = tf.floor(box_grid_x) feature_grid_y1 = tf.floor(box_grid_y + 1) feature_grid_x1 = tf.floor(box_grid_x + 1) feature_grid_y0 = tf.cast(feature_grid_y0, dtype=tf.int32) feature_grid_y1 = tf.cast(feature_grid_y1, dtype=tf.int32) feature_grid_x0 = tf.cast(feature_grid_x0, dtype=tf.int32) feature_grid_x1 = tf.cast(feature_grid_x1, dtype=tf.int32) return (feature_grid_y0, feature_grid_x0, feature_grid_y1, feature_grid_x1) def _valid_indicator(feature_grid_y, feature_grid_x, true_feature_shapes): """Computes a indicator vector for valid indices. Computes an indicator vector which is true for points on feature map and false for points off feature map. Args: feature_grid_y: An int32 tensor of shape [batch, num_boxes, size_y] containing y coordinate vector. feature_grid_x: An int32 tensor of shape [batch, num_boxes, size_x] containing x coordinate vector. true_feature_shapes: A int32 tensor of shape [batch, num_boxes, 2] containing valid height and width of feature maps. Feature maps are assumed to be aligned to the left top corner. Returns: indices: A 1D bool tensor indicating valid feature indices. """ height = tf.cast(true_feature_shapes[:, :, 0:1], dtype=feature_grid_y.dtype) width = tf.cast(true_feature_shapes[:, :, 1:2], dtype=feature_grid_x.dtype) valid_indicator = tf.logical_and( tf.expand_dims( tf.logical_and(feature_grid_y >= 0, tf.less(feature_grid_y, height)), 3), tf.expand_dims( tf.logical_and(feature_grid_x >= 0, tf.less(feature_grid_x, width)), 2)) return tf.reshape(valid_indicator, [-1]) def ravel_indices(feature_grid_y, feature_grid_x, num_levels, height, width, box_levels): """Returns grid indices in a flattened feature map of shape [-1, channels]. The returned 1-D array can be used to gather feature grid points from a feature map that has been flattened from [batch, num_levels, max_height, max_width, channels] to [batch * num_levels * max_height * max_width, channels]. Args: feature_grid_y: An int32 tensor of shape [batch, num_boxes, size_y] containing y coordinate vector. feature_grid_x: An int32 tensor of shape [batch, num_boxes, size_x] containing x coordinate vector. num_levels: Number of feature levels. height: An integer indicating the padded height of feature maps. width: An integer indicating the padded width of feature maps. box_levels: An int32 tensor of shape [batch, num_boxes] indicating feature level assigned to each box. Returns: indices: A 1D int32 tensor containing feature point indices in a flattened feature grid. """ num_boxes = tf.shape(feature_grid_y)[1] batch_size = tf.shape(feature_grid_y)[0] size_y = tf.shape(feature_grid_y)[2] size_x = tf.shape(feature_grid_x)[2] height_dim_offset = width level_dim_offset = height * height_dim_offset batch_dim_offset = num_levels * level_dim_offset batch_dim_indices = ( tf.reshape( tf.range(batch_size) * batch_dim_offset, [batch_size, 1, 1, 1]) * tf.ones([1, num_boxes, size_y, size_x], dtype=tf.int32)) box_level_indices = ( tf.reshape(box_levels * level_dim_offset, [batch_size, num_boxes, 1, 1]) * tf.ones([1, 1, size_y, size_x], dtype=tf.int32)) height_indices = ( tf.reshape(feature_grid_y * height_dim_offset, [batch_size, num_boxes, size_y, 1]) * tf.ones([1, 1, 1, size_x], dtype=tf.int32)) width_indices = ( tf.reshape(feature_grid_x, [batch_size, num_boxes, 1, size_x]) * tf.ones([1, 1, size_y, 1], dtype=tf.int32)) indices = ( batch_dim_indices + box_level_indices + height_indices + width_indices) flattened_indices = tf.reshape(indices, [-1]) return flattened_indices def pad_to_max_size(features): """Pads features to max height and max width and stacks them up. Args: features: A list of num_levels 4D float tensors of shape [batch, height_i, width_i, channels] containing feature maps. Returns: stacked_features: A 5D float tensor of shape [batch, num_levels, max_height, max_width, channels] containing stacked features. true_feature_shapes: A 2D int32 tensor of shape [num_levels, 2] containing height and width of the feature maps before padding. """ if len(features) == 1: return tf.expand_dims(features[0], 1), tf.expand_dims(tf.shape(features[0])[1:3], 0) if all([feature.shape.is_fully_defined() for feature in features]): heights = [feature.shape[1] for feature in features] widths = [feature.shape[2] for feature in features] max_height = max(heights) max_width = max(widths) else: heights = [tf.shape(feature)[1] for feature in features] widths = [tf.shape(feature)[2] for feature in features] max_height = tf.reduce_max(heights) max_width = tf.reduce_max(widths) features_all = [ tf.image.pad_to_bounding_box(feature, 0, 0, max_height, max_width) for feature in features ] features_all = tf.stack(features_all, axis=1) true_feature_shapes = tf.stack([tf.shape(feature)[1:3] for feature in features]) return features_all, true_feature_shapes def _gather_valid_indices(tensor, indices, padding_value=0.0): """Gather values for valid indices. TODO(rathodv): We can't use ops.gather_with_padding_values due to cyclic dependency. Start using it after migrating all users of spatial ops to import this module directly rather than util/ops.py Args: tensor: A tensor to gather valid values from. indices: A 1-D int32 tensor containing indices along axis 0 of `tensor`. Invalid indices must be marked with -1. padding_value: Value to return for invalid indices. Returns: A tensor sliced based on indices. For indices that are equal to -1, returns rows of padding value. """ padded_tensor = tf.concat( [ padding_value * tf.ones([1, tf.shape(tensor)[-1]], dtype=tensor.dtype), tensor ], axis=0, ) # tf.concat gradient op uses tf.where(condition) (which is not # supported on TPU) when the inputs to it are tf.IndexedSlices instead of # tf.Tensor. Since gradient op for tf.gather returns tf.IndexedSlices, # we add a dummy op inbetween tf.concat and tf.gather to ensure tf.concat # gradient function gets tf.Tensor inputs and not tf.IndexedSlices. padded_tensor *= 1.0 return tf.gather(padded_tensor, indices + 1) def multilevel_roi_align(features, boxes, box_levels, output_size, num_samples_per_cell_y=1, num_samples_per_cell_x=1, align_corners=False, extrapolation_value=0.0, scope=None): """Applies RoI Align op and returns feature for boxes. Given multiple features maps indexed by different levels, and a set of boxes where each box is mapped to a certain level, this function selectively crops and resizes boxes from the corresponding feature maps. We follow the RoI Align technique in https://arxiv.org/pdf/1703.06870.pdf figure 3. Specifically, each box is subdivided uniformly into a grid consisting of output_size[0] x output_size[1] rectangular cells. Within each cell we select `num_points` points uniformly and compute feature values using bilinear interpolation. Finally, we average pool the interpolated values in each cell to obtain a [output_size[0], output_size[1], channels] feature. If `align_corners` is true, sampling points are uniformly spread such that corner points exactly overlap corners of the boxes. In this function we also follow the convention of treating feature pixels as point objects with no spatial extent. Args: features: A list of 4D float tensors of shape [batch_size, max_height, max_width, channels] containing features. Note that each feature map must have the same number of channels. boxes: A 3D float tensor of shape [batch_size, num_boxes, 4] containing boxes of the form [ymin, xmin, ymax, xmax] in normalized coordinates. box_levels: A 3D int32 tensor of shape [batch_size, num_boxes] representing the feature level index for each box. output_size: An list of two integers [size_y, size_x] indicating the output feature size for each box. num_samples_per_cell_y: Number of grid points to sample along y axis in each cell. num_samples_per_cell_x: Number of grid points to sample along x axis in each cell. align_corners: Whether to align the corner grid points exactly with box corners. extrapolation_value: a float value to use for extrapolation. scope: Scope name to use for this op. Returns: A 5D float tensor of shape [batch_size, num_boxes, output_size[0], output_size[1], channels] representing the cropped features. """ with tf.name_scope(scope, 'MultiLevelRoIAlign'): features, true_feature_shapes = pad_to_max_size(features) batch_size = tf.shape(features)[0] num_levels = features.get_shape().as_list()[1] max_feature_height = tf.shape(features)[2] max_feature_width = tf.shape(features)[3] num_filters = features.get_shape().as_list()[4] num_boxes = tf.shape(boxes)[1] # Convert boxes to absolute co-ordinates. true_feature_shapes = tf.cast(true_feature_shapes, dtype=boxes.dtype) true_feature_shapes = tf.gather(true_feature_shapes, box_levels) boxes *= tf.concat([true_feature_shapes - 1] * 2, axis=-1) size_y = output_size[0] * num_samples_per_cell_y size_x = output_size[1] * num_samples_per_cell_x box_grid_y, box_grid_x = box_grid_coordinate_vectors( boxes, size_y=size_y, size_x=size_x, align_corners=align_corners) (feature_grid_y0, feature_grid_x0, feature_grid_y1, feature_grid_x1) = feature_grid_coordinate_vectors(box_grid_y, box_grid_x) feature_grid_y = tf.reshape( tf.stack([feature_grid_y0, feature_grid_y1], axis=3), [batch_size, num_boxes, -1]) feature_grid_x = tf.reshape( tf.stack([feature_grid_x0, feature_grid_x1], axis=3), [batch_size, num_boxes, -1]) feature_coordinates = ravel_indices(feature_grid_y, feature_grid_x, num_levels, max_feature_height, max_feature_width, box_levels) valid_indices = _valid_indicator(feature_grid_y, feature_grid_x, true_feature_shapes) feature_coordinates = tf.where(valid_indices, feature_coordinates, -1 * tf.ones_like(feature_coordinates)) flattened_features = tf.reshape(features, [-1, num_filters]) flattened_feature_values = _gather_valid_indices(flattened_features, feature_coordinates, extrapolation_value) features_per_box = tf.reshape( flattened_feature_values, [batch_size, num_boxes, size_y * 2, size_x * 2, num_filters]) # Cast tensors into dtype of features. box_grid_y = tf.cast(box_grid_y, dtype=features_per_box.dtype) box_grid_x = tf.cast(box_grid_x, dtype=features_per_box.dtype) feature_grid_y0 = tf.cast(feature_grid_y0, dtype=features_per_box.dtype) feature_grid_x0 = tf.cast(feature_grid_x0, dtype=features_per_box.dtype) # RoI Align operation is a bilinear interpolation of four # neighboring feature points f0, f1, f2, and f3 onto point y, x given by # f(y, x) = [hy, ly] * [[f00, f01], * [hx, lx]^T # [f10, f11]] # # Unrolling the matrix multiplies gives us: # f(y, x) = (hy * hx) f00 + (hy * lx) f01 + (ly * hx) f10 + (lx * ly) f11 # f(y, x) = w00 * f00 + w01 * f01 + w10 * f10 + w11 * f11 # # This can be computed by applying pointwise multiplication and sum_pool in # a 2x2 window. ly = box_grid_y - feature_grid_y0 lx = box_grid_x - feature_grid_x0 hy = 1.0 - ly hx = 1.0 - lx kernel_y = tf.reshape( tf.stack([hy, ly], axis=3), [batch_size, num_boxes, size_y * 2, 1]) kernel_x = tf.reshape( tf.stack([hx, lx], axis=3), [batch_size, num_boxes, 1, size_x * 2]) # Multiplier 4 is to make tf.nn.avg_pool behave like sum_pool. interpolation_kernel = kernel_y * kernel_x * 4 # Interpolate the gathered features with computed interpolation kernels. features_per_box *= tf.expand_dims(interpolation_kernel, axis=4), features_per_box = tf.reshape( features_per_box, [batch_size * num_boxes, size_y * 2, size_x * 2, num_filters]) # This combines the two pooling operations - sum_pool to perform bilinear # interpolation and avg_pool to pool the values in each bin. features_per_box = tf.nn.avg_pool( features_per_box, [1, num_samples_per_cell_y * 2, num_samples_per_cell_x * 2, 1], [1, num_samples_per_cell_y * 2, num_samples_per_cell_x * 2, 1], 'VALID') features_per_box = tf.reshape( features_per_box, [batch_size, num_boxes, output_size[0], output_size[1], num_filters]) return features_per_box def multilevel_native_crop_and_resize(images, boxes, box_levels, crop_size, scope=None): """Multilevel native crop and resize. Same as `multilevel_matmul_crop_and_resize` but uses tf.image.crop_and_resize. Args: images: A list of 4-D tensor of shape [batch, image_height, image_width, depth] representing features of different size. boxes: A `Tensor` of type `float32`. A 3-D tensor of shape `[batch, num_boxes, 4]`. The boxes are specified in normalized coordinates and are of the form `[y1, x1, y2, x2]`. A normalized coordinate value of `y` is mapped to the image coordinate at `y * (image_height - 1)`, so as the `[0, 1]` interval of normalized image height is mapped to `[0, image_height - 1] in image height coordinates. We do allow y1 > y2, in which case the sampled crop is an up-down flipped version of the original image. The width dimension is treated similarly. Normalized coordinates outside the `[0, 1]` range are allowed, in which case we use `extrapolation_value` to extrapolate the input image values. box_levels: A 2-D tensor of shape [batch, num_boxes] representing the level of the box. crop_size: A list of two integers `[crop_height, crop_width]`. All cropped image patches are resized to this size. The aspect ratio of the image content is not preserved. Both `crop_height` and `crop_width` need to be positive. scope: A name for the operation (optional). Returns: A 5-D float tensor of shape `[batch, num_boxes, crop_height, crop_width, depth]` """ if box_levels is None: return native_crop_and_resize(images[0], boxes, crop_size, scope) with tf.name_scope('MultiLevelNativeCropAndResize'): cropped_feature_list = [] for level, image in enumerate(images): # For each level, crop the feature according to all boxes # set the cropped feature not at this level to 0 tensor. # Consider more efficient way of computing cropped features. cropped = native_crop_and_resize(image, boxes, crop_size, scope) cond = tf.tile( tf.equal(box_levels, level)[:, :, tf.newaxis], [1, 1] + [tf.math.reduce_prod(cropped.shape.as_list()[2:])]) cond = tf.reshape(cond, cropped.shape) cropped_final = tf.where(cond, cropped, tf.zeros_like(cropped)) cropped_feature_list.append(cropped_final) return tf.math.reduce_sum(cropped_feature_list, axis=0) def native_crop_and_resize(image, boxes, crop_size, scope=None): """Same as `matmul_crop_and_resize` but uses tf.image.crop_and_resize.""" def get_box_inds(proposals): proposals_shape = proposals.shape.as_list() if any(dim is None for dim in proposals_shape): proposals_shape = tf.shape(proposals) ones_mat = tf.ones(proposals_shape[:2], dtype=tf.int32) multiplier = tf.expand_dims( tf.range(start=0, limit=proposals_shape[0]), 1) return tf.reshape(ones_mat * multiplier, [-1]) with tf.name_scope(scope, 'CropAndResize'): cropped_regions = tf.image.crop_and_resize( image, tf.reshape(boxes, [-1] + boxes.shape.as_list()[2:]), get_box_inds(boxes), crop_size) final_shape = tf.concat([tf.shape(boxes)[:2], tf.shape(cropped_regions)[1:]], axis=0) return tf.reshape(cropped_regions, final_shape) def multilevel_matmul_crop_and_resize(images, boxes, box_levels, crop_size, extrapolation_value=0.0, scope=None): """Multilevel matmul crop and resize. Same as `matmul_crop_and_resize` but crop images according to box levels. Args: images: A list of 4-D tensor of shape [batch, image_height, image_width, depth] representing features of different size. boxes: A `Tensor` of type `float32` or 'bfloat16'. A 3-D tensor of shape `[batch, num_boxes, 4]`. The boxes are specified in normalized coordinates and are of the form `[y1, x1, y2, x2]`. A normalized coordinate value of `y` is mapped to the image coordinate at `y * (image_height - 1)`, so as the `[0, 1]` interval of normalized image height is mapped to `[0, image_height - 1] in image height coordinates. We do allow y1 > y2, in which case the sampled crop is an up-down flipped version of the original image. The width dimension is treated similarly. Normalized coordinates outside the `[0, 1]` range are allowed, in which case we use `extrapolation_value` to extrapolate the input image values. box_levels: A 2-D tensor of shape [batch, num_boxes] representing the level of the box. crop_size: A list of two integers `[crop_height, crop_width]`. All cropped image patches are resized to this size. The aspect ratio of the image content is not preserved. Both `crop_height` and `crop_width` need to be positive. extrapolation_value: A float value to use for extrapolation. scope: A name for the operation (optional). Returns: A 5-D float tensor of shape `[batch, num_boxes, crop_height, crop_width, depth]` """ with tf.name_scope(scope, 'MultiLevelMatMulCropAndResize'): if box_levels is None: box_levels = tf.zeros(tf.shape(boxes)[:2], dtype=tf.int32) return multilevel_roi_align(images, boxes, box_levels, crop_size, align_corners=True, extrapolation_value=extrapolation_value) def matmul_crop_and_resize(image, boxes, crop_size, extrapolation_value=0.0, scope=None): """Matrix multiplication based implementation of the crop and resize op. Extracts crops from the input image tensor and bilinearly resizes them (possibly with aspect ratio change) to a common output size specified by crop_size. This is more general than the crop_to_bounding_box op which extracts a fixed size slice from the input image and does not allow resizing or aspect ratio change. Returns a tensor with crops from the input image at positions defined at the bounding box locations in boxes. The cropped boxes are all resized (with bilinear interpolation) to a fixed size = `[crop_height, crop_width]`. The result is a 5-D tensor `[batch, num_boxes, crop_height, crop_width, depth]`. Note that this operation is meant to replicate the behavior of the standard tf.image.crop_and_resize operation but there are a few differences. Specifically: 1) There is no `box_indices` argument --- to run this op on multiple images, one must currently call this op independently on each image. 2) The `crop_size` parameter is assumed to be statically defined. Moreover, the number of boxes must be strictly nonzero. Args: image: A `Tensor`. Must be one of the following types: `uint8`, `int8`, `int16`, `int32`, `int64`, `half`, 'bfloat16', `float32`, `float64`. A 4-D tensor of shape `[batch, image_height, image_width, depth]`. Both `image_height` and `image_width` need to be positive. boxes: A `Tensor` of type `float32` or 'bfloat16'. A 3-D tensor of shape `[batch, num_boxes, 4]`. The boxes are specified in normalized coordinates and are of the form `[y1, x1, y2, x2]`. A normalized coordinate value of `y` is mapped to the image coordinate at `y * (image_height - 1)`, so as the `[0, 1]` interval of normalized image height is mapped to `[0, image_height - 1] in image height coordinates. We do allow y1 > y2, in which case the sampled crop is an up-down flipped version of the original image. The width dimension is treated similarly. Normalized coordinates outside the `[0, 1]` range are allowed, in which case we use `extrapolation_value` to extrapolate the input image values. crop_size: A list of two integers `[crop_height, crop_width]`. All cropped image patches are resized to this size. The aspect ratio of the image content is not preserved. Both `crop_height` and `crop_width` need to be positive. extrapolation_value: a float value to use for extrapolation. scope: A name for the operation (optional). Returns: A 5-D tensor of shape `[batch, num_boxes, crop_height, crop_width, depth]` """ with tf.name_scope(scope, 'MatMulCropAndResize'): box_levels = tf.zeros(tf.shape(boxes)[:2], dtype=tf.int32) return multilevel_roi_align([image], boxes, box_levels, crop_size, align_corners=True, extrapolation_value=extrapolation_value)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/spatial_transform_ops.py
spatial_transform_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import range from object_detection.utils import np_box_list from object_detection.utils import np_box_ops class SortOrder(object): """Enum class for sort order. Attributes: ascend: ascend order. descend: descend order. """ ASCEND = 1 DESCEND = 2 def area(boxlist): """Computes area of boxes. Args: boxlist: BoxList holding N boxes Returns: a numpy array with shape [N*1] representing box areas """ y_min, x_min, y_max, x_max = boxlist.get_coordinates() return (y_max - y_min) * (x_max - x_min) def intersection(boxlist1, boxlist2): """Compute pairwise intersection areas between boxes. Args: boxlist1: BoxList holding N boxes boxlist2: BoxList holding M boxes Returns: a numpy array with shape [N*M] representing pairwise intersection area """ return np_box_ops.intersection(boxlist1.get(), boxlist2.get()) def iou(boxlist1, boxlist2): """Computes pairwise intersection-over-union between box collections. Args: boxlist1: BoxList holding N boxes boxlist2: BoxList holding M boxes Returns: a numpy array with shape [N, M] representing pairwise iou scores. """ return np_box_ops.iou(boxlist1.get(), boxlist2.get()) def ioa(boxlist1, boxlist2): """Computes pairwise intersection-over-area between box collections. Intersection-over-area (ioa) between two boxes box1 and box2 is defined as their intersection area over box2's area. Note that ioa is not symmetric, that is, IOA(box1, box2) != IOA(box2, box1). Args: boxlist1: BoxList holding N boxes boxlist2: BoxList holding M boxes Returns: a numpy array with shape [N, M] representing pairwise ioa scores. """ return np_box_ops.ioa(boxlist1.get(), boxlist2.get()) def gather(boxlist, indices, fields=None): """Gather boxes from BoxList according to indices and return new BoxList. By default, gather returns boxes corresponding to the input index list, as well as all additional fields stored in the boxlist (indexing into the first dimension). However one can optionally only gather from a subset of fields. Args: boxlist: BoxList holding N boxes indices: a 1-d numpy array of type int_ fields: (optional) list of fields to also gather from. If None (default), all fields are gathered from. Pass an empty fields list to only gather the box coordinates. Returns: subboxlist: a BoxList corresponding to the subset of the input BoxList specified by indices Raises: ValueError: if specified field is not contained in boxlist or if the indices are not of type int_ """ if indices.size: if np.amax(indices) >= boxlist.num_boxes() or np.amin(indices) < 0: raise ValueError('indices are out of valid range.') subboxlist = np_box_list.BoxList(boxlist.get()[indices, :]) if fields is None: fields = boxlist.get_extra_fields() for field in fields: extra_field_data = boxlist.get_field(field) subboxlist.add_field(field, extra_field_data[indices, ...]) return subboxlist def sort_by_field(boxlist, field, order=SortOrder.DESCEND): """Sort boxes and associated fields according to a scalar field. A common use case is reordering the boxes according to descending scores. Args: boxlist: BoxList holding N boxes. field: A BoxList field for sorting and reordering the BoxList. order: (Optional) 'descend' or 'ascend'. Default is descend. Returns: sorted_boxlist: A sorted BoxList with the field in the specified order. Raises: ValueError: if specified field does not exist or is not of single dimension. ValueError: if the order is not either descend or ascend. """ if not boxlist.has_field(field): raise ValueError('Field ' + field + ' does not exist') if len(boxlist.get_field(field).shape) != 1: raise ValueError('Field ' + field + 'should be single dimension.') if order != SortOrder.DESCEND and order != SortOrder.ASCEND: raise ValueError('Invalid sort order') field_to_sort = boxlist.get_field(field) sorted_indices = np.argsort(field_to_sort) if order == SortOrder.DESCEND: sorted_indices = sorted_indices[::-1] return gather(boxlist, sorted_indices) def non_max_suppression(boxlist, max_output_size=10000, iou_threshold=1.0, score_threshold=-10.0): """Non maximum suppression. This op greedily selects a subset of detection bounding boxes, pruning away boxes that have high IOU (intersection over union) overlap (> thresh) with already selected boxes. In each iteration, the detected bounding box with highest score in the available pool is selected. Args: boxlist: BoxList holding N boxes. Must contain a 'scores' field representing detection scores. All scores belong to the same class. max_output_size: maximum number of retained boxes iou_threshold: intersection over union threshold. score_threshold: minimum score threshold. Remove the boxes with scores less than this value. Default value is set to -10. A very low threshold to pass pretty much all the boxes, unless the user sets a different score threshold. Returns: a BoxList holding M boxes where M <= max_output_size Raises: ValueError: if 'scores' field does not exist ValueError: if threshold is not in [0, 1] ValueError: if max_output_size < 0 """ if not boxlist.has_field('scores'): raise ValueError('Field scores does not exist') if iou_threshold < 0. or iou_threshold > 1.0: raise ValueError('IOU threshold must be in [0, 1]') if max_output_size < 0: raise ValueError('max_output_size must be bigger than 0.') boxlist = filter_scores_greater_than(boxlist, score_threshold) if boxlist.num_boxes() == 0: return boxlist boxlist = sort_by_field(boxlist, 'scores') # Prevent further computation if NMS is disabled. if iou_threshold == 1.0: if boxlist.num_boxes() > max_output_size: selected_indices = np.arange(max_output_size) return gather(boxlist, selected_indices) else: return boxlist boxes = boxlist.get() num_boxes = boxlist.num_boxes() # is_index_valid is True only for all remaining valid boxes, is_index_valid = np.full(num_boxes, 1, dtype=bool) selected_indices = [] num_output = 0 for i in range(num_boxes): if num_output < max_output_size: if is_index_valid[i]: num_output += 1 selected_indices.append(i) is_index_valid[i] = False valid_indices = np.where(is_index_valid)[0] if valid_indices.size == 0: break intersect_over_union = np_box_ops.iou( np.expand_dims(boxes[i, :], axis=0), boxes[valid_indices, :]) intersect_over_union = np.squeeze(intersect_over_union, axis=0) is_index_valid[valid_indices] = np.logical_and( is_index_valid[valid_indices], intersect_over_union <= iou_threshold) return gather(boxlist, np.array(selected_indices)) def multi_class_non_max_suppression(boxlist, score_thresh, iou_thresh, max_output_size): """Multi-class version of non maximum suppression. This op greedily selects a subset of detection bounding boxes, pruning away boxes that have high IOU (intersection over union) overlap (> thresh) with already selected boxes. It operates independently for each class for which scores are provided (via the scores field of the input box_list), pruning boxes with score less than a provided threshold prior to applying NMS. Args: boxlist: BoxList holding N boxes. Must contain a 'scores' field representing detection scores. This scores field is a tensor that can be 1 dimensional (in the case of a single class) or 2-dimensional, which which case we assume that it takes the shape [num_boxes, num_classes]. We further assume that this rank is known statically and that scores.shape[1] is also known (i.e., the number of classes is fixed and known at graph construction time). score_thresh: scalar threshold for score (low scoring boxes are removed). iou_thresh: scalar threshold for IOU (boxes that that high IOU overlap with previously selected boxes are removed). max_output_size: maximum number of retained boxes per class. Returns: a BoxList holding M boxes with a rank-1 scores field representing corresponding scores for each box with scores sorted in decreasing order and a rank-1 classes field representing a class label for each box. Raises: ValueError: if iou_thresh is not in [0, 1] or if input boxlist does not have a valid scores field. """ if not 0 <= iou_thresh <= 1.0: raise ValueError('thresh must be between 0 and 1') if not isinstance(boxlist, np_box_list.BoxList): raise ValueError('boxlist must be a BoxList') if not boxlist.has_field('scores'): raise ValueError('input boxlist must have \'scores\' field') scores = boxlist.get_field('scores') if len(scores.shape) == 1: scores = np.reshape(scores, [-1, 1]) elif len(scores.shape) == 2: if scores.shape[1] is None: raise ValueError('scores field must have statically defined second ' 'dimension') else: raise ValueError('scores field must be of rank 1 or 2') num_boxes = boxlist.num_boxes() num_scores = scores.shape[0] num_classes = scores.shape[1] if num_boxes != num_scores: raise ValueError('Incorrect scores field length: actual vs expected.') selected_boxes_list = [] for class_idx in range(num_classes): boxlist_and_class_scores = np_box_list.BoxList(boxlist.get()) class_scores = np.reshape(scores[0:num_scores, class_idx], [-1]) boxlist_and_class_scores.add_field('scores', class_scores) boxlist_filt = filter_scores_greater_than(boxlist_and_class_scores, score_thresh) nms_result = non_max_suppression(boxlist_filt, max_output_size=max_output_size, iou_threshold=iou_thresh, score_threshold=score_thresh) nms_result.add_field( 'classes', np.zeros_like(nms_result.get_field('scores')) + class_idx) selected_boxes_list.append(nms_result) selected_boxes = concatenate(selected_boxes_list) sorted_boxes = sort_by_field(selected_boxes, 'scores') return sorted_boxes def scale(boxlist, y_scale, x_scale): """Scale box coordinates in x and y dimensions. Args: boxlist: BoxList holding N boxes y_scale: float x_scale: float Returns: boxlist: BoxList holding N boxes """ y_min, x_min, y_max, x_max = np.array_split(boxlist.get(), 4, axis=1) y_min = y_scale * y_min y_max = y_scale * y_max x_min = x_scale * x_min x_max = x_scale * x_max scaled_boxlist = np_box_list.BoxList(np.hstack([y_min, x_min, y_max, x_max])) fields = boxlist.get_extra_fields() for field in fields: extra_field_data = boxlist.get_field(field) scaled_boxlist.add_field(field, extra_field_data) return scaled_boxlist def clip_to_window(boxlist, window, filter_nonoverlapping=True): """Clip bounding boxes to a window. This op clips input bounding boxes (represented by bounding box corners) to a window, optionally filtering out boxes that do not overlap at all with the window. Args: boxlist: BoxList holding M_in boxes window: a numpy array of shape [4] representing the [y_min, x_min, y_max, x_max] window to which the op should clip boxes. filter_nonoverlapping: whether to filter out boxes that do not overlap at all with the window. Returns: a BoxList holding M_out boxes where M_out <= M_in """ y_min, x_min, y_max, x_max = np.array_split(boxlist.get(), 4, axis=1) win_y_min = window[0] win_x_min = window[1] win_y_max = window[2] win_x_max = window[3] y_min_clipped = np.fmax(np.fmin(y_min, win_y_max), win_y_min) y_max_clipped = np.fmax(np.fmin(y_max, win_y_max), win_y_min) x_min_clipped = np.fmax(np.fmin(x_min, win_x_max), win_x_min) x_max_clipped = np.fmax(np.fmin(x_max, win_x_max), win_x_min) clipped = np_box_list.BoxList( np.hstack([y_min_clipped, x_min_clipped, y_max_clipped, x_max_clipped])) clipped = _copy_extra_fields(clipped, boxlist) if filter_nonoverlapping: areas = area(clipped) nonzero_area_indices = np.reshape( np.nonzero(np.greater(areas, 0.0)), [-1]).astype(np.int32) clipped = gather(clipped, nonzero_area_indices) return clipped def prune_non_overlapping_boxes(boxlist1, boxlist2, minoverlap=0.0): """Prunes the boxes in boxlist1 that overlap less than thresh with boxlist2. For each box in boxlist1, we want its IOA to be more than minoverlap with at least one of the boxes in boxlist2. If it does not, we remove it. Args: boxlist1: BoxList holding N boxes. boxlist2: BoxList holding M boxes. minoverlap: Minimum required overlap between boxes, to count them as overlapping. Returns: A pruned boxlist with size [N', 4]. """ intersection_over_area = ioa(boxlist2, boxlist1) # [M, N] tensor intersection_over_area = np.amax(intersection_over_area, axis=0) # [N] tensor keep_bool = np.greater_equal(intersection_over_area, np.array(minoverlap)) keep_inds = np.nonzero(keep_bool)[0] new_boxlist1 = gather(boxlist1, keep_inds) return new_boxlist1 def prune_outside_window(boxlist, window): """Prunes bounding boxes that fall outside a given window. This function prunes bounding boxes that even partially fall outside the given window. See also ClipToWindow which only prunes bounding boxes that fall completely outside the window, and clips any bounding boxes that partially overflow. Args: boxlist: a BoxList holding M_in boxes. window: a numpy array of size 4, representing [ymin, xmin, ymax, xmax] of the window. Returns: pruned_corners: a tensor with shape [M_out, 4] where M_out <= M_in. valid_indices: a tensor with shape [M_out] indexing the valid bounding boxes in the input tensor. """ y_min, x_min, y_max, x_max = np.array_split(boxlist.get(), 4, axis=1) win_y_min = window[0] win_x_min = window[1] win_y_max = window[2] win_x_max = window[3] coordinate_violations = np.hstack([np.less(y_min, win_y_min), np.less(x_min, win_x_min), np.greater(y_max, win_y_max), np.greater(x_max, win_x_max)]) valid_indices = np.reshape( np.where(np.logical_not(np.max(coordinate_violations, axis=1))), [-1]) return gather(boxlist, valid_indices), valid_indices def concatenate(boxlists, fields=None): """Concatenate list of BoxLists. This op concatenates a list of input BoxLists into a larger BoxList. It also handles concatenation of BoxList fields as long as the field tensor shapes are equal except for the first dimension. Args: boxlists: list of BoxList objects fields: optional list of fields to also concatenate. By default, all fields from the first BoxList in the list are included in the concatenation. Returns: a BoxList with number of boxes equal to sum([boxlist.num_boxes() for boxlist in BoxList]) Raises: ValueError: if boxlists is invalid (i.e., is not a list, is empty, or contains non BoxList objects), or if requested fields are not contained in all boxlists """ if not isinstance(boxlists, list): raise ValueError('boxlists should be a list') if not boxlists: raise ValueError('boxlists should have nonzero length') for boxlist in boxlists: if not isinstance(boxlist, np_box_list.BoxList): raise ValueError('all elements of boxlists should be BoxList objects') concatenated = np_box_list.BoxList( np.vstack([boxlist.get() for boxlist in boxlists])) if fields is None: fields = boxlists[0].get_extra_fields() for field in fields: first_field_shape = boxlists[0].get_field(field).shape first_field_shape = first_field_shape[1:] for boxlist in boxlists: if not boxlist.has_field(field): raise ValueError('boxlist must contain all requested fields') field_shape = boxlist.get_field(field).shape field_shape = field_shape[1:] if field_shape != first_field_shape: raise ValueError('field %s must have same shape for all boxlists ' 'except for the 0th dimension.' % field) concatenated_field = np.concatenate( [boxlist.get_field(field) for boxlist in boxlists], axis=0) concatenated.add_field(field, concatenated_field) return concatenated def filter_scores_greater_than(boxlist, thresh): """Filter to keep only boxes with score exceeding a given threshold. This op keeps the collection of boxes whose corresponding scores are greater than the input threshold. Args: boxlist: BoxList holding N boxes. Must contain a 'scores' field representing detection scores. thresh: scalar threshold Returns: a BoxList holding M boxes where M <= N Raises: ValueError: if boxlist not a BoxList object or if it does not have a scores field """ if not isinstance(boxlist, np_box_list.BoxList): raise ValueError('boxlist must be a BoxList') if not boxlist.has_field('scores'): raise ValueError('input boxlist must have \'scores\' field') scores = boxlist.get_field('scores') if len(scores.shape) > 2: raise ValueError('Scores should have rank 1 or 2') if len(scores.shape) == 2 and scores.shape[1] != 1: raise ValueError('Scores should have rank 1 or have shape ' 'consistent with [None, 1]') high_score_indices = np.reshape(np.where(np.greater(scores, thresh)), [-1]).astype(np.int32) return gather(boxlist, high_score_indices) def change_coordinate_frame(boxlist, window): """Change coordinate frame of the boxlist to be relative to window's frame. Given a window of the form [ymin, xmin, ymax, xmax], changes bounding box coordinates from boxlist to be relative to this window (e.g., the min corner maps to (0,0) and the max corner maps to (1,1)). An example use case is data augmentation: where we are given groundtruth boxes (boxlist) and would like to randomly crop the image to some window (window). In this case we need to change the coordinate frame of each groundtruth box to be relative to this new window. Args: boxlist: A BoxList object holding N boxes. window: a size 4 1-D numpy array. Returns: Returns a BoxList object with N boxes. """ win_height = window[2] - window[0] win_width = window[3] - window[1] boxlist_new = scale( np_box_list.BoxList(boxlist.get() - [window[0], window[1], window[0], window[1]]), 1.0 / win_height, 1.0 / win_width) _copy_extra_fields(boxlist_new, boxlist) return boxlist_new def _copy_extra_fields(boxlist_to_copy_to, boxlist_to_copy_from): """Copies the extra fields of boxlist_to_copy_from to boxlist_to_copy_to. Args: boxlist_to_copy_to: BoxList to which extra fields are copied. boxlist_to_copy_from: BoxList from which fields are copied. Returns: boxlist_to_copy_to with extra fields. """ for field in boxlist_to_copy_from.get_extra_fields(): boxlist_to_copy_to.add_field(field, boxlist_to_copy_from.get_field(field)) return boxlist_to_copy_to def _update_valid_indices_by_removing_high_iou_boxes( selected_indices, is_index_valid, intersect_over_union, threshold): max_iou = np.max(intersect_over_union[:, selected_indices], axis=1) return np.logical_and(is_index_valid, max_iou <= threshold)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/np_box_list_ops.py
np_box_list_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf def int64_feature(value): return tf.train.Feature(int64_list=tf.train.Int64List(value=[value])) def int64_list_feature(value): return tf.train.Feature(int64_list=tf.train.Int64List(value=value)) def bytes_feature(value): return tf.train.Feature(bytes_list=tf.train.BytesList(value=[value])) def bytes_list_feature(value): return tf.train.Feature(bytes_list=tf.train.BytesList(value=value)) def float_feature(value): return tf.train.Feature(float_list=tf.train.FloatList(value=[value])) def float_list_feature(value): return tf.train.Feature(float_list=tf.train.FloatList(value=value)) def read_examples_list(path): """Read list of training or validation examples. The file is assumed to contain a single example per line where the first token in the line is an identifier that allows us to find the image and annotation xml for that example. For example, the line: xyz 3 would allow us to find files xyz.jpg and xyz.xml (the 3 would be ignored). Args: path: absolute path to examples list file. Returns: list of example identifiers (strings). """ with tf.gfile.GFile(path) as fid: lines = fid.readlines() return [line.strip().split(' ')[0] for line in lines] def recursive_parse_xml_to_dict(xml): """Recursively parses XML contents to python dict. We assume that `object` tags are the only ones that can appear multiple times at the same level of a tree. Args: xml: xml tree obtained by parsing XML file contents using lxml.etree Returns: Python dictionary holding XML contents. """ if not xml: return {xml.tag: xml.text} result = {} for child in xml: child_result = recursive_parse_xml_to_dict(child) if child.tag != 'object': result[child.tag] = child_result[child.tag] else: if child.tag not in result: result[child.tag] = [] result[child.tag].append(child_result[child.tag]) return {xml.tag: result}
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/dataset_util.py
dataset_util.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np EPSILON = 1e-7 def area(masks): """Computes area of masks. Args: masks: Numpy array with shape [N, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. Returns: a numpy array with shape [N*1] representing mask areas. Raises: ValueError: If masks.dtype is not np.uint8 """ if masks.dtype != np.uint8: raise ValueError('Masks type should be np.uint8') return np.sum(masks, axis=(1, 2), dtype=np.float32) def intersection(masks1, masks2): """Compute pairwise intersection areas between masks. Args: masks1: a numpy array with shape [N, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. masks2: a numpy array with shape [M, height, width] holding M masks. Masks values are of type np.uint8 and values are in {0,1}. Returns: a numpy array with shape [N*M] representing pairwise intersection area. Raises: ValueError: If masks1 and masks2 are not of type np.uint8. """ if masks1.dtype != np.uint8 or masks2.dtype != np.uint8: raise ValueError('masks1 and masks2 should be of type np.uint8') n = masks1.shape[0] m = masks2.shape[0] answer = np.zeros([n, m], dtype=np.float32) for i in np.arange(n): for j in np.arange(m): answer[i, j] = np.sum(np.minimum(masks1[i], masks2[j]), dtype=np.float32) return answer def iou(masks1, masks2): """Computes pairwise intersection-over-union between mask collections. Args: masks1: a numpy array with shape [N, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. masks2: a numpy array with shape [M, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. Returns: a numpy array with shape [N, M] representing pairwise iou scores. Raises: ValueError: If masks1 and masks2 are not of type np.uint8. """ if masks1.dtype != np.uint8 or masks2.dtype != np.uint8: raise ValueError('masks1 and masks2 should be of type np.uint8') intersect = intersection(masks1, masks2) area1 = area(masks1) area2 = area(masks2) union = np.expand_dims(area1, axis=1) + np.expand_dims( area2, axis=0) - intersect return intersect / np.maximum(union, EPSILON) def ioa(masks1, masks2): """Computes pairwise intersection-over-area between box collections. Intersection-over-area (ioa) between two masks, mask1 and mask2 is defined as their intersection area over mask2's area. Note that ioa is not symmetric, that is, IOA(mask1, mask2) != IOA(mask2, mask1). Args: masks1: a numpy array with shape [N, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. masks2: a numpy array with shape [M, height, width] holding N masks. Masks values are of type np.uint8 and values are in {0,1}. Returns: a numpy array with shape [N, M] representing pairwise ioa scores. Raises: ValueError: If masks1 and masks2 are not of type np.uint8. """ if masks1.dtype != np.uint8 or masks2.dtype != np.uint8: raise ValueError('masks1 and masks2 should be of type np.uint8') intersect = intersection(masks1, masks2) areas = np.expand_dims(area(masks2), axis=0) return intersect / (areas + EPSILON)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/np_mask_ops.py
np_mask_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf def get_patch_mask(y, x, patch_size, image_shape): """Creates a 2D mask array for a square patch of a given size and location. The mask is created with its center at the y and x coordinates, which must be within the image. While the mask center must be within the image, the mask itself can be partially outside of it. If patch_size is an even number, then the mask is created with lower-valued coordinates first (top and left). Args: y: An integer or scalar int32 tensor. The vertical coordinate of the patch mask center. Must be within the range [0, image_height). x: An integer or scalar int32 tensor. The horizontal coordinate of the patch mask center. Must be within the range [0, image_width). patch_size: An integer or scalar int32 tensor. The square size of the patch mask. Must be at least 1. image_shape: A list or 1D int32 tensor representing the shape of the image to which the mask will correspond, with the first two values being image height and width. For example, [image_height, image_width] or [image_height, image_width, image_channels]. Returns: Boolean mask tensor of shape [image_height, image_width] with True values for the patch. Raises: tf.errors.InvalidArgumentError: if x is not in the range [0, image_width), y is not in the range [0, image_height), or patch_size is not at least 1. """ image_hw = image_shape[:2] mask_center_yx = tf.stack([y, x]) with tf.control_dependencies([ tf.debugging.assert_greater_equal( patch_size, 1, message='Patch size must be >= 1'), tf.debugging.assert_greater_equal( mask_center_yx, 0, message='Patch center (y, x) must be >= (0, 0)'), tf.debugging.assert_less( mask_center_yx, image_hw, message='Patch center (y, x) must be < image (h, w)') ]): mask_center_yx = tf.identity(mask_center_yx) half_patch_size = tf.cast(patch_size, dtype=tf.float32) / 2 start_yx = mask_center_yx - tf.cast(tf.floor(half_patch_size), dtype=tf.int32) end_yx = mask_center_yx + tf.cast(tf.ceil(half_patch_size), dtype=tf.int32) start_yx = tf.maximum(start_yx, 0) end_yx = tf.minimum(end_yx, image_hw) start_y = start_yx[0] start_x = start_yx[1] end_y = end_yx[0] end_x = end_yx[1] lower_pad = image_hw[0] - end_y upper_pad = start_y left_pad = start_x right_pad = image_hw[1] - end_x mask = tf.ones([end_y - start_y, end_x - start_x], dtype=tf.bool) return tf.pad(mask, [[upper_pad, lower_pad], [left_pad, right_pad]])
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/patch_ops.py
patch_ops.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import logging import re import tensorflow.compat.v1 as tf import tf_slim as slim from tensorflow.python.ops import variables as tf_variables # TODO(derekjchow): Consider replacing with tf.contrib.filter_variables in # tensorflow/contrib/framework/python/ops/variables.py def filter_variables(variables, filter_regex_list, invert=False): """Filters out the variables matching the filter_regex. Filter out the variables whose name matches the any of the regular expressions in filter_regex_list and returns the remaining variables. Optionally, if invert=True, the complement set is returned. Args: variables: a list of tensorflow variables. filter_regex_list: a list of string regular expressions. invert: (boolean). If True, returns the complement of the filter set; that is, all variables matching filter_regex are kept and all others discarded. Returns: a list of filtered variables. """ kept_vars = [] variables_to_ignore_patterns = list([fre for fre in filter_regex_list if fre]) for var in variables: add = True for pattern in variables_to_ignore_patterns: if re.match(pattern, var.op.name): add = False break if add != invert: kept_vars.append(var) return kept_vars def multiply_gradients_matching_regex(grads_and_vars, regex_list, multiplier): """Multiply gradients whose variable names match a regular expression. Args: grads_and_vars: A list of gradient to variable pairs (tuples). regex_list: A list of string regular expressions. multiplier: A (float) multiplier to apply to each gradient matching the regular expression. Returns: grads_and_vars: A list of gradient to variable pairs (tuples). """ variables = [pair[1] for pair in grads_and_vars] matching_vars = filter_variables(variables, regex_list, invert=True) for var in matching_vars: logging.info('Applying multiplier %f to variable [%s]', multiplier, var.op.name) grad_multipliers = {var: float(multiplier) for var in matching_vars} return slim.learning.multiply_gradients(grads_and_vars, grad_multipliers) def freeze_gradients_matching_regex(grads_and_vars, regex_list): """Freeze gradients whose variable names match a regular expression. Args: grads_and_vars: A list of gradient to variable pairs (tuples). regex_list: A list of string regular expressions. Returns: grads_and_vars: A list of gradient to variable pairs (tuples) that do not contain the variables and gradients matching the regex. """ variables = [pair[1] for pair in grads_and_vars] matching_vars = filter_variables(variables, regex_list, invert=True) kept_grads_and_vars = [pair for pair in grads_and_vars if pair[1] not in matching_vars] for var in matching_vars: logging.info('Freezing variable [%s]', var.op.name) return kept_grads_and_vars def get_variables_available_in_checkpoint(variables, checkpoint_path, include_global_step=True): """Returns the subset of variables available in the checkpoint. Inspects given checkpoint and returns the subset of variables that are available in it. TODO(rathodv): force input and output to be a dictionary. Args: variables: a list or dictionary of variables to find in checkpoint. checkpoint_path: path to the checkpoint to restore variables from. include_global_step: whether to include `global_step` variable, if it exists. Default True. Returns: A list or dictionary of variables. Raises: ValueError: if `variables` is not a list or dict. """ if isinstance(variables, list): variable_names_map = {} for variable in variables: if isinstance(variable, tf_variables.PartitionedVariable): name = variable.name else: name = variable.op.name variable_names_map[name] = variable elif isinstance(variables, dict): variable_names_map = variables else: raise ValueError('`variables` is expected to be a list or dict.') ckpt_reader = tf.train.NewCheckpointReader(checkpoint_path) ckpt_vars_to_shape_map = ckpt_reader.get_variable_to_shape_map() if not include_global_step: ckpt_vars_to_shape_map.pop(tf.GraphKeys.GLOBAL_STEP, None) vars_in_ckpt = {} for variable_name, variable in sorted(variable_names_map.items()): if variable_name in ckpt_vars_to_shape_map: if ckpt_vars_to_shape_map[variable_name] == variable.shape.as_list(): vars_in_ckpt[variable_name] = variable else: logging.warning('Variable [%s] is available in checkpoint, but has an ' 'incompatible shape with model variable. Checkpoint ' 'shape: [%s], model variable shape: [%s]. This ' 'variable will not be initialized from the checkpoint.', variable_name, ckpt_vars_to_shape_map[variable_name], variable.shape.as_list()) else: logging.warning('Variable [%s] is not available in checkpoint', variable_name) if isinstance(variables, list): return list(vars_in_ckpt.values()) return vars_in_ckpt def get_global_variables_safely(): """If not executing eagerly, returns tf.global_variables(). Raises a ValueError if eager execution is enabled, because the variables are not tracked when executing eagerly. If executing eagerly, use a Keras model's .variables property instead. Returns: The result of tf.global_variables() """ with tf.init_scope(): if tf.executing_eagerly(): raise ValueError("Global variables collection is not tracked when " "executing eagerly. Use a Keras model's `.variables` " "attribute instead.") return tf.global_variables()
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/utils/variables_helper.py
variables_helper.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import logging from lvis import eval as lvis_eval from lvis import lvis import numpy as np from pycocotools import mask import six from six.moves import range def RleCompress(masks): """Compresses mask using Run-length encoding provided by pycocotools. Args: masks: uint8 numpy array of shape [mask_height, mask_width] with values in {0, 1}. Returns: A pycocotools Run-length encoding of the mask. """ rle = mask.encode(np.asfortranarray(masks)) rle['counts'] = six.ensure_str(rle['counts']) return rle def _ConvertBoxToCOCOFormat(box): """Converts a box in [ymin, xmin, ymax, xmax] format to COCO format. This is a utility function for converting from our internal [ymin, xmin, ymax, xmax] convention to the convention used by the COCO API i.e., [xmin, ymin, width, height]. Args: box: a [ymin, xmin, ymax, xmax] numpy array Returns: a list of floats representing [xmin, ymin, width, height] """ return [float(box[1]), float(box[0]), float(box[3] - box[1]), float(box[2] - box[0])] class LVISWrapper(lvis.LVIS): """Wrapper for the lvis.LVIS class.""" def __init__(self, dataset, detection_type='bbox'): """LVISWrapper constructor. See https://www.lvisdataset.org/dataset for a description of the format. By default, the coco.COCO class constructor reads from a JSON file. This function duplicates the same behavior but loads from a dictionary, allowing us to perform evaluation without writing to external storage. Args: dataset: a dictionary holding bounding box annotations in the COCO format. detection_type: type of detections being wrapped. Can be one of ['bbox', 'segmentation'] Raises: ValueError: if detection_type is unsupported. """ self.logger = logging.getLogger(__name__) self.logger.info('Loading annotations.') self.dataset = dataset self._create_index() class LVISEvalWrapper(lvis_eval.LVISEval): """LVISEval wrapper.""" def __init__(self, groundtruth=None, detections=None, iou_type='bbox'): lvis_eval.LVISEval.__init__( self, groundtruth, detections, iou_type=iou_type) self._iou_type = iou_type def ComputeMetrics(self): self.run() summary_metrics = {} summary_metrics = self.results return summary_metrics def ExportSingleImageGroundtruthToLVIS(image_id, next_annotation_id, category_id_set, groundtruth_boxes, groundtruth_classes, groundtruth_masks=None, groundtruth_area=None): """Export groundtruth of a single image to LVIS format. This function converts groundtruth detection annotations represented as numpy arrays to dictionaries that can be ingested by the LVIS evaluation API. Note that the image_ids provided here must match the ones given to ExportSingleImageDetectionMasksToLVIS. We assume that boxes, classes and masks are in correspondence - that is, e.g., groundtruth_boxes[i, :], and groundtruth_classes[i] are associated with the same groundtruth annotation. In the exported result, "area" fields are always set to the area of the groundtruth bounding box. Args: image_id: a unique image identifier castable to integer. next_annotation_id: integer specifying the first id to use for the groundtruth annotations. All annotations are assigned a continuous integer id starting from this value. category_id_set: A set of valid class ids. Groundtruth with classes not in category_id_set are dropped. groundtruth_boxes: numpy array (float32) with shape [num_gt_boxes, 4] groundtruth_classes: numpy array (int) with shape [num_gt_boxes] groundtruth_masks: optional uint8 numpy array of shape [num_detections, image_height, image_width] containing detection_masks. groundtruth_area: numpy array (float32) with shape [num_gt_boxes]. If provided, then the area values (in the original absolute coordinates) will be populated instead of calculated from bounding box coordinates. Returns: a list of groundtruth annotations for a single image in the COCO format. Raises: ValueError: if (1) groundtruth_boxes and groundtruth_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers """ if len(groundtruth_classes.shape) != 1: raise ValueError('groundtruth_classes is ' 'expected to be of rank 1.') if len(groundtruth_boxes.shape) != 2: raise ValueError('groundtruth_boxes is expected to be of ' 'rank 2.') if groundtruth_boxes.shape[1] != 4: raise ValueError('groundtruth_boxes should have ' 'shape[1] == 4.') num_boxes = groundtruth_classes.shape[0] if num_boxes != groundtruth_boxes.shape[0]: raise ValueError('Corresponding entries in groundtruth_classes, ' 'and groundtruth_boxes should have ' 'compatible shapes (i.e., agree on the 0th dimension).' 'Classes shape: %d. Boxes shape: %d. Image ID: %s' % ( groundtruth_classes.shape[0], groundtruth_boxes.shape[0], image_id)) groundtruth_list = [] for i in range(num_boxes): if groundtruth_classes[i] in category_id_set: if groundtruth_area is not None and groundtruth_area[i] > 0: area = float(groundtruth_area[i]) else: area = float((groundtruth_boxes[i, 2] - groundtruth_boxes[i, 0]) * (groundtruth_boxes[i, 3] - groundtruth_boxes[i, 1])) export_dict = { 'id': next_annotation_id + i, 'image_id': int(image_id), 'category_id': int(groundtruth_classes[i]), 'bbox': list(_ConvertBoxToCOCOFormat(groundtruth_boxes[i, :])), 'area': area, } if groundtruth_masks is not None: export_dict['segmentation'] = RleCompress(groundtruth_masks[i]) groundtruth_list.append(export_dict) return groundtruth_list def ExportSingleImageDetectionMasksToLVIS(image_id, category_id_set, detection_masks, detection_scores, detection_classes): """Export detection masks of a single image to LVIS format. This function converts detections represented as numpy arrays to dictionaries that can be ingested by the LVIS evaluation API. We assume that detection_masks, detection_scores, and detection_classes are in correspondence - that is: detection_masks[i, :], detection_classes[i] and detection_scores[i] are associated with the same annotation. Args: image_id: unique image identifier castable to integer. category_id_set: A set of valid class ids. Detections with classes not in category_id_set are dropped. detection_masks: uint8 numpy array of shape [num_detections, image_height, image_width] containing detection_masks. detection_scores: float numpy array of shape [num_detections] containing scores for detection masks. detection_classes: integer numpy array of shape [num_detections] containing the classes for detection masks. Returns: a list of detection mask annotations for a single image in the COCO format. Raises: ValueError: if (1) detection_masks, detection_scores and detection_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers. """ if len(detection_classes.shape) != 1 or len(detection_scores.shape) != 1: raise ValueError('All entries in detection_classes and detection_scores' 'expected to be of rank 1.') num_boxes = detection_classes.shape[0] if not num_boxes == len(detection_masks) == detection_scores.shape[0]: raise ValueError('Corresponding entries in detection_classes, ' 'detection_scores and detection_masks should have ' 'compatible lengths and shapes ' 'Classes length: %d. Masks length: %d. ' 'Scores length: %d' % ( detection_classes.shape[0], len(detection_masks), detection_scores.shape[0] )) detections_list = [] for i in range(num_boxes): if detection_classes[i] in category_id_set: detections_list.append({ 'image_id': int(image_id), 'category_id': int(detection_classes[i]), 'segmentation': RleCompress(detection_masks[i]), 'score': float(detection_scores[i]) }) return detections_list
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/lvis_tools.py
lvis_tools.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf from tensorflow.python.ops import metrics_impl def _safe_div(numerator, denominator): """Divides two tensors element-wise, returning 0 if the denominator is <= 0. Args: numerator: A real `Tensor`. denominator: A real `Tensor`, with dtype matching `numerator`. Returns: 0 if `denominator` <= 0, else `numerator` / `denominator` """ t = tf.truediv(numerator, denominator) zero = tf.zeros_like(t, dtype=denominator.dtype) condition = tf.greater(denominator, zero) zero = tf.cast(zero, t.dtype) return tf.where(condition, t, zero) def _ece_from_bins(bin_counts, bin_true_sum, bin_preds_sum, name): """Calculates Expected Calibration Error from accumulated statistics.""" bin_accuracies = _safe_div(bin_true_sum, bin_counts) bin_confidences = _safe_div(bin_preds_sum, bin_counts) abs_bin_errors = tf.abs(bin_accuracies - bin_confidences) bin_weights = _safe_div(bin_counts, tf.reduce_sum(bin_counts)) return tf.reduce_sum(abs_bin_errors * bin_weights, name=name) def expected_calibration_error(y_true, y_pred, nbins=20): """Calculates Expected Calibration Error (ECE). ECE is a scalar summary statistic of calibration error. It is the sample-weighted average of the difference between the predicted and true probabilities of a positive detection across uniformly-spaced model confidences [0, 1]. See referenced paper for a thorough explanation. Reference: Guo, et. al, "On Calibration of Modern Neural Networks" Page 2, Expected Calibration Error (ECE). https://arxiv.org/pdf/1706.04599.pdf This function creates three local variables, `bin_counts`, `bin_true_sum`, and `bin_preds_sum` that are used to compute ECE. For estimation of the metric over a stream of data, the function creates an `update_op` operation that updates these variables and returns the ECE. Args: y_true: 1-D tf.int64 Tensor of binarized ground truth, corresponding to each prediction in y_pred. y_pred: 1-D tf.float32 tensor of model confidence scores in range [0.0, 1.0]. nbins: int specifying the number of uniformly-spaced bins into which y_pred will be bucketed. Returns: value_op: A value metric op that returns ece. update_op: An operation that increments the `bin_counts`, `bin_true_sum`, and `bin_preds_sum` variables appropriately and whose value matches `ece`. Raises: InvalidArgumentError: if y_pred is not in [0.0, 1.0]. """ bin_counts = metrics_impl.metric_variable( [nbins], tf.float32, name='bin_counts') bin_true_sum = metrics_impl.metric_variable( [nbins], tf.float32, name='true_sum') bin_preds_sum = metrics_impl.metric_variable( [nbins], tf.float32, name='preds_sum') with tf.control_dependencies([ tf.assert_greater_equal(y_pred, 0.0), tf.assert_less_equal(y_pred, 1.0), ]): bin_ids = tf.histogram_fixed_width_bins(y_pred, [0.0, 1.0], nbins=nbins) with tf.control_dependencies([bin_ids]): update_bin_counts_op = tf.assign_add( bin_counts, tf.cast(tf.bincount(bin_ids, minlength=nbins), dtype=tf.float32)) update_bin_true_sum_op = tf.assign_add( bin_true_sum, tf.cast(tf.bincount(bin_ids, weights=y_true, minlength=nbins), dtype=tf.float32)) update_bin_preds_sum_op = tf.assign_add( bin_preds_sum, tf.cast(tf.bincount(bin_ids, weights=y_pred, minlength=nbins), dtype=tf.float32)) ece_update_op = _ece_from_bins( update_bin_counts_op, update_bin_true_sum_op, update_bin_preds_sum_op, name='update_op') ece = _ece_from_bins(bin_counts, bin_true_sum, bin_preds_sum, name='value') return ece, ece_update_op
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/calibration_metrics.py
calibration_metrics.py
r"""Converts data from CSV to the OpenImagesDetectionChallengeEvaluator format.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import base64 import zlib import numpy as np import pandas as pd from pycocotools import mask as coco_mask from object_detection.core import standard_fields def _to_normalized_box(mask_np): """Decodes binary segmentation masks into np.arrays and boxes. Args: mask_np: np.ndarray of size NxWxH. Returns: a np.ndarray of the size Nx4, each row containing normalized coordinates [YMin, XMin, YMax, XMax] of a box computed of axis parallel enclosing box of a mask. """ coord1, coord2 = np.nonzero(mask_np) if coord1.size > 0: ymin = float(min(coord1)) / mask_np.shape[0] ymax = float(max(coord1) + 1) / mask_np.shape[0] xmin = float(min(coord2)) / mask_np.shape[1] xmax = float((max(coord2) + 1)) / mask_np.shape[1] return np.array([ymin, xmin, ymax, xmax]) else: return np.array([0.0, 0.0, 0.0, 0.0]) def _decode_raw_data_into_masks_and_boxes(segments, image_widths, image_heights): """Decods binary segmentation masks into np.arrays and boxes. Args: segments: pandas Series object containing either None entries, or strings with base64, zlib compressed, COCO RLE-encoded binary masks. All masks are expected to be the same size. image_widths: pandas Series of mask widths. image_heights: pandas Series of mask heights. Returns: a np.ndarray of the size NxWxH, where W and H is determined from the encoded masks; for the None values, zero arrays of size WxH are created. If input contains only None values, W=1, H=1. """ segment_masks = [] segment_boxes = [] ind = segments.first_valid_index() if ind is not None: size = [int(image_heights[ind]), int(image_widths[ind])] else: # It does not matter which size we pick since no masks will ever be # evaluated. return np.zeros((segments.shape[0], 1, 1), dtype=np.uint8), np.zeros( (segments.shape[0], 4), dtype=np.float32) for segment, im_width, im_height in zip(segments, image_widths, image_heights): if pd.isnull(segment): segment_masks.append(np.zeros([1, size[0], size[1]], dtype=np.uint8)) segment_boxes.append(np.expand_dims(np.array([0.0, 0.0, 0.0, 0.0]), 0)) else: compressed_mask = base64.b64decode(segment) rle_encoded_mask = zlib.decompress(compressed_mask) decoding_dict = { 'size': [im_height, im_width], 'counts': rle_encoded_mask } mask_tensor = coco_mask.decode(decoding_dict) segment_masks.append(np.expand_dims(mask_tensor, 0)) segment_boxes.append(np.expand_dims(_to_normalized_box(mask_tensor), 0)) return np.concatenate( segment_masks, axis=0), np.concatenate( segment_boxes, axis=0) def merge_boxes_and_masks(box_data, mask_data): return pd.merge( box_data, mask_data, how='outer', on=['LabelName', 'ImageID', 'XMin', 'XMax', 'YMin', 'YMax', 'IsGroupOf']) def build_groundtruth_dictionary(data, class_label_map): """Builds a groundtruth dictionary from groundtruth data in CSV file. Args: data: Pandas DataFrame with the groundtruth data for a single image. class_label_map: Class labelmap from string label name to an integer. Returns: A dictionary with keys suitable for passing to OpenImagesDetectionChallengeEvaluator.add_single_ground_truth_image_info: standard_fields.InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. standard_fields.InputDataFields.verified_labels: integer 1D numpy array containing all classes for which labels are verified. standard_fields.InputDataFields.groundtruth_group_of: Optional length M numpy boolean array denoting whether a groundtruth box contains a group of instances. """ data_location = data[data.XMin.notnull()] data_labels = data[data.ConfidenceImageLabel.notnull()] dictionary = { standard_fields.InputDataFields.groundtruth_boxes: data_location[['YMin', 'XMin', 'YMax', 'XMax']].to_numpy().astype(float), standard_fields.InputDataFields.groundtruth_classes: data_location['LabelName'].map(lambda x: class_label_map[x] ).to_numpy(), standard_fields.InputDataFields.groundtruth_group_of: data_location['IsGroupOf'].to_numpy().astype(int), standard_fields.InputDataFields.groundtruth_image_classes: data_labels['LabelName'].map(lambda x: class_label_map[x]).to_numpy(), } if 'Mask' in data_location: segments, _ = _decode_raw_data_into_masks_and_boxes( data_location['Mask'], data_location['ImageWidth'], data_location['ImageHeight']) dictionary[ standard_fields.InputDataFields.groundtruth_instance_masks] = segments return dictionary def build_predictions_dictionary(data, class_label_map): """Builds a predictions dictionary from predictions data in CSV file. Args: data: Pandas DataFrame with the predictions data for a single image. class_label_map: Class labelmap from string label name to an integer. Returns: Dictionary with keys suitable for passing to OpenImagesDetectionChallengeEvaluator.add_single_detected_image_info: standard_fields.DetectionResultFields.detection_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. standard_fields.DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. standard_fields.DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. """ dictionary = { standard_fields.DetectionResultFields.detection_classes: data['LabelName'].map(lambda x: class_label_map[x]).to_numpy(), standard_fields.DetectionResultFields.detection_scores: data['Score'].to_numpy().astype(float) } if 'Mask' in data: segments, boxes = _decode_raw_data_into_masks_and_boxes( data['Mask'], data['ImageWidth'], data['ImageHeight']) dictionary[standard_fields.DetectionResultFields.detection_masks] = segments dictionary[standard_fields.DetectionResultFields.detection_boxes] = boxes else: dictionary[standard_fields.DetectionResultFields.detection_boxes] = data[[ 'YMin', 'XMin', 'YMax', 'XMax' ]].to_numpy().astype(float) return dictionary
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/oid_challenge_evaluation_utils.py
oid_challenge_evaluation_utils.py
r"""Evaluation executable for detection data. This executable evaluates precomputed detections produced by a detection model and writes the evaluation results into csv file metrics.csv, stored in the directory, specified by --eval_dir. The evaluation metrics set is supplied in object_detection.protos.EvalConfig in metrics_set field. Currently two set of metrics are supported: - pascal_voc_metrics: standard PASCAL VOC 2007 metric - open_images_detection_metrics: Open Image V2 metric All other field of object_detection.protos.EvalConfig are ignored. Example usage: ./compute_metrics \ --eval_dir=path/to/eval_dir \ --eval_config_path=path/to/evaluation/configuration/file \ --input_config_path=path/to/input/configuration/file """ import csv import os import re import tensorflow.compat.v1 as tf from object_detection import eval_util from object_detection.core import standard_fields from object_detection.metrics import tf_example_parser from object_detection.utils import config_util from object_detection.utils import label_map_util flags = tf.app.flags tf.logging.set_verbosity(tf.logging.INFO) flags.DEFINE_string('eval_dir', None, 'Directory to write eval summaries to.') flags.DEFINE_string('eval_config_path', None, 'Path to an eval_pb2.EvalConfig config file.') flags.DEFINE_string('input_config_path', None, 'Path to an eval_pb2.InputConfig config file.') FLAGS = flags.FLAGS def _generate_sharded_filenames(filename): m = re.search(r'@(\d{1,})', filename) if m: num_shards = int(m.group(1)) return [ re.sub(r'@(\d{1,})', '-%.5d-of-%.5d' % (i, num_shards), filename) for i in range(num_shards) ] else: return [filename] def _generate_filenames(filenames): result = [] for filename in filenames: result += _generate_sharded_filenames(filename) return result def read_data_and_evaluate(input_config, eval_config): """Reads pre-computed object detections and groundtruth from tf_record. Args: input_config: input config proto of type object_detection.protos.InputReader. eval_config: evaluation config proto of type object_detection.protos.EvalConfig. Returns: Evaluated detections metrics. Raises: ValueError: if input_reader type is not supported or metric type is unknown. """ if input_config.WhichOneof('input_reader') == 'tf_record_input_reader': input_paths = input_config.tf_record_input_reader.input_path categories = label_map_util.create_categories_from_labelmap( input_config.label_map_path) object_detection_evaluators = eval_util.get_evaluators( eval_config, categories) # Support a single evaluator object_detection_evaluator = object_detection_evaluators[0] skipped_images = 0 processed_images = 0 for input_path in _generate_filenames(input_paths): tf.logging.info('Processing file: {0}'.format(input_path)) record_iterator = tf.python_io.tf_record_iterator(path=input_path) data_parser = tf_example_parser.TfExampleDetectionAndGTParser() for string_record in record_iterator: tf.logging.log_every_n(tf.logging.INFO, 'Processed %d images...', 1000, processed_images) processed_images += 1 example = tf.train.Example() example.ParseFromString(string_record) decoded_dict = data_parser.parse(example) if decoded_dict: object_detection_evaluator.add_single_ground_truth_image_info( decoded_dict[standard_fields.DetectionResultFields.key], decoded_dict) object_detection_evaluator.add_single_detected_image_info( decoded_dict[standard_fields.DetectionResultFields.key], decoded_dict) else: skipped_images += 1 tf.logging.info('Skipped images: {0}'.format(skipped_images)) return object_detection_evaluator.evaluate() raise ValueError('Unsupported input_reader_config.') def write_metrics(metrics, output_dir): """Write metrics to the output directory. Args: metrics: A dictionary containing metric names and values. output_dir: Directory to write metrics to. """ tf.logging.info('Writing metrics.') with open(os.path.join(output_dir, 'metrics.csv'), 'w') as csvfile: metrics_writer = csv.writer(csvfile, delimiter=',') for metric_name, metric_value in metrics.items(): metrics_writer.writerow([metric_name, str(metric_value)]) def main(argv): del argv required_flags = ['input_config_path', 'eval_config_path', 'eval_dir'] for flag_name in required_flags: if not getattr(FLAGS, flag_name): raise ValueError('Flag --{} is required'.format(flag_name)) configs = config_util.get_configs_from_multiple_files( eval_input_config_path=FLAGS.input_config_path, eval_config_path=FLAGS.eval_config_path) eval_config = configs['eval_config'] input_config = configs['eval_input_config'] metrics = read_data_and_evaluate(input_config, eval_config) # Save metrics write_metrics(metrics, FLAGS.eval_dir) if __name__ == '__main__': tf.app.run(main)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/offline_eval_map_corloc.py
offline_eval_map_corloc.py
"""Class for evaluating object detections with calibration metrics.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import tensorflow.compat.v1 as tf from object_detection.box_coders import mean_stddev_box_coder from object_detection.core import box_list from object_detection.core import region_similarity_calculator from object_detection.core import standard_fields from object_detection.core import target_assigner from object_detection.matchers import argmax_matcher from object_detection.metrics import calibration_metrics from object_detection.utils import object_detection_evaluation # TODO(zbeaver): Implement metrics per category. class CalibrationDetectionEvaluator( object_detection_evaluation.DetectionEvaluator): """Class to evaluate calibration detection metrics.""" def __init__(self, categories, iou_threshold=0.5): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. iou_threshold: Threshold above which to consider a box as matched during evaluation. """ super(CalibrationDetectionEvaluator, self).__init__(categories) # Constructing target_assigner to match detections to groundtruth. similarity_calc = region_similarity_calculator.IouSimilarity() matcher = argmax_matcher.ArgMaxMatcher( matched_threshold=iou_threshold, unmatched_threshold=iou_threshold) box_coder = mean_stddev_box_coder.MeanStddevBoxCoder(stddev=0.1) self._target_assigner = target_assigner.TargetAssigner( similarity_calc, matcher, box_coder) def match_single_image_info(self, image_info): """Match detections to groundtruth for a single image. Detections are matched to available groundtruth in the image based on the IOU threshold from the constructor. The classes of the detections and groundtruth matches are then compared. Detections that do not have IOU above the required threshold or have different classes from their match are considered negative matches. All inputs in `image_info` originate or are inferred from the eval_dict passed to class method `get_estimator_eval_metric_ops`. Args: image_info: a tuple or list containing the following (in order): - gt_boxes: tf.float32 tensor of groundtruth boxes. - gt_classes: tf.int64 tensor of groundtruth classes associated with groundtruth boxes. - num_gt_box: scalar indicating the number of groundtruth boxes per image. - det_boxes: tf.float32 tensor of detection boxes. - det_classes: tf.int64 tensor of detection classes associated with detection boxes. - num_det_box: scalar indicating the number of detection boxes per image. Returns: is_class_matched: tf.int64 tensor identical in shape to det_boxes, indicating whether detection boxes matched with and had the same class as groundtruth annotations. """ (gt_boxes, gt_classes, num_gt_box, det_boxes, det_classes, num_det_box) = image_info detection_boxes = det_boxes[:num_det_box] detection_classes = det_classes[:num_det_box] groundtruth_boxes = gt_boxes[:num_gt_box] groundtruth_classes = gt_classes[:num_gt_box] det_boxlist = box_list.BoxList(detection_boxes) gt_boxlist = box_list.BoxList(groundtruth_boxes) # Target assigner requires classes in one-hot format. An additional # dimension is required since gt_classes are 1-indexed; the zero index is # provided to all non-matches. one_hot_depth = tf.cast(tf.add(tf.reduce_max(groundtruth_classes), 1), dtype=tf.int32) gt_classes_one_hot = tf.one_hot( groundtruth_classes, one_hot_depth, dtype=tf.float32) one_hot_cls_targets, _, _, _, _ = self._target_assigner.assign( det_boxlist, gt_boxlist, gt_classes_one_hot, unmatched_class_label=tf.zeros(shape=one_hot_depth, dtype=tf.float32)) # Transform from one-hot back to indexes. cls_targets = tf.argmax(one_hot_cls_targets, axis=1) is_class_matched = tf.cast( tf.equal(tf.cast(cls_targets, tf.int64), detection_classes), dtype=tf.int64) return is_class_matched def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. This function can take in groundtruth and detections for a batch of images, or for a single image. For the latter case, the batch dimension for input tensors need not be present. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_groundtruth_boxes_per_image' and 'num_det_boxes_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ # Unpack items from the evaluation dictionary. input_data_fields = standard_fields.InputDataFields detection_fields = standard_fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] groundtruth_boxes = eval_dict[input_data_fields.groundtruth_boxes] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] detection_boxes = eval_dict[detection_fields.detection_boxes] detection_scores = eval_dict[detection_fields.detection_scores] detection_classes = eval_dict[detection_fields.detection_classes] num_gt_boxes_per_image = eval_dict.get( 'num_groundtruth_boxes_per_image', None) num_det_boxes_per_image = eval_dict.get('num_det_boxes_per_image', None) is_annotated_batched = eval_dict.get('is_annotated', None) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_boxes = tf.expand_dims(groundtruth_boxes, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) detection_boxes = tf.expand_dims(detection_boxes, 0) detection_scores = tf.expand_dims(detection_scores, 0) detection_classes = tf.expand_dims(detection_classes, 0) if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.shape(groundtruth_boxes)[1:2] else: num_gt_boxes_per_image = tf.expand_dims(num_gt_boxes_per_image, 0) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.shape(detection_boxes)[1:2] else: num_det_boxes_per_image = tf.expand_dims(num_det_boxes_per_image, 0) if is_annotated_batched is None: is_annotated_batched = tf.constant([True]) else: is_annotated_batched = tf.expand_dims(is_annotated_batched, 0) else: if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.tile( tf.shape(groundtruth_boxes)[1:2], multiples=tf.shape(groundtruth_boxes)[0:1]) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.tile( tf.shape(detection_boxes)[1:2], multiples=tf.shape(detection_boxes)[0:1]) if is_annotated_batched is None: is_annotated_batched = tf.ones_like(image_id, dtype=tf.bool) # Filter images based on is_annotated_batched and match detections. image_info = [tf.boolean_mask(tensor, is_annotated_batched) for tensor in [groundtruth_boxes, groundtruth_classes, num_gt_boxes_per_image, detection_boxes, detection_classes, num_det_boxes_per_image]] is_class_matched = tf.map_fn( self.match_single_image_info, image_info, dtype=tf.int64) y_true = tf.squeeze(is_class_matched) y_pred = tf.squeeze(tf.boolean_mask(detection_scores, is_annotated_batched)) ece, update_op = calibration_metrics.expected_calibration_error( y_true, y_pred) return {'CalibrationError/ExpectedCalibrationError': (ece, update_op)} def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary of groundtruth numpy arrays required for evaluations. """ raise NotImplementedError def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary of detection numpy arrays required for evaluation. """ raise NotImplementedError def evaluate(self): """Evaluates detections and returns a dictionary of metrics.""" raise NotImplementedError def clear(self): """Clears the state to prepare for a fresh evaluation.""" raise NotImplementedError
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/calibration_evaluation.py
calibration_evaluation.py
r"""Converts data from CSV format to the VRDDetectionEvaluator format.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from object_detection.core import standard_fields from object_detection.utils import vrd_evaluation def build_groundtruth_vrd_dictionary(data, class_label_map, relationship_label_map): """Builds a groundtruth dictionary from groundtruth data in CSV file. Args: data: Pandas DataFrame with the groundtruth data for a single image. class_label_map: Class labelmap from string label name to an integer. relationship_label_map: Relationship type labelmap from string name to an integer. Returns: A dictionary with keys suitable for passing to VRDDetectionEvaluator.add_single_ground_truth_image_info: standard_fields.InputDataFields.groundtruth_boxes: A numpy array of structures with the shape [M, 1], representing M tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (see datatype vrd_box_data_type, single_box_data_type above). standard_fields.InputDataFields.groundtruth_classes: A numpy array of structures shape [M, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes (see datatype label_data_type above). standard_fields.InputDataFields.verified_labels: numpy array of shape [K] containing verified labels. """ data_boxes = data[data.LabelName.isnull()] data_labels = data[data.LabelName1.isnull()] boxes = np.zeros(data_boxes.shape[0], dtype=vrd_evaluation.vrd_box_data_type) boxes['subject'] = data_boxes[['YMin1', 'XMin1', 'YMax1', 'XMax1']].to_numpy() boxes['object'] = data_boxes[['YMin2', 'XMin2', 'YMax2', 'XMax2']].to_numpy() labels = np.zeros(data_boxes.shape[0], dtype=vrd_evaluation.label_data_type) labels['subject'] = data_boxes['LabelName1'].map( lambda x: class_label_map[x]).to_numpy() labels['object'] = data_boxes['LabelName2'].map( lambda x: class_label_map[x]).to_numpy() labels['relation'] = data_boxes['RelationshipLabel'].map( lambda x: relationship_label_map[x]).to_numpy() return { standard_fields.InputDataFields.groundtruth_boxes: boxes, standard_fields.InputDataFields.groundtruth_classes: labels, standard_fields.InputDataFields.groundtruth_image_classes: data_labels['LabelName'].map(lambda x: class_label_map[x]) .to_numpy(), } def build_predictions_vrd_dictionary(data, class_label_map, relationship_label_map): """Builds a predictions dictionary from predictions data in CSV file. Args: data: Pandas DataFrame with the predictions data for a single image. class_label_map: Class labelmap from string label name to an integer. relationship_label_map: Relationship type labelmap from string name to an integer. Returns: Dictionary with keys suitable for passing to VRDDetectionEvaluator.add_single_detected_image_info: standard_fields.DetectionResultFields.detection_boxes: A numpy array of structures with shape [N, 1], representing N tuples, each tuple containing the same number of named bounding boxes. Each box is of the format [y_min, x_min, y_max, x_max] (as an example see datatype vrd_box_data_type, single_box_data_type above). standard_fields.DetectionResultFields.detection_scores: float32 numpy array of shape [N] containing detection scores for the boxes. standard_fields.DetectionResultFields.detection_classes: A numpy array of structures shape [N, 1], representing the class labels of the corresponding bounding boxes and possibly additional classes (see datatype label_data_type above). """ data_boxes = data boxes = np.zeros(data_boxes.shape[0], dtype=vrd_evaluation.vrd_box_data_type) boxes['subject'] = data_boxes[['YMin1', 'XMin1', 'YMax1', 'XMax1']].to_numpy() boxes['object'] = data_boxes[['YMin2', 'XMin2', 'YMax2', 'XMax2']].to_numpy() labels = np.zeros(data_boxes.shape[0], dtype=vrd_evaluation.label_data_type) labels['subject'] = data_boxes['LabelName1'].map( lambda x: class_label_map[x]).to_numpy() labels['object'] = data_boxes['LabelName2'].map( lambda x: class_label_map[x]).to_numpy() labels['relation'] = data_boxes['RelationshipLabel'].map( lambda x: relationship_label_map[x]).to_numpy() return { standard_fields.DetectionResultFields.detection_boxes: boxes, standard_fields.DetectionResultFields.detection_classes: labels, standard_fields.DetectionResultFields.detection_scores: data_boxes['Score'].to_numpy() }
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/oid_vrd_challenge_evaluation_utils.py
oid_vrd_challenge_evaluation_utils.py
"""Class for evaluating object detections with COCO metrics.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.core import standard_fields from object_detection.metrics import coco_tools from object_detection.utils import json_utils from object_detection.utils import np_mask_ops from object_detection.utils import object_detection_evaluation class CocoDetectionEvaluator(object_detection_evaluation.DetectionEvaluator): """Class to evaluate COCO detection metrics.""" def __init__(self, categories, include_metrics_per_category=False, all_metrics_per_category=False, skip_predictions_for_unlabeled_class=False, super_categories=None): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. include_metrics_per_category: If True, include metrics for each category. all_metrics_per_category: Whether to include all the summary metrics for each category in per_category_ap. Be careful with setting it to true if you have more than handful of categories, because it will pollute your mldash. skip_predictions_for_unlabeled_class: Skip predictions that do not match with the labeled classes for the image. super_categories: None or a python dict mapping super-category names (strings) to lists of categories (corresponding to category names in the label_map). Metrics are aggregated along these super-categories and added to the `per_category_ap` and are associated with the name `PerformanceBySuperCategory/<super-category-name>`. """ super(CocoDetectionEvaluator, self).__init__(categories) # _image_ids is a dictionary that maps unique image ids to Booleans which # indicate whether a corresponding detection has been added. self._image_ids = {} self._groundtruth_list = [] self._detection_boxes_list = [] self._category_id_set = set([cat['id'] for cat in self._categories]) self._annotation_id = 1 self._metrics = None self._include_metrics_per_category = include_metrics_per_category self._all_metrics_per_category = all_metrics_per_category self._skip_predictions_for_unlabeled_class = skip_predictions_for_unlabeled_class self._groundtruth_labeled_classes = {} self._super_categories = super_categories def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._image_ids.clear() self._groundtruth_list = [] self._detection_boxes_list = [] def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. If the image has already been added, a warning is logged, and groundtruth is ignored. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. InputDataFields.groundtruth_is_crowd (optional): integer numpy array of shape [num_boxes] containing iscrowd flag for groundtruth boxes. InputDataFields.groundtruth_area (optional): float numpy array of shape [num_boxes] containing the area (in the original absolute coordinates) of the annotated object. InputDataFields.groundtruth_keypoints (optional): float numpy array of keypoints with shape [num_boxes, num_keypoints, 2]. InputDataFields.groundtruth_keypoint_visibilities (optional): integer numpy array of keypoint visibilities with shape [num_gt_boxes, num_keypoints]. Integer is treated as an enum with 0=not labeled, 1=labeled but not visible and 2=labeled and visible. InputDataFields.groundtruth_labeled_classes (optional): a tensor of shape [num_classes + 1] containing the multi-hot tensor indicating the classes that each image is labeled for. Note that the classes labels are 1-indexed. """ if image_id in self._image_ids: tf.logging.warning('Ignoring ground truth with image id %s since it was ' 'previously added', image_id) return # Drop optional fields if empty tensor. groundtruth_is_crowd = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_is_crowd) groundtruth_area = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_area) groundtruth_keypoints = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_keypoints) groundtruth_keypoint_visibilities = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_keypoint_visibilities) if groundtruth_is_crowd is not None and not groundtruth_is_crowd.shape[0]: groundtruth_is_crowd = None if groundtruth_area is not None and not groundtruth_area.shape[0]: groundtruth_area = None if groundtruth_keypoints is not None and not groundtruth_keypoints.shape[0]: groundtruth_keypoints = None if groundtruth_keypoint_visibilities is not None and not groundtruth_keypoint_visibilities.shape[ 0]: groundtruth_keypoint_visibilities = None self._groundtruth_list.extend( coco_tools.ExportSingleImageGroundtruthToCoco( image_id=image_id, next_annotation_id=self._annotation_id, category_id_set=self._category_id_set, groundtruth_boxes=groundtruth_dict[ standard_fields.InputDataFields.groundtruth_boxes], groundtruth_classes=groundtruth_dict[ standard_fields.InputDataFields.groundtruth_classes], groundtruth_is_crowd=groundtruth_is_crowd, groundtruth_area=groundtruth_area, groundtruth_keypoints=groundtruth_keypoints, groundtruth_keypoint_visibilities=groundtruth_keypoint_visibilities) ) self._annotation_id += groundtruth_dict[standard_fields.InputDataFields. groundtruth_boxes].shape[0] if (standard_fields.InputDataFields.groundtruth_labeled_classes ) in groundtruth_dict: labeled_classes = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_labeled_classes] if labeled_classes.shape != (len(self._category_id_set) + 1,): raise ValueError('Invalid shape for groundtruth labeled classes: {}, ' 'num_categories_including_background: {}'.format( labeled_classes, len(self._category_id_set) + 1)) self._groundtruth_labeled_classes[image_id] = np.flatnonzero( groundtruth_dict[standard_fields.InputDataFields .groundtruth_labeled_classes] == 1).tolist() # Boolean to indicate whether a detection has been added for this image. self._image_ids[image_id] = False def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. If a detection has already been added for this image id, a warning is logged, and the detection is skipped. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - DetectionResultFields.detection_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. DetectionResultFields.detection_keypoints (optional): float numpy array of keypoints with shape [num_boxes, num_keypoints, 2]. Raises: ValueError: If groundtruth for the image_id is not available. """ if image_id not in self._image_ids: raise ValueError('Missing groundtruth for image id: {}'.format(image_id)) if self._image_ids[image_id]: tf.logging.warning('Ignoring detection with image id %s since it was ' 'previously added', image_id) return # Drop optional fields if empty tensor. detection_keypoints = detections_dict.get( standard_fields.DetectionResultFields.detection_keypoints) if detection_keypoints is not None and not detection_keypoints.shape[0]: detection_keypoints = None if self._skip_predictions_for_unlabeled_class: det_classes = detections_dict[ standard_fields.DetectionResultFields.detection_classes] num_det_boxes = det_classes.shape[0] keep_box_ids = [] for box_id in range(num_det_boxes): if det_classes[box_id] in self._groundtruth_labeled_classes[image_id]: keep_box_ids.append(box_id) self._detection_boxes_list.extend( coco_tools.ExportSingleImageDetectionBoxesToCoco( image_id=image_id, category_id_set=self._category_id_set, detection_boxes=detections_dict[ standard_fields.DetectionResultFields.detection_boxes] [keep_box_ids], detection_scores=detections_dict[ standard_fields.DetectionResultFields.detection_scores] [keep_box_ids], detection_classes=detections_dict[ standard_fields.DetectionResultFields.detection_classes] [keep_box_ids], detection_keypoints=detection_keypoints)) else: self._detection_boxes_list.extend( coco_tools.ExportSingleImageDetectionBoxesToCoco( image_id=image_id, category_id_set=self._category_id_set, detection_boxes=detections_dict[ standard_fields.DetectionResultFields.detection_boxes], detection_scores=detections_dict[ standard_fields.DetectionResultFields.detection_scores], detection_classes=detections_dict[ standard_fields.DetectionResultFields.detection_classes], detection_keypoints=detection_keypoints)) self._image_ids[image_id] = True def dump_detections_to_json_file(self, json_output_path): """Saves the detections into json_output_path in the format used by MS COCO. Args: json_output_path: String containing the output file's path. It can be also None. In that case nothing will be written to the output file. """ if json_output_path and json_output_path is not None: with tf.gfile.GFile(json_output_path, 'w') as fid: tf.logging.info('Dumping detections to output json file.') json_utils.Dump( obj=self._detection_boxes_list, fid=fid, float_digits=4, indent=2) def evaluate(self): """Evaluates the detection boxes and returns a dictionary of coco metrics. Returns: A dictionary holding - 1. summary_metrics: 'DetectionBoxes_Precision/mAP': mean average precision over classes averaged over IOU thresholds ranging from .5 to .95 with .05 increments. 'DetectionBoxes_Precision/[email protected]': mean average precision at 50% IOU 'DetectionBoxes_Precision/[email protected]': mean average precision at 75% IOU 'DetectionBoxes_Precision/mAP (small)': mean average precision for small objects (area < 32^2 pixels). 'DetectionBoxes_Precision/mAP (medium)': mean average precision for medium sized objects (32^2 pixels < area < 96^2 pixels). 'DetectionBoxes_Precision/mAP (large)': mean average precision for large objects (96^2 pixels < area < 10000^2 pixels). 'DetectionBoxes_Recall/AR@1': average recall with 1 detection. 'DetectionBoxes_Recall/AR@10': average recall with 10 detections. 'DetectionBoxes_Recall/AR@100': average recall with 100 detections. 'DetectionBoxes_Recall/AR@100 (small)': average recall for small objects with 100. 'DetectionBoxes_Recall/AR@100 (medium)': average recall for medium objects with 100. 'DetectionBoxes_Recall/AR@100 (large)': average recall for large objects with 100 detections. 2. per_category_ap: if include_metrics_per_category is True, category specific results with keys of the form: 'Precision mAP ByCategory/category' (without the supercategory part if no supercategories exist). For backward compatibility 'PerformanceByCategory' is included in the output regardless of all_metrics_per_category. If super_categories are provided, then this will additionally include metrics aggregated along the super_categories with keys of the form: `PerformanceBySuperCategory/<super-category-name>` """ tf.logging.info('Performing evaluation on %d images.', len(self._image_ids)) groundtruth_dict = { 'annotations': self._groundtruth_list, 'images': [{'id': image_id} for image_id in self._image_ids], 'categories': self._categories } coco_wrapped_groundtruth = coco_tools.COCOWrapper(groundtruth_dict) coco_wrapped_detections = coco_wrapped_groundtruth.LoadAnnotations( self._detection_boxes_list) box_evaluator = coco_tools.COCOEvalWrapper( coco_wrapped_groundtruth, coco_wrapped_detections, agnostic_mode=False) box_metrics, box_per_category_ap = box_evaluator.ComputeMetrics( include_metrics_per_category=self._include_metrics_per_category, all_metrics_per_category=self._all_metrics_per_category, super_categories=self._super_categories) box_metrics.update(box_per_category_ap) box_metrics = {'DetectionBoxes_'+ key: value for key, value in iter(box_metrics.items())} return box_metrics def add_eval_dict(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ def update_op(image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_is_crowd_batched, groundtruth_labeled_classes_batched, num_gt_boxes_per_image, detection_boxes_batched, detection_scores_batched, detection_classes_batched, num_det_boxes_per_image, is_annotated_batched): """Update operation for adding batch of images to Coco evaluator.""" for (image_id, gt_box, gt_class, gt_is_crowd, gt_labeled_classes, num_gt_box, det_box, det_score, det_class, num_det_box, is_annotated) in zip( image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_is_crowd_batched, groundtruth_labeled_classes_batched, num_gt_boxes_per_image, detection_boxes_batched, detection_scores_batched, detection_classes_batched, num_det_boxes_per_image, is_annotated_batched): if is_annotated: self.add_single_ground_truth_image_info( image_id, { 'groundtruth_boxes': gt_box[:num_gt_box], 'groundtruth_classes': gt_class[:num_gt_box], 'groundtruth_is_crowd': gt_is_crowd[:num_gt_box], 'groundtruth_labeled_classes': gt_labeled_classes }) self.add_single_detected_image_info( image_id, {'detection_boxes': det_box[:num_det_box], 'detection_scores': det_score[:num_det_box], 'detection_classes': det_class[:num_det_box]}) # Unpack items from the evaluation dictionary. input_data_fields = standard_fields.InputDataFields detection_fields = standard_fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] groundtruth_boxes = eval_dict[input_data_fields.groundtruth_boxes] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] groundtruth_is_crowd = eval_dict.get( input_data_fields.groundtruth_is_crowd, None) groundtruth_labeled_classes = eval_dict.get( input_data_fields.groundtruth_labeled_classes, None) detection_boxes = eval_dict[detection_fields.detection_boxes] detection_scores = eval_dict[detection_fields.detection_scores] detection_classes = eval_dict[detection_fields.detection_classes] num_gt_boxes_per_image = eval_dict.get( input_data_fields.num_groundtruth_boxes, None) num_det_boxes_per_image = eval_dict.get(detection_fields.num_detections, None) is_annotated = eval_dict.get('is_annotated', None) if groundtruth_is_crowd is None: groundtruth_is_crowd = tf.zeros_like(groundtruth_classes, dtype=tf.bool) # If groundtruth_labeled_classes is not provided, make it equal to the # detection_classes. This assumes that all predictions will be kept to # compute eval metrics. if groundtruth_labeled_classes is None: groundtruth_labeled_classes = tf.reduce_max( tf.one_hot( tf.cast(detection_classes, tf.int32), len(self._category_id_set) + 1), axis=-2) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_boxes = tf.expand_dims(groundtruth_boxes, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) groundtruth_is_crowd = tf.expand_dims(groundtruth_is_crowd, 0) groundtruth_labeled_classes = tf.expand_dims(groundtruth_labeled_classes, 0) detection_boxes = tf.expand_dims(detection_boxes, 0) detection_scores = tf.expand_dims(detection_scores, 0) detection_classes = tf.expand_dims(detection_classes, 0) if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.shape(groundtruth_boxes)[1:2] else: num_gt_boxes_per_image = tf.expand_dims(num_gt_boxes_per_image, 0) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.shape(detection_boxes)[1:2] else: num_det_boxes_per_image = tf.expand_dims(num_det_boxes_per_image, 0) if is_annotated is None: is_annotated = tf.constant([True]) else: is_annotated = tf.expand_dims(is_annotated, 0) else: if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.tile( tf.shape(groundtruth_boxes)[1:2], multiples=tf.shape(groundtruth_boxes)[0:1]) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.tile( tf.shape(detection_boxes)[1:2], multiples=tf.shape(detection_boxes)[0:1]) if is_annotated is None: is_annotated = tf.ones_like(image_id, dtype=tf.bool) return tf.py_func(update_op, [ image_id, groundtruth_boxes, groundtruth_classes, groundtruth_is_crowd, groundtruth_labeled_classes, num_gt_boxes_per_image, detection_boxes, detection_scores, detection_classes, num_det_boxes_per_image, is_annotated ], []) def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. This function can take in groundtruth and detections for a batch of images, or for a single image. For the latter case, the batch dimension for input tensors need not be present. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_groundtruth_boxes_per_image' and 'num_det_boxes_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ update_op = self.add_eval_dict(eval_dict) metric_names = ['DetectionBoxes_Precision/mAP', 'DetectionBoxes_Precision/[email protected]', 'DetectionBoxes_Precision/[email protected]', 'DetectionBoxes_Precision/mAP (large)', 'DetectionBoxes_Precision/mAP (medium)', 'DetectionBoxes_Precision/mAP (small)', 'DetectionBoxes_Recall/AR@1', 'DetectionBoxes_Recall/AR@10', 'DetectionBoxes_Recall/AR@100', 'DetectionBoxes_Recall/AR@100 (large)', 'DetectionBoxes_Recall/AR@100 (medium)', 'DetectionBoxes_Recall/AR@100 (small)'] if self._include_metrics_per_category: for category_dict in self._categories: metric_names.append('DetectionBoxes_PerformanceByCategory/mAP/' + category_dict['name']) def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops def convert_masks_to_binary(masks): """Converts masks to 0 or 1 and uint8 type.""" return (masks > 0).astype(np.uint8) class CocoKeypointEvaluator(CocoDetectionEvaluator): """Class to evaluate COCO keypoint metrics.""" def __init__(self, category_id, category_keypoints, class_text, oks_sigmas=None): """Constructor. Args: category_id: An integer id uniquely identifying this category. category_keypoints: A list specifying keypoint mappings, with items: 'id': (required) an integer id identifying the keypoint. 'name': (required) a string representing the keypoint name. class_text: A string representing the category name for which keypoint metrics are to be computed. oks_sigmas: A dict of keypoint name to standard deviation values for OKS metrics. If not provided, default value of 0.05 will be used. """ self._category_id = category_id self._category_name = class_text self._keypoint_ids = sorted( [keypoint['id'] for keypoint in category_keypoints]) kpt_id_to_name = {kpt['id']: kpt['name'] for kpt in category_keypoints} if oks_sigmas: self._oks_sigmas = np.array([ oks_sigmas[kpt_id_to_name[idx]] for idx in self._keypoint_ids ]) else: # Default all per-keypoint sigmas to 0. self._oks_sigmas = np.full((len(self._keypoint_ids)), 0.05) tf.logging.warning('No default keypoint OKS sigmas provided. Will use ' '0.05') tf.logging.info('Using the following keypoint OKS sigmas: {}'.format( self._oks_sigmas)) self._metrics = None super(CocoKeypointEvaluator, self).__init__([{ 'id': self._category_id, 'name': class_text }]) def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image with keypoints. If the image has already been added, a warning is logged, and groundtruth is ignored. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. InputDataFields.groundtruth_is_crowd (optional): integer numpy array of shape [num_boxes] containing iscrowd flag for groundtruth boxes. InputDataFields.groundtruth_area (optional): float numpy array of shape [num_boxes] containing the area (in the original absolute coordinates) of the annotated object. InputDataFields.groundtruth_keypoints: float numpy array of keypoints with shape [num_boxes, num_keypoints, 2]. InputDataFields.groundtruth_keypoint_visibilities (optional): integer numpy array of keypoint visibilities with shape [num_gt_boxes, num_keypoints]. Integer is treated as an enum with 0=not labels, 1=labeled but not visible and 2=labeled and visible. """ # Keep only the groundtruth for our category and its keypoints. groundtruth_classes = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_classes] groundtruth_boxes = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_boxes] groundtruth_keypoints = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_keypoints] class_indices = [ idx for idx, gt_class_id in enumerate(groundtruth_classes) if gt_class_id == self._category_id ] filtered_groundtruth_classes = np.take( groundtruth_classes, class_indices, axis=0) filtered_groundtruth_boxes = np.take( groundtruth_boxes, class_indices, axis=0) filtered_groundtruth_keypoints = np.take( groundtruth_keypoints, class_indices, axis=0) filtered_groundtruth_keypoints = np.take( filtered_groundtruth_keypoints, self._keypoint_ids, axis=1) filtered_groundtruth_dict = {} filtered_groundtruth_dict[ standard_fields.InputDataFields .groundtruth_classes] = filtered_groundtruth_classes filtered_groundtruth_dict[standard_fields.InputDataFields .groundtruth_boxes] = filtered_groundtruth_boxes filtered_groundtruth_dict[ standard_fields.InputDataFields .groundtruth_keypoints] = filtered_groundtruth_keypoints if (standard_fields.InputDataFields.groundtruth_is_crowd in groundtruth_dict.keys()): groundtruth_is_crowd = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_is_crowd] filtered_groundtruth_is_crowd = np.take(groundtruth_is_crowd, class_indices, 0) filtered_groundtruth_dict[ standard_fields.InputDataFields .groundtruth_is_crowd] = filtered_groundtruth_is_crowd if (standard_fields.InputDataFields.groundtruth_area in groundtruth_dict.keys()): groundtruth_area = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_area] filtered_groundtruth_area = np.take(groundtruth_area, class_indices, 0) filtered_groundtruth_dict[ standard_fields.InputDataFields .groundtruth_area] = filtered_groundtruth_area if (standard_fields.InputDataFields.groundtruth_keypoint_visibilities in groundtruth_dict.keys()): groundtruth_keypoint_visibilities = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_keypoint_visibilities] filtered_groundtruth_keypoint_visibilities = np.take( groundtruth_keypoint_visibilities, class_indices, axis=0) filtered_groundtruth_keypoint_visibilities = np.take( filtered_groundtruth_keypoint_visibilities, self._keypoint_ids, axis=1) filtered_groundtruth_dict[ standard_fields.InputDataFields. groundtruth_keypoint_visibilities] = filtered_groundtruth_keypoint_visibilities super(CocoKeypointEvaluator, self).add_single_ground_truth_image_info(image_id, filtered_groundtruth_dict) def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image and the specific category for which keypoints are evaluated. If a detection has already been added for this image id, a warning is logged, and the detection is skipped. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - DetectionResultFields.detection_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` detection boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. DetectionResultFields.detection_keypoints: float numpy array of keypoints with shape [num_boxes, num_keypoints, 2]. Raises: ValueError: If groundtruth for the image_id is not available. """ # Keep only the detections for our category and its keypoints. detection_classes = detections_dict[ standard_fields.DetectionResultFields.detection_classes] detection_boxes = detections_dict[ standard_fields.DetectionResultFields.detection_boxes] detection_scores = detections_dict[ standard_fields.DetectionResultFields.detection_scores] detection_keypoints = detections_dict[ standard_fields.DetectionResultFields.detection_keypoints] class_indices = [ idx for idx, class_id in enumerate(detection_classes) if class_id == self._category_id ] filtered_detection_classes = np.take( detection_classes, class_indices, axis=0) filtered_detection_boxes = np.take(detection_boxes, class_indices, axis=0) filtered_detection_scores = np.take(detection_scores, class_indices, axis=0) filtered_detection_keypoints = np.take( detection_keypoints, class_indices, axis=0) filtered_detection_keypoints = np.take( filtered_detection_keypoints, self._keypoint_ids, axis=1) filtered_detections_dict = {} filtered_detections_dict[standard_fields.DetectionResultFields .detection_classes] = filtered_detection_classes filtered_detections_dict[standard_fields.DetectionResultFields .detection_boxes] = filtered_detection_boxes filtered_detections_dict[standard_fields.DetectionResultFields .detection_scores] = filtered_detection_scores filtered_detections_dict[standard_fields.DetectionResultFields. detection_keypoints] = filtered_detection_keypoints super(CocoKeypointEvaluator, self).add_single_detected_image_info(image_id, filtered_detections_dict) def evaluate(self): """Evaluates the keypoints and returns a dictionary of coco metrics. Returns: A dictionary holding - 1. summary_metrics: 'Keypoints_Precision/mAP': mean average precision over classes averaged over OKS thresholds ranging from .5 to .95 with .05 increments. 'Keypoints_Precision/[email protected]': mean average precision at 50% OKS 'Keypoints_Precision/[email protected]': mean average precision at 75% OKS 'Keypoints_Precision/mAP (medium)': mean average precision for medium sized objects (32^2 pixels < area < 96^2 pixels). 'Keypoints_Precision/mAP (large)': mean average precision for large objects (96^2 pixels < area < 10000^2 pixels). 'Keypoints_Recall/AR@1': average recall with 1 detection. 'Keypoints_Recall/AR@10': average recall with 10 detections. 'Keypoints_Recall/AR@100': average recall with 100 detections. 'Keypoints_Recall/AR@100 (medium)': average recall for medium objects with 100. 'Keypoints_Recall/AR@100 (large)': average recall for large objects with 100 detections. """ tf.logging.info('Performing evaluation on %d images.', len(self._image_ids)) groundtruth_dict = { 'annotations': self._groundtruth_list, 'images': [{'id': image_id} for image_id in self._image_ids], 'categories': self._categories } coco_wrapped_groundtruth = coco_tools.COCOWrapper( groundtruth_dict, detection_type='bbox') coco_wrapped_detections = coco_wrapped_groundtruth.LoadAnnotations( self._detection_boxes_list) keypoint_evaluator = coco_tools.COCOEvalWrapper( coco_wrapped_groundtruth, coco_wrapped_detections, agnostic_mode=False, iou_type='keypoints', oks_sigmas=self._oks_sigmas) keypoint_metrics, _ = keypoint_evaluator.ComputeMetrics( include_metrics_per_category=False, all_metrics_per_category=False) keypoint_metrics = { 'Keypoints_' + key: value for key, value in iter(keypoint_metrics.items()) } return keypoint_metrics def add_eval_dict(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ def update_op( image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_is_crowd_batched, groundtruth_area_batched, groundtruth_keypoints_batched, groundtruth_keypoint_visibilities_batched, num_gt_boxes_per_image, detection_boxes_batched, detection_scores_batched, detection_classes_batched, detection_keypoints_batched, num_det_boxes_per_image, is_annotated_batched): """Update operation for adding batch of images to Coco evaluator.""" for (image_id, gt_box, gt_class, gt_is_crowd, gt_area, gt_keyp, gt_keyp_vis, num_gt_box, det_box, det_score, det_class, det_keyp, num_det_box, is_annotated) in zip( image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_is_crowd_batched, groundtruth_area_batched, groundtruth_keypoints_batched, groundtruth_keypoint_visibilities_batched, num_gt_boxes_per_image, detection_boxes_batched, detection_scores_batched, detection_classes_batched, detection_keypoints_batched, num_det_boxes_per_image, is_annotated_batched): if is_annotated: self.add_single_ground_truth_image_info( image_id, { 'groundtruth_boxes': gt_box[:num_gt_box], 'groundtruth_classes': gt_class[:num_gt_box], 'groundtruth_is_crowd': gt_is_crowd[:num_gt_box], 'groundtruth_area': gt_area[:num_gt_box], 'groundtruth_keypoints': gt_keyp[:num_gt_box], 'groundtruth_keypoint_visibilities': gt_keyp_vis[:num_gt_box] }) self.add_single_detected_image_info( image_id, { 'detection_boxes': det_box[:num_det_box], 'detection_scores': det_score[:num_det_box], 'detection_classes': det_class[:num_det_box], 'detection_keypoints': det_keyp[:num_det_box], }) # Unpack items from the evaluation dictionary. input_data_fields = standard_fields.InputDataFields detection_fields = standard_fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] groundtruth_boxes = eval_dict[input_data_fields.groundtruth_boxes] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] groundtruth_is_crowd = eval_dict.get(input_data_fields.groundtruth_is_crowd, None) groundtruth_area = eval_dict.get(input_data_fields.groundtruth_area, None) groundtruth_keypoints = eval_dict[input_data_fields.groundtruth_keypoints] groundtruth_keypoint_visibilities = eval_dict.get( input_data_fields.groundtruth_keypoint_visibilities, None) detection_boxes = eval_dict[detection_fields.detection_boxes] detection_scores = eval_dict[detection_fields.detection_scores] detection_classes = eval_dict[detection_fields.detection_classes] detection_keypoints = eval_dict[detection_fields.detection_keypoints] num_gt_boxes_per_image = eval_dict.get( 'num_groundtruth_boxes_per_image', None) num_det_boxes_per_image = eval_dict.get('num_det_boxes_per_image', None) is_annotated = eval_dict.get('is_annotated', None) if groundtruth_is_crowd is None: groundtruth_is_crowd = tf.zeros_like(groundtruth_classes, dtype=tf.bool) if groundtruth_area is None: groundtruth_area = tf.zeros_like(groundtruth_classes, dtype=tf.float32) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_boxes = tf.expand_dims(groundtruth_boxes, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) groundtruth_is_crowd = tf.expand_dims(groundtruth_is_crowd, 0) groundtruth_area = tf.expand_dims(groundtruth_area, 0) groundtruth_keypoints = tf.expand_dims(groundtruth_keypoints, 0) detection_boxes = tf.expand_dims(detection_boxes, 0) detection_scores = tf.expand_dims(detection_scores, 0) detection_classes = tf.expand_dims(detection_classes, 0) detection_keypoints = tf.expand_dims(detection_keypoints, 0) if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.shape(groundtruth_boxes)[1:2] else: num_gt_boxes_per_image = tf.expand_dims(num_gt_boxes_per_image, 0) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.shape(detection_boxes)[1:2] else: num_det_boxes_per_image = tf.expand_dims(num_det_boxes_per_image, 0) if is_annotated is None: is_annotated = tf.constant([True]) else: is_annotated = tf.expand_dims(is_annotated, 0) if groundtruth_keypoint_visibilities is None: groundtruth_keypoint_visibilities = tf.fill([ tf.shape(groundtruth_boxes)[1], tf.shape(groundtruth_keypoints)[2] ], tf.constant(2, dtype=tf.int32)) groundtruth_keypoint_visibilities = tf.expand_dims( groundtruth_keypoint_visibilities, 0) else: if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.tile( tf.shape(groundtruth_boxes)[1:2], multiples=tf.shape(groundtruth_boxes)[0:1]) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.tile( tf.shape(detection_boxes)[1:2], multiples=tf.shape(detection_boxes)[0:1]) if is_annotated is None: is_annotated = tf.ones_like(image_id, dtype=tf.bool) if groundtruth_keypoint_visibilities is None: groundtruth_keypoint_visibilities = tf.fill([ tf.shape(groundtruth_keypoints)[1], tf.shape(groundtruth_keypoints)[2] ], tf.constant(2, dtype=tf.int32)) groundtruth_keypoint_visibilities = tf.tile( tf.expand_dims(groundtruth_keypoint_visibilities, 0), multiples=[tf.shape(groundtruth_keypoints)[0], 1, 1]) return tf.py_func(update_op, [ image_id, groundtruth_boxes, groundtruth_classes, groundtruth_is_crowd, groundtruth_area, groundtruth_keypoints, groundtruth_keypoint_visibilities, num_gt_boxes_per_image, detection_boxes, detection_scores, detection_classes, detection_keypoints, num_det_boxes_per_image, is_annotated ], []) def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. This function can take in groundtruth and detections for a batch of images, or for a single image. For the latter case, the batch dimension for input tensors need not be present. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_groundtruth_boxes_per_image' and 'num_det_boxes_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ update_op = self.add_eval_dict(eval_dict) category = self._category_name metric_names = [ 'Keypoints_Precision/mAP ByCategory/{}'.format(category), 'Keypoints_Precision/[email protected] ByCategory/{}'.format(category), 'Keypoints_Precision/[email protected] ByCategory/{}'.format(category), 'Keypoints_Precision/mAP (large) ByCategory/{}'.format(category), 'Keypoints_Precision/mAP (medium) ByCategory/{}'.format(category), 'Keypoints_Recall/AR@1 ByCategory/{}'.format(category), 'Keypoints_Recall/AR@10 ByCategory/{}'.format(category), 'Keypoints_Recall/AR@100 ByCategory/{}'.format(category), 'Keypoints_Recall/AR@100 (large) ByCategory/{}'.format(category), 'Keypoints_Recall/AR@100 (medium) ByCategory/{}'.format(category) ] def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops class CocoMaskEvaluator(object_detection_evaluation.DetectionEvaluator): """Class to evaluate COCO detection metrics.""" def __init__(self, categories, include_metrics_per_category=False, all_metrics_per_category=False, super_categories=None): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. include_metrics_per_category: If True, include metrics for each category. all_metrics_per_category: Whether to include all the summary metrics for each category in per_category_ap. Be careful with setting it to true if you have more than handful of categories, because it will pollute your mldash. super_categories: None or a python dict mapping super-category names (strings) to lists of categories (corresponding to category names in the label_map). Metrics are aggregated along these super-categories and added to the `per_category_ap` and are associated with the name `PerformanceBySuperCategory/<super-category-name>`. """ super(CocoMaskEvaluator, self).__init__(categories) self._image_id_to_mask_shape_map = {} self._image_ids_with_detections = set([]) self._groundtruth_list = [] self._detection_masks_list = [] self._category_id_set = set([cat['id'] for cat in self._categories]) self._annotation_id = 1 self._include_metrics_per_category = include_metrics_per_category self._super_categories = super_categories self._all_metrics_per_category = all_metrics_per_category def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._image_id_to_mask_shape_map.clear() self._image_ids_with_detections.clear() self._groundtruth_list = [] self._detection_masks_list = [] def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. If the image has already been added, a warning is logged, and groundtruth is ignored. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. InputDataFields.groundtruth_instance_masks: uint8 numpy array of shape [num_boxes, image_height, image_width] containing groundtruth masks corresponding to the boxes. The elements of the array must be in {0, 1}. InputDataFields.groundtruth_is_crowd (optional): integer numpy array of shape [num_boxes] containing iscrowd flag for groundtruth boxes. InputDataFields.groundtruth_area (optional): float numpy array of shape [num_boxes] containing the area (in the original absolute coordinates) of the annotated object. """ if image_id in self._image_id_to_mask_shape_map: tf.logging.warning('Ignoring ground truth with image id %s since it was ' 'previously added', image_id) return # Drop optional fields if empty tensor. groundtruth_is_crowd = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_is_crowd) groundtruth_area = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_area) if groundtruth_is_crowd is not None and not groundtruth_is_crowd.shape[0]: groundtruth_is_crowd = None if groundtruth_area is not None and not groundtruth_area.shape[0]: groundtruth_area = None groundtruth_instance_masks = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_instance_masks] groundtruth_instance_masks = convert_masks_to_binary( groundtruth_instance_masks) self._groundtruth_list.extend( coco_tools. ExportSingleImageGroundtruthToCoco( image_id=image_id, next_annotation_id=self._annotation_id, category_id_set=self._category_id_set, groundtruth_boxes=groundtruth_dict[standard_fields.InputDataFields. groundtruth_boxes], groundtruth_classes=groundtruth_dict[standard_fields. InputDataFields. groundtruth_classes], groundtruth_masks=groundtruth_instance_masks, groundtruth_is_crowd=groundtruth_is_crowd, groundtruth_area=groundtruth_area)) self._annotation_id += groundtruth_dict[standard_fields.InputDataFields. groundtruth_boxes].shape[0] self._image_id_to_mask_shape_map[image_id] = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_instance_masks].shape def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. If a detection has already been added for this image id, a warning is logged, and the detection is skipped. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. DetectionResultFields.detection_masks: optional uint8 numpy array of shape [num_boxes, image_height, image_width] containing instance masks corresponding to the boxes. The elements of the array must be in {0, 1}. Raises: ValueError: If groundtruth for the image_id is not available or if spatial shapes of groundtruth_instance_masks and detection_masks are incompatible. """ if image_id not in self._image_id_to_mask_shape_map: raise ValueError('Missing groundtruth for image id: {}'.format(image_id)) if image_id in self._image_ids_with_detections: tf.logging.warning('Ignoring detection with image id %s since it was ' 'previously added', image_id) return groundtruth_masks_shape = self._image_id_to_mask_shape_map[image_id] detection_masks = detections_dict[standard_fields.DetectionResultFields. detection_masks] if groundtruth_masks_shape[1:] != detection_masks.shape[1:]: raise ValueError('Spatial shape of groundtruth masks and detection masks ' 'are incompatible: {} vs {}'.format( groundtruth_masks_shape, detection_masks.shape)) detection_masks = convert_masks_to_binary(detection_masks) self._detection_masks_list.extend( coco_tools.ExportSingleImageDetectionMasksToCoco( image_id=image_id, category_id_set=self._category_id_set, detection_masks=detection_masks, detection_scores=detections_dict[standard_fields. DetectionResultFields. detection_scores], detection_classes=detections_dict[standard_fields. DetectionResultFields. detection_classes])) self._image_ids_with_detections.update([image_id]) def dump_detections_to_json_file(self, json_output_path): """Saves the detections into json_output_path in the format used by MS COCO. Args: json_output_path: String containing the output file's path. It can be also None. In that case nothing will be written to the output file. """ if json_output_path and json_output_path is not None: tf.logging.info('Dumping detections to output json file.') with tf.gfile.GFile(json_output_path, 'w') as fid: json_utils.Dump( obj=self._detection_masks_list, fid=fid, float_digits=4, indent=2) def evaluate(self): """Evaluates the detection masks and returns a dictionary of coco metrics. Returns: A dictionary holding - 1. summary_metrics: 'DetectionMasks_Precision/mAP': mean average precision over classes averaged over IOU thresholds ranging from .5 to .95 with .05 increments. 'DetectionMasks_Precision/[email protected]': mean average precision at 50% IOU. 'DetectionMasks_Precision/[email protected]': mean average precision at 75% IOU. 'DetectionMasks_Precision/mAP (small)': mean average precision for small objects (area < 32^2 pixels). 'DetectionMasks_Precision/mAP (medium)': mean average precision for medium sized objects (32^2 pixels < area < 96^2 pixels). 'DetectionMasks_Precision/mAP (large)': mean average precision for large objects (96^2 pixels < area < 10000^2 pixels). 'DetectionMasks_Recall/AR@1': average recall with 1 detection. 'DetectionMasks_Recall/AR@10': average recall with 10 detections. 'DetectionMasks_Recall/AR@100': average recall with 100 detections. 'DetectionMasks_Recall/AR@100 (small)': average recall for small objects with 100 detections. 'DetectionMasks_Recall/AR@100 (medium)': average recall for medium objects with 100 detections. 'DetectionMasks_Recall/AR@100 (large)': average recall for large objects with 100 detections. 2. per_category_ap: if include_metrics_per_category is True, category specific results with keys of the form: 'Precision mAP ByCategory/category' (without the supercategory part if no supercategories exist). For backward compatibility 'PerformanceByCategory' is included in the output regardless of all_metrics_per_category. If super_categories are provided, then this will additionally include metrics aggregated along the super_categories with keys of the form: `PerformanceBySuperCategory/<super-category-name>` """ groundtruth_dict = { 'annotations': self._groundtruth_list, 'images': [{'id': image_id, 'height': shape[1], 'width': shape[2]} for image_id, shape in self._image_id_to_mask_shape_map. items()], 'categories': self._categories } coco_wrapped_groundtruth = coco_tools.COCOWrapper( groundtruth_dict, detection_type='segmentation') coco_wrapped_detection_masks = coco_wrapped_groundtruth.LoadAnnotations( self._detection_masks_list) mask_evaluator = coco_tools.COCOEvalWrapper( coco_wrapped_groundtruth, coco_wrapped_detection_masks, agnostic_mode=False, iou_type='segm') mask_metrics, mask_per_category_ap = mask_evaluator.ComputeMetrics( include_metrics_per_category=self._include_metrics_per_category, super_categories=self._super_categories, all_metrics_per_category=self._all_metrics_per_category) mask_metrics.update(mask_per_category_ap) mask_metrics = {'DetectionMasks_'+ key: value for key, value in mask_metrics.items()} return mask_metrics def add_eval_dict(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ def update_op(image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_is_crowd_batched, num_gt_boxes_per_image, detection_scores_batched, detection_classes_batched, detection_masks_batched, num_det_boxes_per_image, original_image_spatial_shape): """Update op for metrics.""" for (image_id, groundtruth_boxes, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_box, detection_scores, detection_classes, detection_masks, num_det_box, original_image_shape) in zip( image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_is_crowd_batched, num_gt_boxes_per_image, detection_scores_batched, detection_classes_batched, detection_masks_batched, num_det_boxes_per_image, original_image_spatial_shape): self.add_single_ground_truth_image_info( image_id, { 'groundtruth_boxes': groundtruth_boxes[:num_gt_box], 'groundtruth_classes': groundtruth_classes[:num_gt_box], 'groundtruth_instance_masks': groundtruth_instance_masks[ :num_gt_box, :original_image_shape[0], :original_image_shape[1]], 'groundtruth_is_crowd': groundtruth_is_crowd[:num_gt_box] }) self.add_single_detected_image_info( image_id, { 'detection_scores': detection_scores[:num_det_box], 'detection_classes': detection_classes[:num_det_box], 'detection_masks': detection_masks[ :num_det_box, :original_image_shape[0], :original_image_shape[1]] }) # Unpack items from the evaluation dictionary. input_data_fields = standard_fields.InputDataFields detection_fields = standard_fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] original_image_spatial_shape = eval_dict[ input_data_fields.original_image_spatial_shape] groundtruth_boxes = eval_dict[input_data_fields.groundtruth_boxes] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] groundtruth_instance_masks = eval_dict[ input_data_fields.groundtruth_instance_masks] groundtruth_is_crowd = eval_dict.get( input_data_fields.groundtruth_is_crowd, None) num_gt_boxes_per_image = eval_dict.get( input_data_fields.num_groundtruth_boxes, None) detection_scores = eval_dict[detection_fields.detection_scores] detection_classes = eval_dict[detection_fields.detection_classes] detection_masks = eval_dict[detection_fields.detection_masks] num_det_boxes_per_image = eval_dict.get(detection_fields.num_detections, None) if groundtruth_is_crowd is None: groundtruth_is_crowd = tf.zeros_like(groundtruth_classes, dtype=tf.bool) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_boxes = tf.expand_dims(groundtruth_boxes, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) groundtruth_instance_masks = tf.expand_dims(groundtruth_instance_masks, 0) groundtruth_is_crowd = tf.expand_dims(groundtruth_is_crowd, 0) detection_scores = tf.expand_dims(detection_scores, 0) detection_classes = tf.expand_dims(detection_classes, 0) detection_masks = tf.expand_dims(detection_masks, 0) if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.shape(groundtruth_boxes)[1:2] else: num_gt_boxes_per_image = tf.expand_dims(num_gt_boxes_per_image, 0) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.shape(detection_scores)[1:2] else: num_det_boxes_per_image = tf.expand_dims(num_det_boxes_per_image, 0) else: if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.tile( tf.shape(groundtruth_boxes)[1:2], multiples=tf.shape(groundtruth_boxes)[0:1]) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.tile( tf.shape(detection_scores)[1:2], multiples=tf.shape(detection_scores)[0:1]) return tf.py_func(update_op, [ image_id, groundtruth_boxes, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_boxes_per_image, detection_scores, detection_classes, detection_masks, num_det_boxes_per_image, original_image_spatial_shape ], []) def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_groundtruth_boxes_per_image' and 'num_det_boxes_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ update_op = self.add_eval_dict(eval_dict) metric_names = ['DetectionMasks_Precision/mAP', 'DetectionMasks_Precision/[email protected]', 'DetectionMasks_Precision/[email protected]', 'DetectionMasks_Precision/mAP (small)', 'DetectionMasks_Precision/mAP (medium)', 'DetectionMasks_Precision/mAP (large)', 'DetectionMasks_Recall/AR@1', 'DetectionMasks_Recall/AR@10', 'DetectionMasks_Recall/AR@100', 'DetectionMasks_Recall/AR@100 (small)', 'DetectionMasks_Recall/AR@100 (medium)', 'DetectionMasks_Recall/AR@100 (large)'] if self._include_metrics_per_category: for category_dict in self._categories: metric_names.append('DetectionMasks_PerformanceByCategory/mAP/' + category_dict['name']) def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops class CocoPanopticSegmentationEvaluator( object_detection_evaluation.DetectionEvaluator): """Class to evaluate PQ (panoptic quality) metric on COCO dataset. More details about this metric: https://arxiv.org/pdf/1801.00868.pdf. """ def __init__(self, categories, include_metrics_per_category=False, iou_threshold=0.5, ioa_threshold=0.5): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. include_metrics_per_category: If True, include metrics for each category. iou_threshold: intersection-over-union threshold for mask matching (with normal groundtruths). ioa_threshold: intersection-over-area threshold for mask matching with "is_crowd" groundtruths. """ super(CocoPanopticSegmentationEvaluator, self).__init__(categories) self._groundtruth_masks = {} self._groundtruth_class_labels = {} self._groundtruth_is_crowd = {} self._predicted_masks = {} self._predicted_class_labels = {} self._include_metrics_per_category = include_metrics_per_category self._iou_threshold = iou_threshold self._ioa_threshold = ioa_threshold def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._groundtruth_masks.clear() self._groundtruth_class_labels.clear() self._groundtruth_is_crowd.clear() self._predicted_masks.clear() self._predicted_class_labels.clear() def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. If the image has already been added, a warning is logged, and groundtruth is ignored. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - InputDataFields.groundtruth_classes: integer numpy array of shape [num_masks] containing 1-indexed groundtruth classes for the mask. InputDataFields.groundtruth_instance_masks: uint8 numpy array of shape [num_masks, image_height, image_width] containing groundtruth masks. The elements of the array must be in {0, 1}. InputDataFields.groundtruth_is_crowd (optional): integer numpy array of shape [num_boxes] containing iscrowd flag for groundtruth boxes. """ if image_id in self._groundtruth_masks: tf.logging.warning( 'Ignoring groundtruth with image %s, since it has already been ' 'added to the ground truth database.', image_id) return self._groundtruth_masks[image_id] = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_instance_masks] self._groundtruth_class_labels[image_id] = groundtruth_dict[ standard_fields.InputDataFields.groundtruth_classes] groundtruth_is_crowd = groundtruth_dict.get( standard_fields.InputDataFields.groundtruth_is_crowd) # Drop groundtruth_is_crowd if empty tensor. if groundtruth_is_crowd is not None and not groundtruth_is_crowd.size > 0: groundtruth_is_crowd = None if groundtruth_is_crowd is not None: self._groundtruth_is_crowd[image_id] = groundtruth_is_crowd def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. If a detection has already been added for this image id, a warning is logged, and the detection is skipped. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - DetectionResultFields.detection_classes: integer numpy array of shape [num_masks] containing 1-indexed detection classes for the masks. DetectionResultFields.detection_masks: optional uint8 numpy array of shape [num_masks, image_height, image_width] containing instance masks. The elements of the array must be in {0, 1}. Raises: ValueError: If results and groundtruth shape don't match. """ if image_id not in self._groundtruth_masks: raise ValueError('Missing groundtruth for image id: {}'.format(image_id)) detection_masks = detections_dict[ standard_fields.DetectionResultFields.detection_masks] self._predicted_masks[image_id] = detection_masks self._predicted_class_labels[image_id] = detections_dict[ standard_fields.DetectionResultFields.detection_classes] groundtruth_mask_shape = self._groundtruth_masks[image_id].shape if groundtruth_mask_shape[1:] != detection_masks.shape[1:]: raise ValueError("The shape of results doesn't match groundtruth.") def evaluate(self): """Evaluates the detection masks and returns a dictionary of coco metrics. Returns: A dictionary holding - 1. summary_metric: 'PanopticQuality@%.2fIOU': mean panoptic quality averaged over classes at the required IOU. 'SegmentationQuality@%.2fIOU': mean segmentation quality averaged over classes at the required IOU. 'RecognitionQuality@%.2fIOU': mean recognition quality averaged over classes at the required IOU. 'NumValidClasses': number of valid classes. A valid class should have at least one normal (is_crowd=0) groundtruth mask or one predicted mask. 'NumTotalClasses': number of total classes. 2. per_category_pq: if include_metrics_per_category is True, category specific results with keys of the form: 'PanopticQuality@%.2fIOU_ByCategory/category'. """ # Evaluate and accumulate the iou/tp/fp/fn. sum_tp_iou, sum_num_tp, sum_num_fp, sum_num_fn = self._evaluate_all_masks() # Compute PQ metric for each category and average over all classes. mask_metrics = self._compute_panoptic_metrics(sum_tp_iou, sum_num_tp, sum_num_fp, sum_num_fn) return mask_metrics def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_gt_masks_per_image' and 'num_det_masks_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ def update_op(image_id_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_is_crowd_batched, num_gt_masks_per_image, detection_classes_batched, detection_masks_batched, num_det_masks_per_image): """Update op for metrics.""" for (image_id, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_mask, detection_classes, detection_masks, num_det_mask) in zip( image_id_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_is_crowd_batched, num_gt_masks_per_image, detection_classes_batched, detection_masks_batched, num_det_masks_per_image): self.add_single_ground_truth_image_info( image_id, { 'groundtruth_classes': groundtruth_classes[:num_gt_mask], 'groundtruth_instance_masks': groundtruth_instance_masks[:num_gt_mask], 'groundtruth_is_crowd': groundtruth_is_crowd[:num_gt_mask] }) self.add_single_detected_image_info( image_id, { 'detection_classes': detection_classes[:num_det_mask], 'detection_masks': detection_masks[:num_det_mask] }) # Unpack items from the evaluation dictionary. (image_id, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_masks_per_image, detection_classes, detection_masks, num_det_masks_per_image ) = self._unpack_evaluation_dictionary_items(eval_dict) update_op = tf.py_func(update_op, [ image_id, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_masks_per_image, detection_classes, detection_masks, num_det_masks_per_image ], []) metric_names = [ 'PanopticQuality@%.2fIOU' % self._iou_threshold, 'SegmentationQuality@%.2fIOU' % self._iou_threshold, 'RecognitionQuality@%.2fIOU' % self._iou_threshold ] if self._include_metrics_per_category: for category_dict in self._categories: metric_names.append('PanopticQuality@%.2fIOU_ByCategory/%s' % (self._iou_threshold, category_dict['name'])) def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops def _evaluate_all_masks(self): """Evaluate all masks and compute sum iou/TP/FP/FN.""" sum_num_tp = {category['id']: 0 for category in self._categories} sum_num_fp = sum_num_tp.copy() sum_num_fn = sum_num_tp.copy() sum_tp_iou = sum_num_tp.copy() for image_id in self._groundtruth_class_labels: # Separate normal and is_crowd groundtruth crowd_gt_indices = self._groundtruth_is_crowd.get(image_id) (normal_gt_masks, normal_gt_classes, crowd_gt_masks, crowd_gt_classes) = self._separate_normal_and_crowd_labels( crowd_gt_indices, self._groundtruth_masks[image_id], self._groundtruth_class_labels[image_id]) # Mask matching to normal GT. predicted_masks = self._predicted_masks[image_id] predicted_class_labels = self._predicted_class_labels[image_id] (overlaps, pred_matched, gt_matched) = self._match_predictions_to_groundtruths( predicted_masks, predicted_class_labels, normal_gt_masks, normal_gt_classes, self._iou_threshold, is_crowd=False, with_replacement=False) # Accumulate true positives. for (class_id, is_matched, overlap) in zip(predicted_class_labels, pred_matched, overlaps): if is_matched: sum_num_tp[class_id] += 1 sum_tp_iou[class_id] += overlap # Accumulate false negatives. for (class_id, is_matched) in zip(normal_gt_classes, gt_matched): if not is_matched: sum_num_fn[class_id] += 1 # Match remaining predictions to crowd gt. remained_pred_indices = np.logical_not(pred_matched) remained_pred_masks = predicted_masks[remained_pred_indices, :, :] remained_pred_classes = predicted_class_labels[remained_pred_indices] _, pred_matched, _ = self._match_predictions_to_groundtruths( remained_pred_masks, remained_pred_classes, crowd_gt_masks, crowd_gt_classes, self._ioa_threshold, is_crowd=True, with_replacement=True) # Accumulate false positives for (class_id, is_matched) in zip(remained_pred_classes, pred_matched): if not is_matched: sum_num_fp[class_id] += 1 return sum_tp_iou, sum_num_tp, sum_num_fp, sum_num_fn def _compute_panoptic_metrics(self, sum_tp_iou, sum_num_tp, sum_num_fp, sum_num_fn): """Compute PQ metric for each category and average over all classes. Args: sum_tp_iou: dict, summed true positive intersection-over-union (IoU) for each class, keyed by class_id. sum_num_tp: the total number of true positives for each class, keyed by class_id. sum_num_fp: the total number of false positives for each class, keyed by class_id. sum_num_fn: the total number of false negatives for each class, keyed by class_id. Returns: mask_metrics: a dictionary containing averaged metrics over all classes, and per-category metrics if required. """ mask_metrics = {} sum_pq = 0 sum_sq = 0 sum_rq = 0 num_valid_classes = 0 for category in self._categories: class_id = category['id'] (panoptic_quality, segmentation_quality, recognition_quality) = self._compute_panoptic_metrics_single_class( sum_tp_iou[class_id], sum_num_tp[class_id], sum_num_fp[class_id], sum_num_fn[class_id]) if panoptic_quality is not None: sum_pq += panoptic_quality sum_sq += segmentation_quality sum_rq += recognition_quality num_valid_classes += 1 if self._include_metrics_per_category: mask_metrics['PanopticQuality@%.2fIOU_ByCategory/%s' % (self._iou_threshold, category['name'])] = panoptic_quality mask_metrics['PanopticQuality@%.2fIOU' % self._iou_threshold] = sum_pq / num_valid_classes mask_metrics['SegmentationQuality@%.2fIOU' % self._iou_threshold] = sum_sq / num_valid_classes mask_metrics['RecognitionQuality@%.2fIOU' % self._iou_threshold] = sum_rq / num_valid_classes mask_metrics['NumValidClasses'] = num_valid_classes mask_metrics['NumTotalClasses'] = len(self._categories) return mask_metrics def _compute_panoptic_metrics_single_class(self, sum_tp_iou, num_tp, num_fp, num_fn): """Compute panoptic metrics: panoptic/segmentation/recognition quality. More computation details in https://arxiv.org/pdf/1801.00868.pdf. Args: sum_tp_iou: summed true positive intersection-over-union (IoU) for a specific class. num_tp: the total number of true positives for a specific class. num_fp: the total number of false positives for a specific class. num_fn: the total number of false negatives for a specific class. Returns: panoptic_quality: sum_tp_iou / (num_tp + 0.5*num_fp + 0.5*num_fn). segmentation_quality: sum_tp_iou / num_tp. recognition_quality: num_tp / (num_tp + 0.5*num_fp + 0.5*num_fn). """ denominator = num_tp + 0.5 * num_fp + 0.5 * num_fn # Calculate metric only if there is at least one GT or one prediction. if denominator > 0: recognition_quality = num_tp / denominator if num_tp > 0: segmentation_quality = sum_tp_iou / num_tp else: # If there is no TP for this category. segmentation_quality = 0 panoptic_quality = segmentation_quality * recognition_quality return panoptic_quality, segmentation_quality, recognition_quality else: return None, None, None def _separate_normal_and_crowd_labels(self, crowd_gt_indices, groundtruth_masks, groundtruth_classes): """Separate normal and crowd groundtruth class_labels and masks. Args: crowd_gt_indices: None or array of shape [num_groundtruths]. If None, all groundtruths are treated as normal ones. groundtruth_masks: array of shape [num_groundtruths, height, width]. groundtruth_classes: array of shape [num_groundtruths]. Returns: normal_gt_masks: array of shape [num_normal_groundtruths, height, width]. normal_gt_classes: array of shape [num_normal_groundtruths]. crowd_gt_masks: array of shape [num_crowd_groundtruths, height, width]. crowd_gt_classes: array of shape [num_crowd_groundtruths]. Raises: ValueError: if the shape of groundtruth classes doesn't match groundtruth masks or if the shape of crowd_gt_indices. """ if groundtruth_masks.shape[0] != groundtruth_classes.shape[0]: raise ValueError( "The number of masks doesn't match the number of labels.") if crowd_gt_indices is None: # All gts are treated as normal crowd_gt_indices = np.zeros(groundtruth_masks.shape, dtype=np.bool) else: if groundtruth_masks.shape[0] != crowd_gt_indices.shape[0]: raise ValueError( "The number of masks doesn't match the number of is_crowd labels.") crowd_gt_indices = crowd_gt_indices.astype(np.bool) normal_gt_indices = np.logical_not(crowd_gt_indices) if normal_gt_indices.size: normal_gt_masks = groundtruth_masks[normal_gt_indices, :, :] normal_gt_classes = groundtruth_classes[normal_gt_indices] crowd_gt_masks = groundtruth_masks[crowd_gt_indices, :, :] crowd_gt_classes = groundtruth_classes[crowd_gt_indices] else: # No groundtruths available, groundtruth_masks.shape = (0, h, w) normal_gt_masks = groundtruth_masks normal_gt_classes = groundtruth_classes crowd_gt_masks = groundtruth_masks crowd_gt_classes = groundtruth_classes return normal_gt_masks, normal_gt_classes, crowd_gt_masks, crowd_gt_classes def _match_predictions_to_groundtruths(self, predicted_masks, predicted_classes, groundtruth_masks, groundtruth_classes, matching_threshold, is_crowd=False, with_replacement=False): """Match the predicted masks to groundtruths. Args: predicted_masks: array of shape [num_predictions, height, width]. predicted_classes: array of shape [num_predictions]. groundtruth_masks: array of shape [num_groundtruths, height, width]. groundtruth_classes: array of shape [num_groundtruths]. matching_threshold: if the overlap between a prediction and a groundtruth is larger than this threshold, the prediction is true positive. is_crowd: whether the groundtruths are crowd annotation or not. If True, use intersection over area (IoA) as the overlapping metric; otherwise use intersection over union (IoU). with_replacement: whether a groundtruth can be matched to multiple predictions. By default, for normal groundtruths, only 1-1 matching is allowed for normal groundtruths; for crowd groundtruths, 1-to-many must be allowed. Returns: best_overlaps: array of shape [num_predictions]. Values representing the IoU or IoA with best matched groundtruth. pred_matched: array of shape [num_predictions]. Boolean value representing whether the ith prediction is matched to a groundtruth. gt_matched: array of shape [num_groundtruth]. Boolean value representing whether the ith groundtruth is matched to a prediction. Raises: ValueError: if the shape of groundtruth/predicted masks doesn't match groundtruth/predicted classes. """ if groundtruth_masks.shape[0] != groundtruth_classes.shape[0]: raise ValueError( "The number of GT masks doesn't match the number of labels.") if predicted_masks.shape[0] != predicted_classes.shape[0]: raise ValueError( "The number of predicted masks doesn't match the number of labels.") gt_matched = np.zeros(groundtruth_classes.shape, dtype=np.bool) pred_matched = np.zeros(predicted_classes.shape, dtype=np.bool) best_overlaps = np.zeros(predicted_classes.shape) for pid in range(predicted_classes.shape[0]): best_overlap = 0 matched_gt_id = -1 for gid in range(groundtruth_classes.shape[0]): if predicted_classes[pid] == groundtruth_classes[gid]: if (not with_replacement) and gt_matched[gid]: continue if not is_crowd: overlap = np_mask_ops.iou(predicted_masks[pid:pid + 1], groundtruth_masks[gid:gid + 1])[0, 0] else: overlap = np_mask_ops.ioa(groundtruth_masks[gid:gid + 1], predicted_masks[pid:pid + 1])[0, 0] if overlap >= matching_threshold and overlap > best_overlap: matched_gt_id = gid best_overlap = overlap if matched_gt_id >= 0: gt_matched[matched_gt_id] = True pred_matched[pid] = True best_overlaps[pid] = best_overlap return best_overlaps, pred_matched, gt_matched def _unpack_evaluation_dictionary_items(self, eval_dict): """Unpack items from the evaluation dictionary.""" input_data_fields = standard_fields.InputDataFields detection_fields = standard_fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] groundtruth_instance_masks = eval_dict[ input_data_fields.groundtruth_instance_masks] groundtruth_is_crowd = eval_dict.get(input_data_fields.groundtruth_is_crowd, None) num_gt_masks_per_image = eval_dict.get( input_data_fields.num_groundtruth_boxes, None) detection_classes = eval_dict[detection_fields.detection_classes] detection_masks = eval_dict[detection_fields.detection_masks] num_det_masks_per_image = eval_dict.get(detection_fields.num_detections, None) if groundtruth_is_crowd is None: groundtruth_is_crowd = tf.zeros_like(groundtruth_classes, dtype=tf.bool) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) groundtruth_instance_masks = tf.expand_dims(groundtruth_instance_masks, 0) groundtruth_is_crowd = tf.expand_dims(groundtruth_is_crowd, 0) detection_classes = tf.expand_dims(detection_classes, 0) detection_masks = tf.expand_dims(detection_masks, 0) if num_gt_masks_per_image is None: num_gt_masks_per_image = tf.shape(groundtruth_classes)[1:2] else: num_gt_masks_per_image = tf.expand_dims(num_gt_masks_per_image, 0) if num_det_masks_per_image is None: num_det_masks_per_image = tf.shape(detection_classes)[1:2] else: num_det_masks_per_image = tf.expand_dims(num_det_masks_per_image, 0) else: if num_gt_masks_per_image is None: num_gt_masks_per_image = tf.tile( tf.shape(groundtruth_classes)[1:2], multiples=tf.shape(groundtruth_classes)[0:1]) if num_det_masks_per_image is None: num_det_masks_per_image = tf.tile( tf.shape(detection_classes)[1:2], multiples=tf.shape(detection_classes)[0:1]) return (image_id, groundtruth_classes, groundtruth_instance_masks, groundtruth_is_crowd, num_gt_masks_per_image, detection_classes, detection_masks, num_det_masks_per_image)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/coco_evaluation.py
coco_evaluation.py
"""Class for evaluating object detections with LVIS metrics.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import json import re from lvis import results as lvis_results import numpy as np from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.core import standard_fields as fields from object_detection.metrics import lvis_tools from object_detection.utils import object_detection_evaluation def convert_masks_to_binary(masks): """Converts masks to 0 or 1 and uint8 type.""" return (masks > 0).astype(np.uint8) class LVISMaskEvaluator(object_detection_evaluation.DetectionEvaluator): """Class to evaluate LVIS mask metrics.""" def __init__(self, categories, include_metrics_per_category=False, export_path=None): """Constructor. Args: categories: A list of dicts, each of which has the following keys - 'id': (required) an integer id uniquely identifying this category. 'name': (required) string representing category name e.g., 'cat', 'dog'. include_metrics_per_category: Additionally include per-category metrics (this option is currently unsupported). export_path: Path to export detections to LVIS compatible JSON format. """ super(LVISMaskEvaluator, self).__init__(categories) self._image_ids_with_detections = set([]) self._groundtruth_list = [] self._detection_masks_list = [] self._category_id_set = set([cat['id'] for cat in self._categories]) self._annotation_id = 1 self._image_id_to_mask_shape_map = {} self._image_id_to_verified_neg_classes = {} self._image_id_to_not_exhaustive_classes = {} if include_metrics_per_category: raise ValueError('include_metrics_per_category not yet supported ' 'for LVISMaskEvaluator.') self._export_path = export_path def clear(self): """Clears the state to prepare for a fresh evaluation.""" self._image_id_to_mask_shape_map.clear() self._image_ids_with_detections.clear() self._image_id_to_verified_neg_classes.clear() self._image_id_to_not_exhaustive_classes.clear() self._groundtruth_list = [] self._detection_masks_list = [] def add_single_ground_truth_image_info(self, image_id, groundtruth_dict): """Adds groundtruth for a single image to be used for evaluation. If the image has already been added, a warning is logged, and groundtruth is ignored. Args: image_id: A unique string/integer identifier for the image. groundtruth_dict: A dictionary containing - InputDataFields.groundtruth_boxes: float32 numpy array of shape [num_boxes, 4] containing `num_boxes` groundtruth boxes of the format [ymin, xmin, ymax, xmax] in absolute image coordinates. InputDataFields.groundtruth_classes: integer numpy array of shape [num_boxes] containing 1-indexed groundtruth classes for the boxes. InputDataFields.groundtruth_instance_masks: uint8 numpy array of shape [num_masks, image_height, image_width] containing groundtruth masks. The elements of the array must be in {0, 1}. InputDataFields.groundtruth_verified_neg_classes: [num_classes + 1] float indicator vector with values in {0, 1}. The length is num_classes + 1 so as to be compatible with the 1-indexed groundtruth classes. InputDataFields.groundtruth_not_exhaustive_classes: [num_classes + 1] float indicator vector with values in {0, 1}. The length is num_classes + 1 so as to be compatible with the 1-indexed groundtruth classes. InputDataFields.groundtruth_area (optional): float numpy array of shape [num_boxes] containing the area (in the original absolute coordinates) of the annotated object. Raises: ValueError: if groundtruth_dict is missing a required field """ if image_id in self._image_id_to_mask_shape_map: tf.logging.warning('Ignoring ground truth with image id %s since it was ' 'previously added', image_id) return for key in [fields.InputDataFields.groundtruth_boxes, fields.InputDataFields.groundtruth_classes, fields.InputDataFields.groundtruth_instance_masks, fields.InputDataFields.groundtruth_verified_neg_classes, fields.InputDataFields.groundtruth_not_exhaustive_classes]: if key not in groundtruth_dict.keys(): raise ValueError('groundtruth_dict missing entry: {}'.format(key)) groundtruth_instance_masks = groundtruth_dict[ fields.InputDataFields.groundtruth_instance_masks] groundtruth_instance_masks = convert_masks_to_binary( groundtruth_instance_masks) verified_neg_classes_shape = groundtruth_dict[ fields.InputDataFields.groundtruth_verified_neg_classes].shape not_exhaustive_classes_shape = groundtruth_dict[ fields.InputDataFields.groundtruth_not_exhaustive_classes].shape if verified_neg_classes_shape != (len(self._category_id_set) + 1,): raise ValueError('Invalid shape for verified_neg_classes_shape.') if not_exhaustive_classes_shape != (len(self._category_id_set) + 1,): raise ValueError('Invalid shape for not_exhaustive_classes_shape.') self._image_id_to_verified_neg_classes[image_id] = np.flatnonzero( groundtruth_dict[ fields.InputDataFields.groundtruth_verified_neg_classes] == 1).tolist() self._image_id_to_not_exhaustive_classes[image_id] = np.flatnonzero( groundtruth_dict[ fields.InputDataFields.groundtruth_not_exhaustive_classes] == 1).tolist() # Drop optional fields if empty tensor. groundtruth_area = groundtruth_dict.get( fields.InputDataFields.groundtruth_area) if groundtruth_area is not None and not groundtruth_area.shape[0]: groundtruth_area = None self._groundtruth_list.extend( lvis_tools.ExportSingleImageGroundtruthToLVIS( image_id=image_id, next_annotation_id=self._annotation_id, category_id_set=self._category_id_set, groundtruth_boxes=groundtruth_dict[ fields.InputDataFields.groundtruth_boxes], groundtruth_classes=groundtruth_dict[ fields.InputDataFields.groundtruth_classes], groundtruth_masks=groundtruth_instance_masks, groundtruth_area=groundtruth_area) ) self._annotation_id += groundtruth_dict[fields.InputDataFields. groundtruth_boxes].shape[0] self._image_id_to_mask_shape_map[image_id] = groundtruth_dict[ fields.InputDataFields.groundtruth_instance_masks].shape def add_single_detected_image_info(self, image_id, detections_dict): """Adds detections for a single image to be used for evaluation. If a detection has already been added for this image id, a warning is logged, and the detection is skipped. Args: image_id: A unique string/integer identifier for the image. detections_dict: A dictionary containing - DetectionResultFields.detection_scores: float32 numpy array of shape [num_boxes] containing detection scores for the boxes. DetectionResultFields.detection_classes: integer numpy array of shape [num_boxes] containing 1-indexed detection classes for the boxes. DetectionResultFields.detection_masks: optional uint8 numpy array of shape [num_boxes, image_height, image_width] containing instance masks corresponding to the boxes. The elements of the array must be in {0, 1}. Raises: ValueError: If groundtruth for the image_id is not available. """ if image_id not in self._image_id_to_mask_shape_map: raise ValueError('Missing groundtruth for image id: {}'.format(image_id)) if image_id in self._image_ids_with_detections: tf.logging.warning('Ignoring detection with image id %s since it was ' 'previously added', image_id) return groundtruth_masks_shape = self._image_id_to_mask_shape_map[image_id] detection_masks = detections_dict[fields.DetectionResultFields. detection_masks] if groundtruth_masks_shape[1:] != detection_masks.shape[1:]: raise ValueError('Spatial shape of groundtruth masks and detection masks ' 'are incompatible: {} vs {}'.format( groundtruth_masks_shape, detection_masks.shape)) detection_masks = convert_masks_to_binary(detection_masks) self._detection_masks_list.extend( lvis_tools.ExportSingleImageDetectionMasksToLVIS( image_id=image_id, category_id_set=self._category_id_set, detection_masks=detection_masks, detection_scores=detections_dict[ fields.DetectionResultFields.detection_scores], detection_classes=detections_dict[ fields.DetectionResultFields.detection_classes])) self._image_ids_with_detections.update([image_id]) def evaluate(self): """Evaluates the detection boxes and returns a dictionary of coco metrics. Returns: A dictionary holding """ if self._export_path: tf.logging.info('Dumping detections to json.') self.dump_detections_to_json_file(self._export_path) tf.logging.info('Performing evaluation on %d images.', len(self._image_id_to_mask_shape_map.keys())) # pylint: disable=g-complex-comprehension groundtruth_dict = { 'annotations': self._groundtruth_list, 'images': [ { 'id': int(image_id), 'height': shape[1], 'width': shape[2], 'neg_category_ids': self._image_id_to_verified_neg_classes[image_id], 'not_exhaustive_category_ids': self._image_id_to_not_exhaustive_classes[image_id] } for image_id, shape in self._image_id_to_mask_shape_map.items()], 'categories': self._categories } # pylint: enable=g-complex-comprehension lvis_wrapped_groundtruth = lvis_tools.LVISWrapper(groundtruth_dict) detections = lvis_results.LVISResults(lvis_wrapped_groundtruth, self._detection_masks_list) mask_evaluator = lvis_tools.LVISEvalWrapper( lvis_wrapped_groundtruth, detections, iou_type='segm') mask_metrics = mask_evaluator.ComputeMetrics() mask_metrics = {'DetectionMasks_'+ key: value for key, value in iter(mask_metrics.items())} return mask_metrics def add_eval_dict(self, eval_dict): """Observes an evaluation result dict for a single example. When executing eagerly, once all observations have been observed by this method you can use `.evaluate()` to get the final metrics. When using `tf.estimator.Estimator` for evaluation this function is used by `get_estimator_eval_metric_ops()` to construct the metric update op. Args: eval_dict: A dictionary that holds tensors for evaluating an object detection model, returned from eval_util.result_dict_for_single_example(). Returns: None when executing eagerly, or an update_op that can be used to update the eval metrics in `tf.estimator.EstimatorSpec`. """ def update_op(image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_verified_neg_classes_batched, groundtruth_not_exhaustive_classes_batched, num_gt_boxes_per_image, detection_scores_batched, detection_classes_batched, detection_masks_batched, num_det_boxes_per_image, original_image_spatial_shape): """Update op for metrics.""" for (image_id, groundtruth_boxes, groundtruth_classes, groundtruth_instance_masks, groundtruth_verified_neg_classes, groundtruth_not_exhaustive_classes, num_gt_box, detection_scores, detection_classes, detection_masks, num_det_box, original_image_shape) in zip( image_id_batched, groundtruth_boxes_batched, groundtruth_classes_batched, groundtruth_instance_masks_batched, groundtruth_verified_neg_classes_batched, groundtruth_not_exhaustive_classes_batched, num_gt_boxes_per_image, detection_scores_batched, detection_classes_batched, detection_masks_batched, num_det_boxes_per_image, original_image_spatial_shape): self.add_single_ground_truth_image_info( image_id, { input_data_fields.groundtruth_boxes: groundtruth_boxes[:num_gt_box], input_data_fields.groundtruth_classes: groundtruth_classes[:num_gt_box], input_data_fields.groundtruth_instance_masks: groundtruth_instance_masks[ :num_gt_box, :original_image_shape[0], :original_image_shape[1]], input_data_fields.groundtruth_verified_neg_classes: groundtruth_verified_neg_classes, input_data_fields.groundtruth_not_exhaustive_classes: groundtruth_not_exhaustive_classes }) self.add_single_detected_image_info( image_id, { 'detection_scores': detection_scores[:num_det_box], 'detection_classes': detection_classes[:num_det_box], 'detection_masks': detection_masks[ :num_det_box, :original_image_shape[0], :original_image_shape[1]] }) # Unpack items from the evaluation dictionary. input_data_fields = fields.InputDataFields detection_fields = fields.DetectionResultFields image_id = eval_dict[input_data_fields.key] original_image_spatial_shape = eval_dict[ input_data_fields.original_image_spatial_shape] groundtruth_boxes = eval_dict[input_data_fields.groundtruth_boxes] groundtruth_classes = eval_dict[input_data_fields.groundtruth_classes] groundtruth_instance_masks = eval_dict[ input_data_fields.groundtruth_instance_masks] groundtruth_verified_neg_classes = eval_dict[ input_data_fields.groundtruth_verified_neg_classes] groundtruth_not_exhaustive_classes = eval_dict[ input_data_fields.groundtruth_not_exhaustive_classes] num_gt_boxes_per_image = eval_dict.get( input_data_fields.num_groundtruth_boxes, None) detection_scores = eval_dict[detection_fields.detection_scores] detection_classes = eval_dict[detection_fields.detection_classes] detection_masks = eval_dict[detection_fields.detection_masks] num_det_boxes_per_image = eval_dict.get(detection_fields.num_detections, None) if not image_id.shape.as_list(): # Apply a batch dimension to all tensors. image_id = tf.expand_dims(image_id, 0) groundtruth_boxes = tf.expand_dims(groundtruth_boxes, 0) groundtruth_classes = tf.expand_dims(groundtruth_classes, 0) groundtruth_instance_masks = tf.expand_dims(groundtruth_instance_masks, 0) groundtruth_verified_neg_classes = tf.expand_dims( groundtruth_verified_neg_classes, 0) groundtruth_not_exhaustive_classes = tf.expand_dims( groundtruth_not_exhaustive_classes, 0) detection_scores = tf.expand_dims(detection_scores, 0) detection_classes = tf.expand_dims(detection_classes, 0) detection_masks = tf.expand_dims(detection_masks, 0) if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.shape(groundtruth_boxes)[1:2] else: num_gt_boxes_per_image = tf.expand_dims(num_gt_boxes_per_image, 0) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.shape(detection_scores)[1:2] else: num_det_boxes_per_image = tf.expand_dims(num_det_boxes_per_image, 0) else: if num_gt_boxes_per_image is None: num_gt_boxes_per_image = tf.tile( tf.shape(groundtruth_boxes)[1:2], multiples=tf.shape(groundtruth_boxes)[0:1]) if num_det_boxes_per_image is None: num_det_boxes_per_image = tf.tile( tf.shape(detection_scores)[1:2], multiples=tf.shape(detection_scores)[0:1]) return tf.py_func(update_op, [ image_id, groundtruth_boxes, groundtruth_classes, groundtruth_instance_masks, groundtruth_verified_neg_classes, groundtruth_not_exhaustive_classes, num_gt_boxes_per_image, detection_scores, detection_classes, detection_masks, num_det_boxes_per_image, original_image_spatial_shape ], []) def get_estimator_eval_metric_ops(self, eval_dict): """Returns a dictionary of eval metric ops. Note that once value_op is called, the detections and groundtruth added via update_op are cleared. Args: eval_dict: A dictionary that holds tensors for evaluating object detection performance. For single-image evaluation, this dictionary may be produced from eval_util.result_dict_for_single_example(). If multi-image evaluation, `eval_dict` should contain the fields 'num_groundtruth_boxes_per_image' and 'num_det_boxes_per_image' to properly unpad the tensors from the batch. Returns: a dictionary of metric names to tuple of value_op and update_op that can be used as eval metric ops in tf.estimator.EstimatorSpec. Note that all update ops must be run together and similarly all value ops must be run together to guarantee correct behaviour. """ update_op = self.add_eval_dict(eval_dict) metric_names = ['DetectionMasks_Precision/mAP', 'DetectionMasks_Precision/[email protected]', 'DetectionMasks_Precision/[email protected]', 'DetectionMasks_Precision/mAP (small)', 'DetectionMasks_Precision/mAP (medium)', 'DetectionMasks_Precision/mAP (large)', 'DetectionMasks_Recall/AR@1', 'DetectionMasks_Recall/AR@10', 'DetectionMasks_Recall/AR@100', 'DetectionMasks_Recall/AR@100 (small)', 'DetectionMasks_Recall/AR@100 (medium)', 'DetectionMasks_Recall/AR@100 (large)'] if self._include_metrics_per_category: for category_dict in self._categories: metric_names.append('DetectionMasks_PerformanceByCategory/mAP/' + category_dict['name']) def first_value_func(): self._metrics = self.evaluate() self.clear() return np.float32(self._metrics[metric_names[0]]) def value_func_factory(metric_name): def value_func(): return np.float32(self._metrics[metric_name]) return value_func # Ensure that the metrics are only evaluated once. first_value_op = tf.py_func(first_value_func, [], tf.float32) eval_metric_ops = {metric_names[0]: (first_value_op, update_op)} with tf.control_dependencies([first_value_op]): for metric_name in metric_names[1:]: eval_metric_ops[metric_name] = (tf.py_func( value_func_factory(metric_name), [], np.float32), update_op) return eval_metric_ops def dump_detections_to_json_file(self, json_output_path): """Saves the detections into json_output_path in the format used by MS COCO. Args: json_output_path: String containing the output file's path. It can be also None. In that case nothing will be written to the output file. """ if json_output_path and json_output_path is not None: pattern = re.compile(r'\d+\.\d{8,}') def mround(match): return '{:.2f}'.format(float(match.group())) with tf.io.gfile.GFile(json_output_path, 'w') as fid: json_string = json.dumps(self._detection_masks_list) fid.write(re.sub(pattern, mround, json_string)) tf.logging.info('Dumping detections to output json file: %s', json_output_path)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/lvis_evaluation.py
lvis_evaluation.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function from collections import OrderedDict import copy import time import numpy as np from pycocotools import coco from pycocotools import cocoeval from pycocotools import mask import six from six.moves import range from six.moves import zip import tensorflow.compat.v1 as tf from object_detection.utils import json_utils class COCOWrapper(coco.COCO): """Wrapper for the pycocotools COCO class.""" def __init__(self, dataset, detection_type='bbox'): """COCOWrapper constructor. See http://mscoco.org/dataset/#format for a description of the format. By default, the coco.COCO class constructor reads from a JSON file. This function duplicates the same behavior but loads from a dictionary, allowing us to perform evaluation without writing to external storage. Args: dataset: a dictionary holding bounding box annotations in the COCO format. detection_type: type of detections being wrapped. Can be one of ['bbox', 'segmentation'] Raises: ValueError: if detection_type is unsupported. """ supported_detection_types = ['bbox', 'segmentation'] if detection_type not in supported_detection_types: raise ValueError('Unsupported detection type: {}. ' 'Supported values are: {}'.format( detection_type, supported_detection_types)) self._detection_type = detection_type coco.COCO.__init__(self) self.dataset = dataset self.createIndex() def LoadAnnotations(self, annotations): """Load annotations dictionary into COCO datastructure. See http://mscoco.org/dataset/#format for a description of the annotations format. As above, this function replicates the default behavior of the API but does not require writing to external storage. Args: annotations: python list holding object detection results where each detection is encoded as a dict with required keys ['image_id', 'category_id', 'score'] and one of ['bbox', 'segmentation'] based on `detection_type`. Returns: a coco.COCO datastructure holding object detection annotations results Raises: ValueError: if annotations is not a list ValueError: if annotations do not correspond to the images contained in self. """ results = coco.COCO() results.dataset['images'] = [img for img in self.dataset['images']] tf.logging.info('Loading and preparing annotation results...') tic = time.time() if not isinstance(annotations, list): raise ValueError('annotations is not a list of objects') annotation_img_ids = [ann['image_id'] for ann in annotations] if (set(annotation_img_ids) != (set(annotation_img_ids) & set(self.getImgIds()))): raise ValueError('Results do not correspond to current coco set') results.dataset['categories'] = copy.deepcopy(self.dataset['categories']) if self._detection_type == 'bbox': for idx, ann in enumerate(annotations): bb = ann['bbox'] ann['area'] = bb[2] * bb[3] ann['id'] = idx + 1 ann['iscrowd'] = 0 elif self._detection_type == 'segmentation': for idx, ann in enumerate(annotations): ann['area'] = mask.area(ann['segmentation']) ann['bbox'] = mask.toBbox(ann['segmentation']) ann['id'] = idx + 1 ann['iscrowd'] = 0 tf.logging.info('DONE (t=%0.2fs)', (time.time() - tic)) results.dataset['annotations'] = annotations results.createIndex() return results COCO_METRIC_NAMES_AND_INDEX = ( ('Precision/mAP', 0), ('Precision/[email protected]', 1), ('Precision/[email protected]', 2), ('Precision/mAP (small)', 3), ('Precision/mAP (medium)', 4), ('Precision/mAP (large)', 5), ('Recall/AR@1', 6), ('Recall/AR@10', 7), ('Recall/AR@100', 8), ('Recall/AR@100 (small)', 9), ('Recall/AR@100 (medium)', 10), ('Recall/AR@100 (large)', 11) ) COCO_KEYPOINT_METRIC_NAMES_AND_INDEX = ( ('Precision/mAP', 0), ('Precision/[email protected]', 1), ('Precision/[email protected]', 2), ('Precision/mAP (medium)', 3), ('Precision/mAP (large)', 4), ('Recall/AR@1', 5), ('Recall/AR@10', 6), ('Recall/AR@100', 7), ('Recall/AR@100 (medium)', 8), ('Recall/AR@100 (large)', 9) ) class COCOEvalWrapper(cocoeval.COCOeval): """Wrapper for the pycocotools COCOeval class. To evaluate, create two objects (groundtruth_dict and detections_list) using the conventions listed at http://mscoco.org/dataset/#format. Then call evaluation as follows: groundtruth = coco_tools.COCOWrapper(groundtruth_dict) detections = groundtruth.LoadAnnotations(detections_list) evaluator = coco_tools.COCOEvalWrapper(groundtruth, detections, agnostic_mode=False) metrics = evaluator.ComputeMetrics() """ def __init__(self, groundtruth=None, detections=None, agnostic_mode=False, iou_type='bbox', oks_sigmas=None): """COCOEvalWrapper constructor. Note that for the area-based metrics to be meaningful, detection and groundtruth boxes must be in image coordinates measured in pixels. Args: groundtruth: a coco.COCO (or coco_tools.COCOWrapper) object holding groundtruth annotations detections: a coco.COCO (or coco_tools.COCOWrapper) object holding detections agnostic_mode: boolean (default: False). If True, evaluation ignores class labels, treating all detections as proposals. iou_type: IOU type to use for evaluation. Supports `bbox', `segm`, `keypoints`. oks_sigmas: Float numpy array holding the OKS variances for keypoints. """ cocoeval.COCOeval.__init__(self, groundtruth, detections, iouType=iou_type) if oks_sigmas is not None: self.params.kpt_oks_sigmas = oks_sigmas if agnostic_mode: self.params.useCats = 0 self._iou_type = iou_type def GetCategory(self, category_id): """Fetches dictionary holding category information given category id. Args: category_id: integer id Returns: dictionary holding 'id', 'name'. """ return self.cocoGt.cats[category_id] def GetAgnosticMode(self): """Returns true if COCO Eval is configured to evaluate in agnostic mode.""" return self.params.useCats == 0 def GetCategoryIdList(self): """Returns list of valid category ids.""" return self.params.catIds def ComputeMetrics(self, include_metrics_per_category=False, all_metrics_per_category=False, super_categories=None): """Computes detection/keypoint metrics. Args: include_metrics_per_category: If True, will include metrics per category. all_metrics_per_category: If true, include all the summery metrics for each category in per_category_ap. Be careful with setting it to true if you have more than handful of categories, because it will pollute your mldash. super_categories: None or a python dict mapping super-category names (strings) to lists of categories (corresponding to category names in the label_map). Metrics are aggregated along these super-categories and added to the `per_category_ap` and are associated with the name `PerformanceBySuperCategory/<super-category-name>`. Returns: 1. summary_metrics: a dictionary holding: 'Precision/mAP': mean average precision over classes averaged over IOU thresholds ranging from .5 to .95 with .05 increments 'Precision/[email protected]': mean average precision at 50% IOU 'Precision/[email protected]': mean average precision at 75% IOU 'Precision/mAP (small)': mean average precision for small objects (area < 32^2 pixels). NOTE: not present for 'keypoints' 'Precision/mAP (medium)': mean average precision for medium sized objects (32^2 pixels < area < 96^2 pixels) 'Precision/mAP (large)': mean average precision for large objects (96^2 pixels < area < 10000^2 pixels) 'Recall/AR@1': average recall with 1 detection 'Recall/AR@10': average recall with 10 detections 'Recall/AR@100': average recall with 100 detections 'Recall/AR@100 (small)': average recall for small objects with 100 detections. NOTE: not present for 'keypoints' 'Recall/AR@100 (medium)': average recall for medium objects with 100 detections 'Recall/AR@100 (large)': average recall for large objects with 100 detections 2. per_category_ap: a dictionary holding category specific results with keys of the form: 'Precision mAP ByCategory/category' (without the supercategory part if no supercategories exist). For backward compatibility 'PerformanceByCategory' is included in the output regardless of all_metrics_per_category. If evaluating class-agnostic mode, per_category_ap is an empty dictionary. If super_categories are provided, then this will additionally include metrics aggregated along the super_categories with keys of the form: `PerformanceBySuperCategory/<super-category-name>` Raises: ValueError: If category_stats does not exist. """ self.evaluate() self.accumulate() self.summarize() summary_metrics = {} if self._iou_type in ['bbox', 'segm']: summary_metrics = OrderedDict( [(name, self.stats[index]) for name, index in COCO_METRIC_NAMES_AND_INDEX]) elif self._iou_type == 'keypoints': category_id = self.GetCategoryIdList()[0] category_name = self.GetCategory(category_id)['name'] summary_metrics = OrderedDict([]) for metric_name, index in COCO_KEYPOINT_METRIC_NAMES_AND_INDEX: value = self.stats[index] summary_metrics['{} ByCategory/{}'.format( metric_name, category_name)] = value if not include_metrics_per_category: return summary_metrics, {} if not hasattr(self, 'category_stats'): raise ValueError('Category stats do not exist') per_category_ap = OrderedDict([]) super_category_ap = OrderedDict([]) if self.GetAgnosticMode(): return summary_metrics, per_category_ap if super_categories: for key in super_categories: super_category_ap['PerformanceBySuperCategory/{}'.format(key)] = 0 if all_metrics_per_category: for metric_name, _ in COCO_METRIC_NAMES_AND_INDEX: metric_key = '{} BySuperCategory/{}'.format(metric_name, key) super_category_ap[metric_key] = 0 for category_index, category_id in enumerate(self.GetCategoryIdList()): category = self.GetCategory(category_id)['name'] # Kept for backward compatilbility per_category_ap['PerformanceByCategory/mAP/{}'.format( category)] = self.category_stats[0][category_index] if all_metrics_per_category: for metric_name, index in COCO_METRIC_NAMES_AND_INDEX: metric_key = '{} ByCategory/{}'.format(metric_name, category) per_category_ap[metric_key] = self.category_stats[index][ category_index] if super_categories: for key in super_categories: if category in super_categories[key]: metric_key = 'PerformanceBySuperCategory/{}'.format(key) super_category_ap[metric_key] += self.category_stats[0][ category_index] if all_metrics_per_category: for metric_name, index in COCO_METRIC_NAMES_AND_INDEX: metric_key = '{} BySuperCategory/{}'.format(metric_name, key) super_category_ap[metric_key] += ( self.category_stats[index][category_index]) if super_categories: for key in super_categories: length = len(super_categories[key]) super_category_ap['PerformanceBySuperCategory/{}'.format( key)] /= length if all_metrics_per_category: for metric_name, _ in COCO_METRIC_NAMES_AND_INDEX: super_category_ap['{} BySuperCategory/{}'.format( metric_name, key)] /= length per_category_ap.update(super_category_ap) return summary_metrics, per_category_ap def _ConvertBoxToCOCOFormat(box): """Converts a box in [ymin, xmin, ymax, xmax] format to COCO format. This is a utility function for converting from our internal [ymin, xmin, ymax, xmax] convention to the convention used by the COCO API i.e., [xmin, ymin, width, height]. Args: box: a [ymin, xmin, ymax, xmax] numpy array Returns: a list of floats representing [xmin, ymin, width, height] """ return [float(box[1]), float(box[0]), float(box[3] - box[1]), float(box[2] - box[0])] def _RleCompress(masks): """Compresses mask using Run-length encoding provided by pycocotools. Args: masks: uint8 numpy array of shape [mask_height, mask_width] with values in {0, 1}. Returns: A pycocotools Run-length encoding of the mask. """ rle = mask.encode(np.asfortranarray(masks)) rle['counts'] = six.ensure_str(rle['counts']) return rle def ExportSingleImageGroundtruthToCoco(image_id, next_annotation_id, category_id_set, groundtruth_boxes, groundtruth_classes, groundtruth_keypoints=None, groundtruth_keypoint_visibilities=None, groundtruth_masks=None, groundtruth_is_crowd=None, groundtruth_area=None): """Export groundtruth of a single image to COCO format. This function converts groundtruth detection annotations represented as numpy arrays to dictionaries that can be ingested by the COCO evaluation API. Note that the image_ids provided here must match the ones given to ExportSingleImageDetectionsToCoco. We assume that boxes and classes are in correspondence - that is: groundtruth_boxes[i, :], and groundtruth_classes[i] are associated with the same groundtruth annotation. In the exported result, "area" fields are always set to the area of the groundtruth bounding box. Args: image_id: a unique image identifier either of type integer or string. next_annotation_id: integer specifying the first id to use for the groundtruth annotations. All annotations are assigned a continuous integer id starting from this value. category_id_set: A set of valid class ids. Groundtruth with classes not in category_id_set are dropped. groundtruth_boxes: numpy array (float32) with shape [num_gt_boxes, 4] groundtruth_classes: numpy array (int) with shape [num_gt_boxes] groundtruth_keypoints: optional float numpy array of keypoints with shape [num_gt_boxes, num_keypoints, 2]. groundtruth_keypoint_visibilities: optional integer numpy array of keypoint visibilities with shape [num_gt_boxes, num_keypoints]. Integer is treated as an enum with 0=not labels, 1=labeled but not visible and 2=labeled and visible. groundtruth_masks: optional uint8 numpy array of shape [num_detections, image_height, image_width] containing detection_masks. groundtruth_is_crowd: optional numpy array (int) with shape [num_gt_boxes] indicating whether groundtruth boxes are crowd. groundtruth_area: numpy array (float32) with shape [num_gt_boxes]. If provided, then the area values (in the original absolute coordinates) will be populated instead of calculated from bounding box coordinates. Returns: a list of groundtruth annotations for a single image in the COCO format. Raises: ValueError: if (1) groundtruth_boxes and groundtruth_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers """ if len(groundtruth_classes.shape) != 1: raise ValueError('groundtruth_classes is ' 'expected to be of rank 1.') if len(groundtruth_boxes.shape) != 2: raise ValueError('groundtruth_boxes is expected to be of ' 'rank 2.') if groundtruth_boxes.shape[1] != 4: raise ValueError('groundtruth_boxes should have ' 'shape[1] == 4.') num_boxes = groundtruth_classes.shape[0] if num_boxes != groundtruth_boxes.shape[0]: raise ValueError('Corresponding entries in groundtruth_classes, ' 'and groundtruth_boxes should have ' 'compatible shapes (i.e., agree on the 0th dimension).' 'Classes shape: %d. Boxes shape: %d. Image ID: %s' % ( groundtruth_classes.shape[0], groundtruth_boxes.shape[0], image_id)) has_is_crowd = groundtruth_is_crowd is not None if has_is_crowd and len(groundtruth_is_crowd.shape) != 1: raise ValueError('groundtruth_is_crowd is expected to be of rank 1.') has_keypoints = groundtruth_keypoints is not None has_keypoint_visibilities = groundtruth_keypoint_visibilities is not None if has_keypoints and not has_keypoint_visibilities: groundtruth_keypoint_visibilities = np.full( (num_boxes, groundtruth_keypoints.shape[1]), 2) groundtruth_list = [] for i in range(num_boxes): if groundtruth_classes[i] in category_id_set: iscrowd = groundtruth_is_crowd[i] if has_is_crowd else 0 if groundtruth_area is not None and groundtruth_area[i] > 0: area = float(groundtruth_area[i]) else: area = float((groundtruth_boxes[i, 2] - groundtruth_boxes[i, 0]) * (groundtruth_boxes[i, 3] - groundtruth_boxes[i, 1])) export_dict = { 'id': next_annotation_id + i, 'image_id': image_id, 'category_id': int(groundtruth_classes[i]), 'bbox': list(_ConvertBoxToCOCOFormat(groundtruth_boxes[i, :])), 'area': area, 'iscrowd': iscrowd } if groundtruth_masks is not None: export_dict['segmentation'] = _RleCompress(groundtruth_masks[i]) if has_keypoints: keypoints = groundtruth_keypoints[i] visibilities = np.reshape(groundtruth_keypoint_visibilities[i], [-1]) coco_keypoints = [] num_valid_keypoints = 0 for keypoint, visibility in zip(keypoints, visibilities): # Convert from [y, x] to [x, y] as mandated by COCO. coco_keypoints.append(float(keypoint[1])) coco_keypoints.append(float(keypoint[0])) coco_keypoints.append(int(visibility)) if int(visibility) > 0: num_valid_keypoints = num_valid_keypoints + 1 export_dict['keypoints'] = coco_keypoints export_dict['num_keypoints'] = num_valid_keypoints groundtruth_list.append(export_dict) return groundtruth_list def ExportGroundtruthToCOCO(image_ids, groundtruth_boxes, groundtruth_classes, categories, output_path=None): """Export groundtruth detection annotations in numpy arrays to COCO API. This function converts a set of groundtruth detection annotations represented as numpy arrays to dictionaries that can be ingested by the COCO API. Inputs to this function are three lists: image ids for each groundtruth image, groundtruth boxes for each image and groundtruth classes respectively. Note that the image_ids provided here must match the ones given to the ExportDetectionsToCOCO function in order for evaluation to work properly. We assume that for each image, boxes, scores and classes are in correspondence --- that is: image_id[i], groundtruth_boxes[i, :] and groundtruth_classes[i] are associated with the same groundtruth annotation. In the exported result, "area" fields are always set to the area of the groundtruth bounding box and "iscrowd" fields are always set to 0. TODO(jonathanhuang): pass in "iscrowd" array for evaluating on COCO dataset. Args: image_ids: a list of unique image identifier either of type integer or string. groundtruth_boxes: list of numpy arrays with shape [num_gt_boxes, 4] (note that num_gt_boxes can be different for each entry in the list) groundtruth_classes: list of numpy arrays (int) with shape [num_gt_boxes] (note that num_gt_boxes can be different for each entry in the list) categories: a list of dictionaries representing all possible categories. Each dict in this list has the following keys: 'id': (required) an integer id uniquely identifying this category 'name': (required) string representing category name e.g., 'cat', 'dog', 'pizza' 'supercategory': (optional) string representing the supercategory e.g., 'animal', 'vehicle', 'food', etc output_path: (optional) path for exporting result to JSON Returns: dictionary that can be read by COCO API Raises: ValueError: if (1) groundtruth_boxes and groundtruth_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers """ category_id_set = set([cat['id'] for cat in categories]) groundtruth_export_list = [] image_export_list = [] if not len(image_ids) == len(groundtruth_boxes) == len(groundtruth_classes): raise ValueError('Input lists must have the same length') # For reasons internal to the COCO API, it is important that annotation ids # are not equal to zero; we thus start counting from 1. annotation_id = 1 for image_id, boxes, classes in zip(image_ids, groundtruth_boxes, groundtruth_classes): image_export_list.append({'id': image_id}) groundtruth_export_list.extend(ExportSingleImageGroundtruthToCoco( image_id, annotation_id, category_id_set, boxes, classes)) num_boxes = classes.shape[0] annotation_id += num_boxes groundtruth_dict = { 'annotations': groundtruth_export_list, 'images': image_export_list, 'categories': categories } if output_path: with tf.gfile.GFile(output_path, 'w') as fid: json_utils.Dump(groundtruth_dict, fid, float_digits=4, indent=2) return groundtruth_dict def ExportSingleImageDetectionBoxesToCoco(image_id, category_id_set, detection_boxes, detection_scores, detection_classes, detection_keypoints=None, detection_keypoint_visibilities=None): """Export detections of a single image to COCO format. This function converts detections represented as numpy arrays to dictionaries that can be ingested by the COCO evaluation API. Note that the image_ids provided here must match the ones given to the ExporSingleImageDetectionBoxesToCoco. We assume that boxes, and classes are in correspondence - that is: boxes[i, :], and classes[i] are associated with the same groundtruth annotation. Args: image_id: unique image identifier either of type integer or string. category_id_set: A set of valid class ids. Detections with classes not in category_id_set are dropped. detection_boxes: float numpy array of shape [num_detections, 4] containing detection boxes. detection_scores: float numpy array of shape [num_detections] containing scored for the detection boxes. detection_classes: integer numpy array of shape [num_detections] containing the classes for detection boxes. detection_keypoints: optional float numpy array of keypoints with shape [num_detections, num_keypoints, 2]. detection_keypoint_visibilities: optional integer numpy array of keypoint visibilities with shape [num_detections, num_keypoints]. Integer is treated as an enum with 0=not labels, 1=labeled but not visible and 2=labeled and visible. Returns: a list of detection annotations for a single image in the COCO format. Raises: ValueError: if (1) detection_boxes, detection_scores and detection_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers. """ if len(detection_classes.shape) != 1 or len(detection_scores.shape) != 1: raise ValueError('All entries in detection_classes and detection_scores' 'expected to be of rank 1.') if len(detection_boxes.shape) != 2: raise ValueError('All entries in detection_boxes expected to be of ' 'rank 2.') if detection_boxes.shape[1] != 4: raise ValueError('All entries in detection_boxes should have ' 'shape[1] == 4.') num_boxes = detection_classes.shape[0] if not num_boxes == detection_boxes.shape[0] == detection_scores.shape[0]: raise ValueError('Corresponding entries in detection_classes, ' 'detection_scores and detection_boxes should have ' 'compatible shapes (i.e., agree on the 0th dimension). ' 'Classes shape: %d. Boxes shape: %d. ' 'Scores shape: %d' % ( detection_classes.shape[0], detection_boxes.shape[0], detection_scores.shape[0] )) detections_list = [] for i in range(num_boxes): if detection_classes[i] in category_id_set: export_dict = { 'image_id': image_id, 'category_id': int(detection_classes[i]), 'bbox': list(_ConvertBoxToCOCOFormat(detection_boxes[i, :])), 'score': float(detection_scores[i]), } if detection_keypoints is not None: keypoints = detection_keypoints[i] num_keypoints = keypoints.shape[0] if detection_keypoint_visibilities is None: detection_keypoint_visibilities = np.full((num_boxes, num_keypoints), 2) visibilities = np.reshape(detection_keypoint_visibilities[i], [-1]) coco_keypoints = [] for keypoint, visibility in zip(keypoints, visibilities): # Convert from [y, x] to [x, y] as mandated by COCO. coco_keypoints.append(float(keypoint[1])) coco_keypoints.append(float(keypoint[0])) coco_keypoints.append(int(visibility)) export_dict['keypoints'] = coco_keypoints export_dict['num_keypoints'] = num_keypoints detections_list.append(export_dict) return detections_list def ExportSingleImageDetectionMasksToCoco(image_id, category_id_set, detection_masks, detection_scores, detection_classes): """Export detection masks of a single image to COCO format. This function converts detections represented as numpy arrays to dictionaries that can be ingested by the COCO evaluation API. We assume that detection_masks, detection_scores, and detection_classes are in correspondence - that is: detection_masks[i, :], detection_classes[i] and detection_scores[i] are associated with the same annotation. Args: image_id: unique image identifier either of type integer or string. category_id_set: A set of valid class ids. Detections with classes not in category_id_set are dropped. detection_masks: uint8 numpy array of shape [num_detections, image_height, image_width] containing detection_masks. detection_scores: float numpy array of shape [num_detections] containing scores for detection masks. detection_classes: integer numpy array of shape [num_detections] containing the classes for detection masks. Returns: a list of detection mask annotations for a single image in the COCO format. Raises: ValueError: if (1) detection_masks, detection_scores and detection_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers. """ if len(detection_classes.shape) != 1 or len(detection_scores.shape) != 1: raise ValueError('All entries in detection_classes and detection_scores' 'expected to be of rank 1.') num_boxes = detection_classes.shape[0] if not num_boxes == len(detection_masks) == detection_scores.shape[0]: raise ValueError('Corresponding entries in detection_classes, ' 'detection_scores and detection_masks should have ' 'compatible lengths and shapes ' 'Classes length: %d. Masks length: %d. ' 'Scores length: %d' % ( detection_classes.shape[0], len(detection_masks), detection_scores.shape[0] )) detections_list = [] for i in range(num_boxes): if detection_classes[i] in category_id_set: detections_list.append({ 'image_id': image_id, 'category_id': int(detection_classes[i]), 'segmentation': _RleCompress(detection_masks[i]), 'score': float(detection_scores[i]) }) return detections_list def ExportDetectionsToCOCO(image_ids, detection_boxes, detection_scores, detection_classes, categories, output_path=None): """Export detection annotations in numpy arrays to COCO API. This function converts a set of predicted detections represented as numpy arrays to dictionaries that can be ingested by the COCO API. Inputs to this function are lists, consisting of boxes, scores and classes, respectively, corresponding to each image for which detections have been produced. Note that the image_ids provided here must match the ones given to the ExportGroundtruthToCOCO function in order for evaluation to work properly. We assume that for each image, boxes, scores and classes are in correspondence --- that is: detection_boxes[i, :], detection_scores[i] and detection_classes[i] are associated with the same detection. Args: image_ids: a list of unique image identifier either of type integer or string. detection_boxes: list of numpy arrays with shape [num_detection_boxes, 4] detection_scores: list of numpy arrays (float) with shape [num_detection_boxes]. Note that num_detection_boxes can be different for each entry in the list. detection_classes: list of numpy arrays (int) with shape [num_detection_boxes]. Note that num_detection_boxes can be different for each entry in the list. categories: a list of dictionaries representing all possible categories. Each dict in this list must have an integer 'id' key uniquely identifying this category. output_path: (optional) path for exporting result to JSON Returns: list of dictionaries that can be read by COCO API, where each entry corresponds to a single detection and has keys from: ['image_id', 'category_id', 'bbox', 'score']. Raises: ValueError: if (1) detection_boxes and detection_classes do not have the right lengths or (2) if each of the elements inside these lists do not have the correct shapes or (3) if image_ids are not integers. """ category_id_set = set([cat['id'] for cat in categories]) detections_export_list = [] if not (len(image_ids) == len(detection_boxes) == len(detection_scores) == len(detection_classes)): raise ValueError('Input lists must have the same length') for image_id, boxes, scores, classes in zip(image_ids, detection_boxes, detection_scores, detection_classes): detections_export_list.extend(ExportSingleImageDetectionBoxesToCoco( image_id, category_id_set, boxes, scores, classes)) if output_path: with tf.gfile.GFile(output_path, 'w') as fid: json_utils.Dump(detections_export_list, fid, float_digits=4, indent=2) return detections_export_list def ExportSegmentsToCOCO(image_ids, detection_masks, detection_scores, detection_classes, categories, output_path=None): """Export segmentation masks in numpy arrays to COCO API. This function converts a set of predicted instance masks represented as numpy arrays to dictionaries that can be ingested by the COCO API. Inputs to this function are lists, consisting of segments, scores and classes, respectively, corresponding to each image for which detections have been produced. Note this function is recommended to use for small dataset. For large dataset, it should be used with a merge function (e.g. in map reduce), otherwise the memory consumption is large. We assume that for each image, masks, scores and classes are in correspondence --- that is: detection_masks[i, :, :, :], detection_scores[i] and detection_classes[i] are associated with the same detection. Args: image_ids: list of image ids (typically ints or strings) detection_masks: list of numpy arrays with shape [num_detection, h, w, 1] and type uint8. The height and width should match the shape of corresponding image. detection_scores: list of numpy arrays (float) with shape [num_detection]. Note that num_detection can be different for each entry in the list. detection_classes: list of numpy arrays (int) with shape [num_detection]. Note that num_detection can be different for each entry in the list. categories: a list of dictionaries representing all possible categories. Each dict in this list must have an integer 'id' key uniquely identifying this category. output_path: (optional) path for exporting result to JSON Returns: list of dictionaries that can be read by COCO API, where each entry corresponds to a single detection and has keys from: ['image_id', 'category_id', 'segmentation', 'score']. Raises: ValueError: if detection_masks and detection_classes do not have the right lengths or if each of the elements inside these lists do not have the correct shapes. """ if not (len(image_ids) == len(detection_masks) == len(detection_scores) == len(detection_classes)): raise ValueError('Input lists must have the same length') segment_export_list = [] for image_id, masks, scores, classes in zip(image_ids, detection_masks, detection_scores, detection_classes): if len(classes.shape) != 1 or len(scores.shape) != 1: raise ValueError('All entries in detection_classes and detection_scores' 'expected to be of rank 1.') if len(masks.shape) != 4: raise ValueError('All entries in masks expected to be of ' 'rank 4. Given {}'.format(masks.shape)) num_boxes = classes.shape[0] if not num_boxes == masks.shape[0] == scores.shape[0]: raise ValueError('Corresponding entries in segment_classes, ' 'detection_scores and detection_boxes should have ' 'compatible shapes (i.e., agree on the 0th dimension).') category_id_set = set([cat['id'] for cat in categories]) segment_export_list.extend(ExportSingleImageDetectionMasksToCoco( image_id, category_id_set, np.squeeze(masks, axis=3), scores, classes)) if output_path: with tf.gfile.GFile(output_path, 'w') as fid: json_utils.Dump(segment_export_list, fid, float_digits=4, indent=2) return segment_export_list def ExportKeypointsToCOCO(image_ids, detection_keypoints, detection_scores, detection_classes, categories, output_path=None): """Exports keypoints in numpy arrays to COCO API. This function converts a set of predicted keypoints represented as numpy arrays to dictionaries that can be ingested by the COCO API. Inputs to this function are lists, consisting of keypoints, scores and classes, respectively, corresponding to each image for which detections have been produced. We assume that for each image, keypoints, scores and classes are in correspondence --- that is: detection_keypoints[i, :, :, :], detection_scores[i] and detection_classes[i] are associated with the same detection. Args: image_ids: list of image ids (typically ints or strings) detection_keypoints: list of numpy arrays with shape [num_detection, num_keypoints, 2] and type float32 in absolute x-y coordinates. detection_scores: list of numpy arrays (float) with shape [num_detection]. Note that num_detection can be different for each entry in the list. detection_classes: list of numpy arrays (int) with shape [num_detection]. Note that num_detection can be different for each entry in the list. categories: a list of dictionaries representing all possible categories. Each dict in this list must have an integer 'id' key uniquely identifying this category and an integer 'num_keypoints' key specifying the number of keypoints the category has. output_path: (optional) path for exporting result to JSON Returns: list of dictionaries that can be read by COCO API, where each entry corresponds to a single detection and has keys from: ['image_id', 'category_id', 'keypoints', 'score']. Raises: ValueError: if detection_keypoints and detection_classes do not have the right lengths or if each of the elements inside these lists do not have the correct shapes. """ if not (len(image_ids) == len(detection_keypoints) == len(detection_scores) == len(detection_classes)): raise ValueError('Input lists must have the same length') keypoints_export_list = [] for image_id, keypoints, scores, classes in zip( image_ids, detection_keypoints, detection_scores, detection_classes): if len(classes.shape) != 1 or len(scores.shape) != 1: raise ValueError('All entries in detection_classes and detection_scores' 'expected to be of rank 1.') if len(keypoints.shape) != 3: raise ValueError('All entries in keypoints expected to be of ' 'rank 3. Given {}'.format(keypoints.shape)) num_boxes = classes.shape[0] if not num_boxes == keypoints.shape[0] == scores.shape[0]: raise ValueError('Corresponding entries in detection_classes, ' 'detection_keypoints, and detection_scores should have ' 'compatible shapes (i.e., agree on the 0th dimension).') category_id_set = set([cat['id'] for cat in categories]) category_id_to_num_keypoints_map = { cat['id']: cat['num_keypoints'] for cat in categories if 'num_keypoints' in cat} for i in range(num_boxes): if classes[i] not in category_id_set: raise ValueError('class id should be in category_id_set\n') if classes[i] in category_id_to_num_keypoints_map: num_keypoints = category_id_to_num_keypoints_map[classes[i]] # Adds extra ones to indicate the visibility for each keypoint as is # recommended by MSCOCO. instance_keypoints = np.concatenate( [keypoints[i, 0:num_keypoints, :], np.expand_dims(np.ones(num_keypoints), axis=1)], axis=1).astype(int) instance_keypoints = instance_keypoints.flatten().tolist() keypoints_export_list.append({ 'image_id': image_id, 'category_id': int(classes[i]), 'keypoints': instance_keypoints, 'score': float(scores[i]) }) if output_path: with tf.gfile.GFile(output_path, 'w') as fid: json_utils.Dump(keypoints_export_list, fid, float_digits=4, indent=2) return keypoints_export_list
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/coco_tools.py
coco_tools.py
r"""Runs evaluation using OpenImages groundtruth and predictions. Uses Open Images Challenge 2018, 2019 metrics Example usage: python models/research/object_detection/metrics/oid_od_challenge_evaluation.py \ --input_annotations_boxes=/path/to/input/annotations-human-bbox.csv \ --input_annotations_labels=/path/to/input/annotations-label.csv \ --input_class_labelmap=/path/to/input/class_labelmap.pbtxt \ --input_predictions=/path/to/input/predictions.csv \ --output_metrics=/path/to/output/metric.csv \ --input_annotations_segm=[/path/to/input/annotations-human-mask.csv] \ If optional flag has_masks is True, Mask column is also expected in CSV. CSVs with bounding box annotations, instance segmentations and image label can be downloaded from the Open Images Challenge website: https://storage.googleapis.com/openimages/web/challenge.html The format of the input csv and the metrics itself are described on the challenge website as well. """ from __future__ import absolute_import from __future__ import division from __future__ import print_function import logging from absl import app from absl import flags import pandas as pd from google.protobuf import text_format from object_detection.metrics import io_utils from object_detection.metrics import oid_challenge_evaluation_utils as utils from object_detection.protos import string_int_label_map_pb2 from object_detection.utils import object_detection_evaluation flags.DEFINE_string('input_annotations_boxes', None, 'File with groundtruth boxes annotations.') flags.DEFINE_string('input_annotations_labels', None, 'File with groundtruth labels annotations.') flags.DEFINE_string( 'input_predictions', None, """File with detection predictions; NOTE: no postprocessing is applied in the evaluation script.""" ) flags.DEFINE_string('input_class_labelmap', None, 'Open Images Challenge labelmap.') flags.DEFINE_string('output_metrics', None, 'Output file with csv metrics.') flags.DEFINE_string( 'input_annotations_segm', None, 'File with groundtruth instance segmentation annotations [OPTIONAL].') FLAGS = flags.FLAGS def _load_labelmap(labelmap_path): """Loads labelmap from the labelmap path. Args: labelmap_path: Path to the labelmap. Returns: A dictionary mapping class name to class numerical id A list with dictionaries, one dictionary per category. """ label_map = string_int_label_map_pb2.StringIntLabelMap() with open(labelmap_path, 'r') as fid: label_map_string = fid.read() text_format.Merge(label_map_string, label_map) labelmap_dict = {} categories = [] for item in label_map.item: labelmap_dict[item.name] = item.id categories.append({'id': item.id, 'name': item.name}) return labelmap_dict, categories def main(unused_argv): flags.mark_flag_as_required('input_annotations_boxes') flags.mark_flag_as_required('input_annotations_labels') flags.mark_flag_as_required('input_predictions') flags.mark_flag_as_required('input_class_labelmap') flags.mark_flag_as_required('output_metrics') all_location_annotations = pd.read_csv(FLAGS.input_annotations_boxes) all_label_annotations = pd.read_csv(FLAGS.input_annotations_labels) all_label_annotations.rename( columns={'Confidence': 'ConfidenceImageLabel'}, inplace=True) is_instance_segmentation_eval = False if FLAGS.input_annotations_segm: is_instance_segmentation_eval = True all_segm_annotations = pd.read_csv(FLAGS.input_annotations_segm) # Note: this part is unstable as it requires the float point numbers in both # csvs are exactly the same; # Will be replaced by more stable solution: merge on LabelName and ImageID # and filter down by IoU. all_location_annotations = utils.merge_boxes_and_masks( all_location_annotations, all_segm_annotations) all_annotations = pd.concat([all_location_annotations, all_label_annotations]) class_label_map, categories = _load_labelmap(FLAGS.input_class_labelmap) challenge_evaluator = ( object_detection_evaluation.OpenImagesChallengeEvaluator( categories, evaluate_masks=is_instance_segmentation_eval)) all_predictions = pd.read_csv(FLAGS.input_predictions) images_processed = 0 for _, groundtruth in enumerate(all_annotations.groupby('ImageID')): logging.info('Processing image %d', images_processed) image_id, image_groundtruth = groundtruth groundtruth_dictionary = utils.build_groundtruth_dictionary( image_groundtruth, class_label_map) challenge_evaluator.add_single_ground_truth_image_info( image_id, groundtruth_dictionary) prediction_dictionary = utils.build_predictions_dictionary( all_predictions.loc[all_predictions['ImageID'] == image_id], class_label_map) challenge_evaluator.add_single_detected_image_info(image_id, prediction_dictionary) images_processed += 1 metrics = challenge_evaluator.evaluate() with open(FLAGS.output_metrics, 'w') as fid: io_utils.write_csv(fid, metrics) if __name__ == '__main__': app.run(main)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/oid_challenge_evaluation.py
oid_challenge_evaluation.py
import numpy as np from object_detection.core import data_parser from object_detection.core import standard_fields as fields class FloatParser(data_parser.DataToNumpyParser): """Tensorflow Example float parser.""" def __init__(self, field_name): self.field_name = field_name def parse(self, tf_example): return np.array( tf_example.features.feature[self.field_name].float_list.value, dtype=np.float).transpose() if tf_example.features.feature[ self.field_name].HasField("float_list") else None class StringParser(data_parser.DataToNumpyParser): """Tensorflow Example string parser.""" def __init__(self, field_name): self.field_name = field_name def parse(self, tf_example): return b"".join(tf_example.features.feature[ self.field_name].bytes_list.value) if tf_example.features.feature[ self.field_name].HasField("bytes_list") else None class Int64Parser(data_parser.DataToNumpyParser): """Tensorflow Example int64 parser.""" def __init__(self, field_name): self.field_name = field_name def parse(self, tf_example): return np.array( tf_example.features.feature[self.field_name].int64_list.value, dtype=np.int64).transpose() if tf_example.features.feature[ self.field_name].HasField("int64_list") else None class BoundingBoxParser(data_parser.DataToNumpyParser): """Tensorflow Example bounding box parser.""" def __init__(self, xmin_field_name, ymin_field_name, xmax_field_name, ymax_field_name): self.field_names = [ ymin_field_name, xmin_field_name, ymax_field_name, xmax_field_name ] def parse(self, tf_example): result = [] parsed = True for field_name in self.field_names: result.append(tf_example.features.feature[field_name].float_list.value) parsed &= ( tf_example.features.feature[field_name].HasField("float_list")) return np.array(result).transpose() if parsed else None class TfExampleDetectionAndGTParser(data_parser.DataToNumpyParser): """Tensorflow Example proto parser.""" def __init__(self): self.items_to_handlers = { fields.DetectionResultFields.key: StringParser(fields.TfExampleFields.source_id), # Object ground truth boxes and classes. fields.InputDataFields.groundtruth_boxes: (BoundingBoxParser( fields.TfExampleFields.object_bbox_xmin, fields.TfExampleFields.object_bbox_ymin, fields.TfExampleFields.object_bbox_xmax, fields.TfExampleFields.object_bbox_ymax)), fields.InputDataFields.groundtruth_classes: ( Int64Parser(fields.TfExampleFields.object_class_label)), # Object detections. fields.DetectionResultFields.detection_boxes: (BoundingBoxParser( fields.TfExampleFields.detection_bbox_xmin, fields.TfExampleFields.detection_bbox_ymin, fields.TfExampleFields.detection_bbox_xmax, fields.TfExampleFields.detection_bbox_ymax)), fields.DetectionResultFields.detection_classes: ( Int64Parser(fields.TfExampleFields.detection_class_label)), fields.DetectionResultFields.detection_scores: ( FloatParser(fields.TfExampleFields.detection_score)), } self.optional_items_to_handlers = { fields.InputDataFields.groundtruth_difficult: Int64Parser(fields.TfExampleFields.object_difficult), fields.InputDataFields.groundtruth_group_of: Int64Parser(fields.TfExampleFields.object_group_of), fields.InputDataFields.groundtruth_image_classes: Int64Parser(fields.TfExampleFields.image_class_label), } def parse(self, tf_example): """Parses tensorflow example and returns a tensor dictionary. Args: tf_example: a tf.Example object. Returns: A dictionary of the following numpy arrays: fields.DetectionResultFields.source_id - string containing original image id. fields.InputDataFields.groundtruth_boxes - a numpy array containing groundtruth boxes. fields.InputDataFields.groundtruth_classes - a numpy array containing groundtruth classes. fields.InputDataFields.groundtruth_group_of - a numpy array containing groundtruth group of flag (optional, None if not specified). fields.InputDataFields.groundtruth_difficult - a numpy array containing groundtruth difficult flag (optional, None if not specified). fields.InputDataFields.groundtruth_image_classes - a numpy array containing groundtruth image-level labels. fields.DetectionResultFields.detection_boxes - a numpy array containing detection boxes. fields.DetectionResultFields.detection_classes - a numpy array containing detection class labels. fields.DetectionResultFields.detection_scores - a numpy array containing detection scores. Returns None if tf.Example was not parsed or non-optional fields were not found. """ results_dict = {} parsed = True for key, parser in self.items_to_handlers.items(): results_dict[key] = parser.parse(tf_example) parsed &= (results_dict[key] is not None) for key, parser in self.optional_items_to_handlers.items(): results_dict[key] = parser.parse(tf_example) return results_dict if parsed else None
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/tf_example_parser.py
tf_example_parser.py
r"""Runs evaluation using OpenImages groundtruth and predictions. Example usage: python \ models/research/object_detection/metrics/oid_vrd_challenge_evaluation.py \ --input_annotations_vrd=/path/to/input/annotations-human-bbox.csv \ --input_annotations_labels=/path/to/input/annotations-label.csv \ --input_class_labelmap=/path/to/input/class_labelmap.pbtxt \ --input_relationship_labelmap=/path/to/input/relationship_labelmap.pbtxt \ --input_predictions=/path/to/input/predictions.csv \ --output_metrics=/path/to/output/metric.csv \ CSVs with bounding box annotations and image label (including the image URLs) can be downloaded from the Open Images Challenge website: https://storage.googleapis.com/openimages/web/challenge.html The format of the input csv and the metrics itself are described on the challenge website. """ from __future__ import absolute_import from __future__ import division from __future__ import print_function import argparse import pandas as pd from google.protobuf import text_format from object_detection.metrics import io_utils from object_detection.metrics import oid_vrd_challenge_evaluation_utils as utils from object_detection.protos import string_int_label_map_pb2 from object_detection.utils import vrd_evaluation def _load_labelmap(labelmap_path): """Loads labelmap from the labelmap path. Args: labelmap_path: Path to the labelmap. Returns: A dictionary mapping class name to class numerical id. """ label_map = string_int_label_map_pb2.StringIntLabelMap() with open(labelmap_path, 'r') as fid: label_map_string = fid.read() text_format.Merge(label_map_string, label_map) labelmap_dict = {} for item in label_map.item: labelmap_dict[item.name] = item.id return labelmap_dict def _swap_labelmap_dict(labelmap_dict): """Swaps keys and labels in labelmap. Args: labelmap_dict: Input dictionary. Returns: A dictionary mapping class name to class numerical id. """ return dict((v, k) for k, v in labelmap_dict.iteritems()) def main(parsed_args): all_box_annotations = pd.read_csv(parsed_args.input_annotations_boxes) all_label_annotations = pd.read_csv(parsed_args.input_annotations_labels) all_annotations = pd.concat([all_box_annotations, all_label_annotations]) class_label_map = _load_labelmap(parsed_args.input_class_labelmap) relationship_label_map = _load_labelmap( parsed_args.input_relationship_labelmap) relation_evaluator = vrd_evaluation.VRDRelationDetectionEvaluator() phrase_evaluator = vrd_evaluation.VRDPhraseDetectionEvaluator() for _, groundtruth in enumerate(all_annotations.groupby('ImageID')): image_id, image_groundtruth = groundtruth groundtruth_dictionary = utils.build_groundtruth_vrd_dictionary( image_groundtruth, class_label_map, relationship_label_map) relation_evaluator.add_single_ground_truth_image_info( image_id, groundtruth_dictionary) phrase_evaluator.add_single_ground_truth_image_info(image_id, groundtruth_dictionary) all_predictions = pd.read_csv(parsed_args.input_predictions) for _, prediction_data in enumerate(all_predictions.groupby('ImageID')): image_id, image_predictions = prediction_data prediction_dictionary = utils.build_predictions_vrd_dictionary( image_predictions, class_label_map, relationship_label_map) relation_evaluator.add_single_detected_image_info(image_id, prediction_dictionary) phrase_evaluator.add_single_detected_image_info(image_id, prediction_dictionary) relation_metrics = relation_evaluator.evaluate( relationships=_swap_labelmap_dict(relationship_label_map)) phrase_metrics = phrase_evaluator.evaluate( relationships=_swap_labelmap_dict(relationship_label_map)) with open(parsed_args.output_metrics, 'w') as fid: io_utils.write_csv(fid, relation_metrics) io_utils.write_csv(fid, phrase_metrics) if __name__ == '__main__': parser = argparse.ArgumentParser( description= 'Evaluate Open Images Visual Relationship Detection predictions.') parser.add_argument( '--input_annotations_vrd', required=True, help='File with groundtruth vrd annotations.') parser.add_argument( '--input_annotations_labels', required=True, help='File with groundtruth labels annotations') parser.add_argument( '--input_predictions', required=True, help="""File with detection predictions; NOTE: no postprocessing is applied in the evaluation script.""") parser.add_argument( '--input_class_labelmap', required=True, help="""OpenImages Challenge labelmap; note: it is expected to include attributes.""") parser.add_argument( '--input_relationship_labelmap', required=True, help="""OpenImages Challenge relationship labelmap.""") parser.add_argument( '--output_metrics', required=True, help='Output file with csv metrics') args = parser.parse_args() main(args)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/metrics/oid_vrd_challenge_evaluation.py
oid_vrd_challenge_evaluation.py
from __future__ import absolute_import from __future__ import division from __future__ import print_function import enum import numpy as np from six.moves import zip import tensorflow.compat.v1 as tf from tf_slim import tfexample_decoder as slim_example_decoder from object_detection.core import data_decoder from object_detection.core import standard_fields as fields from object_detection.protos import input_reader_pb2 from object_detection.utils import label_map_util from object_detection.utils import shape_utils # pylint: disable=g-import-not-at-top try: from tensorflow.contrib import lookup as contrib_lookup except ImportError: # TF 2.0 doesn't ship with contrib. pass # pylint: enable=g-import-not-at-top _LABEL_OFFSET = 1 class Visibility(enum.Enum): """Visibility definitions. This follows the MS Coco convention (http://cocodataset.org/#format-data). """ # Keypoint is not labeled. UNLABELED = 0 # Keypoint is labeled but falls outside the object segment (e.g. occluded). NOT_VISIBLE = 1 # Keypoint is labeled and visible. VISIBLE = 2 class _ClassTensorHandler(slim_example_decoder.Tensor): """An ItemHandler to fetch class ids from class text.""" def __init__(self, tensor_key, label_map_proto_file, shape_keys=None, shape=None, default_value=''): """Initializes the LookupTensor handler. Simply calls a vocabulary (most often, a label mapping) lookup. Args: tensor_key: the name of the `TFExample` feature to read the tensor from. label_map_proto_file: File path to a text format LabelMapProto message mapping class text to id. shape_keys: Optional name or list of names of the TF-Example feature in which the tensor shape is stored. If a list, then each corresponds to one dimension of the shape. shape: Optional output shape of the `Tensor`. If provided, the `Tensor` is reshaped accordingly. default_value: The value used when the `tensor_key` is not found in a particular `TFExample`. Raises: ValueError: if both `shape_keys` and `shape` are specified. """ name_to_id = label_map_util.get_label_map_dict( label_map_proto_file, use_display_name=False) # We use a default_value of -1, but we expect all labels to be contained # in the label map. try: # Dynamically try to load the tf v2 lookup, falling back to contrib lookup = tf.compat.v2.lookup hash_table_class = tf.compat.v2.lookup.StaticHashTable except AttributeError: lookup = contrib_lookup hash_table_class = contrib_lookup.HashTable name_to_id_table = hash_table_class( initializer=lookup.KeyValueTensorInitializer( keys=tf.constant(list(name_to_id.keys())), values=tf.constant(list(name_to_id.values()), dtype=tf.int64)), default_value=-1) display_name_to_id = label_map_util.get_label_map_dict( label_map_proto_file, use_display_name=True) # We use a default_value of -1, but we expect all labels to be contained # in the label map. display_name_to_id_table = hash_table_class( initializer=lookup.KeyValueTensorInitializer( keys=tf.constant(list(display_name_to_id.keys())), values=tf.constant( list(display_name_to_id.values()), dtype=tf.int64)), default_value=-1) self._name_to_id_table = name_to_id_table self._display_name_to_id_table = display_name_to_id_table super(_ClassTensorHandler, self).__init__(tensor_key, shape_keys, shape, default_value) def tensors_to_item(self, keys_to_tensors): unmapped_tensor = super(_ClassTensorHandler, self).tensors_to_item(keys_to_tensors) return tf.maximum(self._name_to_id_table.lookup(unmapped_tensor), self._display_name_to_id_table.lookup(unmapped_tensor)) class TfExampleDecoder(data_decoder.DataDecoder): """Tensorflow Example proto decoder.""" def __init__(self, load_instance_masks=False, instance_mask_type=input_reader_pb2.NUMERICAL_MASKS, label_map_proto_file=None, use_display_name=False, dct_method='', num_keypoints=0, num_additional_channels=0, load_multiclass_scores=False, load_context_features=False, expand_hierarchy_labels=False, load_dense_pose=False, load_track_id=False, load_keypoint_depth_features=False): """Constructor sets keys_to_features and items_to_handlers. Args: load_instance_masks: whether or not to load and handle instance masks. instance_mask_type: type of instance masks. Options are provided in input_reader.proto. This is only used if `load_instance_masks` is True. label_map_proto_file: a file path to a object_detection.protos.StringIntLabelMap proto. If provided, then the mapped IDs of 'image/object/class/text' will take precedence over the existing 'image/object/class/label' ID. Also, if provided, it is assumed that 'image/object/class/text' will be in the data. use_display_name: whether or not to use the `display_name` for label mapping (instead of `name`). Only used if label_map_proto_file is provided. dct_method: An optional string. Defaults to None. It only takes effect when image format is jpeg, used to specify a hint about the algorithm used for jpeg decompression. Currently valid values are ['INTEGER_FAST', 'INTEGER_ACCURATE']. The hint may be ignored, for example, the jpeg library does not have that specific option. num_keypoints: the number of keypoints per object. num_additional_channels: how many additional channels to use. load_multiclass_scores: Whether to load multiclass scores associated with boxes. load_context_features: Whether to load information from context_features, to provide additional context to a detection model for training and/or inference. expand_hierarchy_labels: Expands the object and image labels taking into account the provided hierarchy in the label_map_proto_file. For positive classes, the labels are extended to ancestor. For negative classes, the labels are expanded to descendants. load_dense_pose: Whether to load DensePose annotations. load_track_id: Whether to load tracking annotations. load_keypoint_depth_features: Whether to load the keypoint depth features including keypoint relative depths and weights. If this field is set to True but no keypoint depth features are in the input tf.Example, then default values will be populated. Raises: ValueError: If `instance_mask_type` option is not one of input_reader_pb2.DEFAULT, input_reader_pb2.NUMERICAL, or input_reader_pb2.PNG_MASKS. ValueError: If `expand_labels_hierarchy` is True, but the `label_map_proto_file` is not provided. """ # TODO(rathodv): delete unused `use_display_name` argument once we change # other decoders to handle label maps similarly. del use_display_name self.keys_to_features = { 'image/encoded': tf.FixedLenFeature((), tf.string, default_value=''), 'image/format': tf.FixedLenFeature((), tf.string, default_value='jpeg'), 'image/filename': tf.FixedLenFeature((), tf.string, default_value=''), 'image/key/sha256': tf.FixedLenFeature((), tf.string, default_value=''), 'image/source_id': tf.FixedLenFeature((), tf.string, default_value=''), 'image/height': tf.FixedLenFeature((), tf.int64, default_value=1), 'image/width': tf.FixedLenFeature((), tf.int64, default_value=1), # Image-level labels. 'image/class/text': tf.VarLenFeature(tf.string), 'image/class/label': tf.VarLenFeature(tf.int64), 'image/neg_category_ids': tf.VarLenFeature(tf.int64), 'image/not_exhaustive_category_ids': tf.VarLenFeature(tf.int64), 'image/class/confidence': tf.VarLenFeature(tf.float32), # Object boxes and classes. 'image/object/bbox/xmin': tf.VarLenFeature(tf.float32), 'image/object/bbox/xmax': tf.VarLenFeature(tf.float32), 'image/object/bbox/ymin': tf.VarLenFeature(tf.float32), 'image/object/bbox/ymax': tf.VarLenFeature(tf.float32), 'image/object/class/label': tf.VarLenFeature(tf.int64), 'image/object/class/text': tf.VarLenFeature(tf.string), 'image/object/area': tf.VarLenFeature(tf.float32), 'image/object/is_crowd': tf.VarLenFeature(tf.int64), 'image/object/difficult': tf.VarLenFeature(tf.int64), 'image/object/group_of': tf.VarLenFeature(tf.int64), 'image/object/weight': tf.VarLenFeature(tf.float32), } # We are checking `dct_method` instead of passing it directly in order to # ensure TF version 1.6 compatibility. if dct_method: image = slim_example_decoder.Image( image_key='image/encoded', format_key='image/format', channels=3, dct_method=dct_method) additional_channel_image = slim_example_decoder.Image( image_key='image/additional_channels/encoded', format_key='image/format', channels=1, repeated=True, dct_method=dct_method) else: image = slim_example_decoder.Image( image_key='image/encoded', format_key='image/format', channels=3) additional_channel_image = slim_example_decoder.Image( image_key='image/additional_channels/encoded', format_key='image/format', channels=1, repeated=True) self.items_to_handlers = { fields.InputDataFields.image: image, fields.InputDataFields.source_id: ( slim_example_decoder.Tensor('image/source_id')), fields.InputDataFields.key: ( slim_example_decoder.Tensor('image/key/sha256')), fields.InputDataFields.filename: ( slim_example_decoder.Tensor('image/filename')), # Image-level labels. fields.InputDataFields.groundtruth_image_confidences: ( slim_example_decoder.Tensor('image/class/confidence')), fields.InputDataFields.groundtruth_verified_neg_classes: ( slim_example_decoder.Tensor('image/neg_category_ids')), fields.InputDataFields.groundtruth_not_exhaustive_classes: ( slim_example_decoder.Tensor('image/not_exhaustive_category_ids')), # Object boxes and classes. fields.InputDataFields.groundtruth_boxes: ( slim_example_decoder.BoundingBox(['ymin', 'xmin', 'ymax', 'xmax'], 'image/object/bbox/')), fields.InputDataFields.groundtruth_area: slim_example_decoder.Tensor('image/object/area'), fields.InputDataFields.groundtruth_is_crowd: ( slim_example_decoder.Tensor('image/object/is_crowd')), fields.InputDataFields.groundtruth_difficult: ( slim_example_decoder.Tensor('image/object/difficult')), fields.InputDataFields.groundtruth_group_of: ( slim_example_decoder.Tensor('image/object/group_of')), fields.InputDataFields.groundtruth_weights: ( slim_example_decoder.Tensor('image/object/weight')), } if load_multiclass_scores: self.keys_to_features[ 'image/object/class/multiclass_scores'] = tf.VarLenFeature(tf.float32) self.items_to_handlers[fields.InputDataFields.multiclass_scores] = ( slim_example_decoder.Tensor('image/object/class/multiclass_scores')) if load_context_features: self.keys_to_features[ 'image/context_features'] = tf.VarLenFeature(tf.float32) self.items_to_handlers[fields.InputDataFields.context_features] = ( slim_example_decoder.ItemHandlerCallback( ['image/context_features', 'image/context_feature_length'], self._reshape_context_features)) self.keys_to_features[ 'image/context_feature_length'] = tf.FixedLenFeature((), tf.int64) self.items_to_handlers[fields.InputDataFields.context_feature_length] = ( slim_example_decoder.Tensor('image/context_feature_length')) if num_additional_channels > 0: self.keys_to_features[ 'image/additional_channels/encoded'] = tf.FixedLenFeature( (num_additional_channels,), tf.string) self.items_to_handlers[ fields.InputDataFields. image_additional_channels] = additional_channel_image self._num_keypoints = num_keypoints if num_keypoints > 0: self.keys_to_features['image/object/keypoint/x'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/keypoint/y'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/keypoint/visibility'] = ( tf.VarLenFeature(tf.int64)) self.items_to_handlers[fields.InputDataFields.groundtruth_keypoints] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/keypoint/y', 'image/object/keypoint/x'], self._reshape_keypoints)) kpt_vis_field = fields.InputDataFields.groundtruth_keypoint_visibilities self.items_to_handlers[kpt_vis_field] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/keypoint/x', 'image/object/keypoint/visibility'], self._reshape_keypoint_visibilities)) if load_keypoint_depth_features: self.keys_to_features['image/object/keypoint/z'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/keypoint/z/weights'] = ( tf.VarLenFeature(tf.float32)) self.items_to_handlers[ fields.InputDataFields.groundtruth_keypoint_depths] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/keypoint/x', 'image/object/keypoint/z'], self._reshape_keypoint_depths)) self.items_to_handlers[ fields.InputDataFields.groundtruth_keypoint_depth_weights] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/keypoint/x', 'image/object/keypoint/z/weights'], self._reshape_keypoint_depth_weights)) if load_instance_masks: if instance_mask_type in (input_reader_pb2.DEFAULT, input_reader_pb2.NUMERICAL_MASKS): self.keys_to_features['image/object/mask'] = ( tf.VarLenFeature(tf.float32)) self.items_to_handlers[ fields.InputDataFields.groundtruth_instance_masks] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/mask', 'image/height', 'image/width'], self._reshape_instance_masks)) elif instance_mask_type == input_reader_pb2.PNG_MASKS: self.keys_to_features['image/object/mask'] = tf.VarLenFeature(tf.string) self.items_to_handlers[ fields.InputDataFields.groundtruth_instance_masks] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/mask', 'image/height', 'image/width'], self._decode_png_instance_masks)) else: raise ValueError('Did not recognize the `instance_mask_type` option.') if load_dense_pose: self.keys_to_features['image/object/densepose/num'] = ( tf.VarLenFeature(tf.int64)) self.keys_to_features['image/object/densepose/part_index'] = ( tf.VarLenFeature(tf.int64)) self.keys_to_features['image/object/densepose/x'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/densepose/y'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/densepose/u'] = ( tf.VarLenFeature(tf.float32)) self.keys_to_features['image/object/densepose/v'] = ( tf.VarLenFeature(tf.float32)) self.items_to_handlers[ fields.InputDataFields.groundtruth_dp_num_points] = ( slim_example_decoder.Tensor('image/object/densepose/num')) self.items_to_handlers[fields.InputDataFields.groundtruth_dp_part_ids] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/densepose/part_index', 'image/object/densepose/num'], self._dense_pose_part_indices)) self.items_to_handlers[ fields.InputDataFields.groundtruth_dp_surface_coords] = ( slim_example_decoder.ItemHandlerCallback( ['image/object/densepose/x', 'image/object/densepose/y', 'image/object/densepose/u', 'image/object/densepose/v', 'image/object/densepose/num'], self._dense_pose_surface_coordinates)) if load_track_id: self.keys_to_features['image/object/track/label'] = ( tf.VarLenFeature(tf.int64)) self.items_to_handlers[ fields.InputDataFields.groundtruth_track_ids] = ( slim_example_decoder.Tensor('image/object/track/label')) if label_map_proto_file: # If the label_map_proto is provided, try to use it in conjunction with # the class text, and fall back to a materialized ID. label_handler = slim_example_decoder.BackupHandler( _ClassTensorHandler( 'image/object/class/text', label_map_proto_file, default_value=''), slim_example_decoder.Tensor('image/object/class/label')) image_label_handler = slim_example_decoder.BackupHandler( _ClassTensorHandler( fields.TfExampleFields.image_class_text, label_map_proto_file, default_value=''), slim_example_decoder.Tensor(fields.TfExampleFields.image_class_label)) else: label_handler = slim_example_decoder.Tensor('image/object/class/label') image_label_handler = slim_example_decoder.Tensor( fields.TfExampleFields.image_class_label) self.items_to_handlers[ fields.InputDataFields.groundtruth_classes] = label_handler self.items_to_handlers[ fields.InputDataFields.groundtruth_image_classes] = image_label_handler self._expand_hierarchy_labels = expand_hierarchy_labels self._ancestors_lut = None self._descendants_lut = None if expand_hierarchy_labels: if label_map_proto_file: ancestors_lut, descendants_lut = ( label_map_util.get_label_map_hierarchy_lut(label_map_proto_file, True)) self._ancestors_lut = tf.constant(ancestors_lut, dtype=tf.int64) self._descendants_lut = tf.constant(descendants_lut, dtype=tf.int64) else: raise ValueError('In order to expand labels, the label_map_proto_file ' 'has to be provided.') def decode(self, tf_example_string_tensor): """Decodes serialized tensorflow example and returns a tensor dictionary. Args: tf_example_string_tensor: a string tensor holding a serialized tensorflow example proto. Returns: A dictionary of the following tensors. fields.InputDataFields.image - 3D uint8 tensor of shape [None, None, 3] containing image. fields.InputDataFields.original_image_spatial_shape - 1D int32 tensor of shape [2] containing shape of the image. fields.InputDataFields.source_id - string tensor containing original image id. fields.InputDataFields.key - string tensor with unique sha256 hash key. fields.InputDataFields.filename - string tensor with original dataset filename. fields.InputDataFields.groundtruth_boxes - 2D float32 tensor of shape [None, 4] containing box corners. fields.InputDataFields.groundtruth_classes - 1D int64 tensor of shape [None] containing classes for the boxes. fields.InputDataFields.groundtruth_weights - 1D float32 tensor of shape [None] indicating the weights of groundtruth boxes. fields.InputDataFields.groundtruth_area - 1D float32 tensor of shape [None] containing containing object mask area in pixel squared. fields.InputDataFields.groundtruth_is_crowd - 1D bool tensor of shape [None] indicating if the boxes enclose a crowd. Optional: fields.InputDataFields.groundtruth_image_confidences - 1D float tensor of shape [None] indicating if a class is present in the image (1.0) or a class is not present in the image (0.0). fields.InputDataFields.image_additional_channels - 3D uint8 tensor of shape [None, None, num_additional_channels]. 1st dim is height; 2nd dim is width; 3rd dim is the number of additional channels. fields.InputDataFields.groundtruth_difficult - 1D bool tensor of shape [None] indicating if the boxes represent `difficult` instances. fields.InputDataFields.groundtruth_group_of - 1D bool tensor of shape [None] indicating if the boxes represent `group_of` instances. fields.InputDataFields.groundtruth_keypoints - 3D float32 tensor of shape [None, num_keypoints, 2] containing keypoints, where the coordinates of the keypoints are ordered (y, x). fields.InputDataFields.groundtruth_keypoint_visibilities - 2D bool tensor of shape [None, num_keypoints] containing keypoint visibilites. fields.InputDataFields.groundtruth_instance_masks - 3D float32 tensor of shape [None, None, None] containing instance masks. fields.InputDataFields.groundtruth_image_classes - 1D int64 of shape [None] containing classes for the boxes. fields.InputDataFields.multiclass_scores - 1D float32 tensor of shape [None * num_classes] containing flattened multiclass scores for groundtruth boxes. fields.InputDataFields.context_features - 1D float32 tensor of shape [context_feature_length * num_context_features] fields.InputDataFields.context_feature_length - int32 tensor specifying the length of each feature in context_features """ serialized_example = tf.reshape(tf_example_string_tensor, shape=[]) decoder = slim_example_decoder.TFExampleDecoder(self.keys_to_features, self.items_to_handlers) keys = decoder.list_items() tensors = decoder.decode(serialized_example, items=keys) tensor_dict = dict(zip(keys, tensors)) is_crowd = fields.InputDataFields.groundtruth_is_crowd tensor_dict[is_crowd] = tf.cast(tensor_dict[is_crowd], dtype=tf.bool) tensor_dict[fields.InputDataFields.image].set_shape([None, None, 3]) tensor_dict[fields.InputDataFields.original_image_spatial_shape] = tf.shape( tensor_dict[fields.InputDataFields.image])[:2] if fields.InputDataFields.image_additional_channels in tensor_dict: channels = tensor_dict[fields.InputDataFields.image_additional_channels] channels = tf.squeeze(channels, axis=3) channels = tf.transpose(channels, perm=[1, 2, 0]) tensor_dict[fields.InputDataFields.image_additional_channels] = channels def default_groundtruth_weights(): return tf.ones( [tf.shape(tensor_dict[fields.InputDataFields.groundtruth_boxes])[0]], dtype=tf.float32) tensor_dict[fields.InputDataFields.groundtruth_weights] = tf.cond( tf.greater( tf.shape( tensor_dict[fields.InputDataFields.groundtruth_weights])[0], 0), lambda: tensor_dict[fields.InputDataFields.groundtruth_weights], default_groundtruth_weights) if fields.InputDataFields.groundtruth_keypoints in tensor_dict: # Set all keypoints that are not labeled to NaN. gt_kpt_fld = fields.InputDataFields.groundtruth_keypoints gt_kpt_vis_fld = fields.InputDataFields.groundtruth_keypoint_visibilities visibilities_tiled = tf.tile( tf.expand_dims(tensor_dict[gt_kpt_vis_fld], -1), [1, 1, 2]) tensor_dict[gt_kpt_fld] = tf.where( visibilities_tiled, tensor_dict[gt_kpt_fld], np.nan * tf.ones_like(tensor_dict[gt_kpt_fld])) if self._expand_hierarchy_labels: input_fields = fields.InputDataFields image_classes, image_confidences = self._expand_image_label_hierarchy( tensor_dict[input_fields.groundtruth_image_classes], tensor_dict[input_fields.groundtruth_image_confidences]) tensor_dict[input_fields.groundtruth_image_classes] = image_classes tensor_dict[input_fields.groundtruth_image_confidences] = ( image_confidences) box_fields = [ fields.InputDataFields.groundtruth_group_of, fields.InputDataFields.groundtruth_is_crowd, fields.InputDataFields.groundtruth_difficult, fields.InputDataFields.groundtruth_area, fields.InputDataFields.groundtruth_boxes, fields.InputDataFields.groundtruth_weights, ] def expand_field(field_name): return self._expansion_box_field_labels( tensor_dict[input_fields.groundtruth_classes], tensor_dict[field_name]) # pylint: disable=cell-var-from-loop for field in box_fields: if field in tensor_dict: tensor_dict[field] = tf.cond( tf.size(tensor_dict[field]) > 0, lambda: expand_field(field), lambda: tensor_dict[field]) # pylint: enable=cell-var-from-loop tensor_dict[input_fields.groundtruth_classes] = ( self._expansion_box_field_labels( tensor_dict[input_fields.groundtruth_classes], tensor_dict[input_fields.groundtruth_classes], True)) if fields.InputDataFields.groundtruth_group_of in tensor_dict: group_of = fields.InputDataFields.groundtruth_group_of tensor_dict[group_of] = tf.cast(tensor_dict[group_of], dtype=tf.bool) if fields.InputDataFields.groundtruth_dp_num_points in tensor_dict: tensor_dict[fields.InputDataFields.groundtruth_dp_num_points] = tf.cast( tensor_dict[fields.InputDataFields.groundtruth_dp_num_points], dtype=tf.int32) tensor_dict[fields.InputDataFields.groundtruth_dp_part_ids] = tf.cast( tensor_dict[fields.InputDataFields.groundtruth_dp_part_ids], dtype=tf.int32) if fields.InputDataFields.groundtruth_track_ids in tensor_dict: tensor_dict[fields.InputDataFields.groundtruth_track_ids] = tf.cast( tensor_dict[fields.InputDataFields.groundtruth_track_ids], dtype=tf.int32) return tensor_dict def _reshape_keypoints(self, keys_to_tensors): """Reshape keypoints. The keypoints are reshaped to [num_instances, num_keypoints, 2]. Args: keys_to_tensors: a dictionary from keys to tensors. Expected keys are: 'image/object/keypoint/x' 'image/object/keypoint/y' Returns: A 3-D float tensor of shape [num_instances, num_keypoints, 2] with values in [0, 1]. """ y = keys_to_tensors['image/object/keypoint/y'] if isinstance(y, tf.SparseTensor): y = tf.sparse_tensor_to_dense(y) y = tf.expand_dims(y, 1) x = keys_to_tensors['image/object/keypoint/x'] if isinstance(x, tf.SparseTensor): x = tf.sparse_tensor_to_dense(x) x = tf.expand_dims(x, 1) keypoints = tf.concat([y, x], 1) keypoints = tf.reshape(keypoints, [-1, self._num_keypoints, 2]) return keypoints def _reshape_keypoint_depths(self, keys_to_tensors): """Reshape keypoint depths. The keypoint depths are reshaped to [num_instances, num_keypoints]. The keypoint depth tensor is expected to have the same shape as the keypoint x (or y) tensors. If not (usually because the example does not have the depth groundtruth), then default depth values (zero) are provided. Args: keys_to_tensors: a dictionary from keys to tensors. Expected keys are: 'image/object/keypoint/x' 'image/object/keypoint/z' Returns: A 2-D float tensor of shape [num_instances, num_keypoints] with values representing the keypoint depths. """ x = keys_to_tensors['image/object/keypoint/x'] z = keys_to_tensors['image/object/keypoint/z'] if isinstance(z, tf.SparseTensor): z = tf.sparse_tensor_to_dense(z) if isinstance(x, tf.SparseTensor): x = tf.sparse_tensor_to_dense(x) default_z = tf.zeros_like(x) # Use keypoint depth groundtruth if provided, otherwise use the default # depth value. z = tf.cond(tf.equal(tf.size(x), tf.size(z)), true_fn=lambda: z, false_fn=lambda: default_z) z = tf.reshape(z, [-1, self._num_keypoints]) return z def _reshape_keypoint_depth_weights(self, keys_to_tensors): """Reshape keypoint depth weights. The keypoint depth weights are reshaped to [num_instances, num_keypoints]. The keypoint depth weights tensor is expected to have the same shape as the keypoint x (or y) tensors. If not (usually because the example does not have the depth weights groundtruth), then default weight values (zero) are provided. Args: keys_to_tensors: a dictionary from keys to tensors. Expected keys are: 'image/object/keypoint/x' 'image/object/keypoint/z/weights' Returns: A 2-D float tensor of shape [num_instances, num_keypoints] with values representing the keypoint depth weights. """ x = keys_to_tensors['image/object/keypoint/x'] z = keys_to_tensors['image/object/keypoint/z/weights'] if isinstance(z, tf.SparseTensor): z = tf.sparse_tensor_to_dense(z) if isinstance(x, tf.SparseTensor): x = tf.sparse_tensor_to_dense(x) default_z = tf.zeros_like(x) # Use keypoint depth weights if provided, otherwise use the default # values. z = tf.cond(tf.equal(tf.size(x), tf.size(z)), true_fn=lambda: z, false_fn=lambda: default_z) z = tf.reshape(z, [-1, self._num_keypoints]) return z def _reshape_keypoint_visibilities(self, keys_to_tensors): """Reshape keypoint visibilities. The keypoint visibilities are reshaped to [num_instances, num_keypoints]. The raw keypoint visibilities are expected to conform to the MSCoco definition. See Visibility enum. The returned boolean is True for the labeled case (either Visibility.NOT_VISIBLE or Visibility.VISIBLE). These are the same categories that COCO uses to evaluate keypoint detection performance: http://cocodataset.org/#keypoints-eval If image/object/keypoint/visibility is not provided, visibilities will be set to True for finite keypoint coordinate values, and 0 if the coordinates are NaN. Args: keys_to_tensors: a dictionary from keys to tensors. Expected keys are: 'image/object/keypoint/x' 'image/object/keypoint/visibility' Returns: A 2-D bool tensor of shape [num_instances, num_keypoints] with values in {0, 1}. 1 if the keypoint is labeled, 0 otherwise. """ x = keys_to_tensors['image/object/keypoint/x'] vis = keys_to_tensors['image/object/keypoint/visibility'] if isinstance(vis, tf.SparseTensor): vis = tf.sparse_tensor_to_dense(vis) if isinstance(x, tf.SparseTensor): x = tf.sparse_tensor_to_dense(x) default_vis = tf.where( tf.math.is_nan(x), Visibility.UNLABELED.value * tf.ones_like(x, dtype=tf.int64), Visibility.VISIBLE.value * tf.ones_like(x, dtype=tf.int64)) # Use visibility if provided, otherwise use the default visibility. vis = tf.cond(tf.equal(tf.size(x), tf.size(vis)), true_fn=lambda: vis, false_fn=lambda: default_vis) vis = tf.math.logical_or( tf.math.equal(vis, Visibility.NOT_VISIBLE.value), tf.math.equal(vis, Visibility.VISIBLE.value)) vis = tf.reshape(vis, [-1, self._num_keypoints]) return vis def _reshape_instance_masks(self, keys_to_tensors): """Reshape instance segmentation masks. The instance segmentation masks are reshaped to [num_instances, height, width]. Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 3-D float tensor of shape [num_instances, height, width] with values in {0, 1}. """ height = keys_to_tensors['image/height'] width = keys_to_tensors['image/width'] to_shape = tf.cast(tf.stack([-1, height, width]), tf.int32) masks = keys_to_tensors['image/object/mask'] if isinstance(masks, tf.SparseTensor): masks = tf.sparse_tensor_to_dense(masks) masks = tf.reshape( tf.cast(tf.greater(masks, 0.0), dtype=tf.float32), to_shape) return tf.cast(masks, tf.float32) def _reshape_context_features(self, keys_to_tensors): """Reshape context features. The instance context_features are reshaped to [num_context_features, context_feature_length] Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 2-D float tensor of shape [num_context_features, context_feature_length] """ context_feature_length = keys_to_tensors['image/context_feature_length'] to_shape = tf.cast(tf.stack([-1, context_feature_length]), tf.int32) context_features = keys_to_tensors['image/context_features'] if isinstance(context_features, tf.SparseTensor): context_features = tf.sparse_tensor_to_dense(context_features) context_features = tf.reshape(context_features, to_shape) return context_features def _decode_png_instance_masks(self, keys_to_tensors): """Decode PNG instance segmentation masks and stack into dense tensor. The instance segmentation masks are reshaped to [num_instances, height, width]. Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 3-D float tensor of shape [num_instances, height, width] with values in {0, 1}. """ def decode_png_mask(image_buffer): image = tf.squeeze( tf.image.decode_image(image_buffer, channels=1), axis=2) image.set_shape([None, None]) image = tf.cast(tf.greater(image, 0), dtype=tf.float32) return image png_masks = keys_to_tensors['image/object/mask'] height = keys_to_tensors['image/height'] width = keys_to_tensors['image/width'] if isinstance(png_masks, tf.SparseTensor): png_masks = tf.sparse_tensor_to_dense(png_masks, default_value='') return tf.cond( tf.greater(tf.size(png_masks), 0), lambda: tf.map_fn(decode_png_mask, png_masks, dtype=tf.float32), lambda: tf.zeros(tf.cast(tf.stack([0, height, width]), dtype=tf.int32))) def _dense_pose_part_indices(self, keys_to_tensors): """Creates a tensor that contains part indices for each DensePose point. Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 2-D int32 tensor of shape [num_instances, num_points] where each element contains the DensePose part index (0-23). The value `num_points` corresponds to the maximum number of sampled points across all instances in the image. Note that instances with less sampled points will be padded with zeros in the last dimension. """ num_points_per_instances = keys_to_tensors['image/object/densepose/num'] part_index = keys_to_tensors['image/object/densepose/part_index'] if isinstance(num_points_per_instances, tf.SparseTensor): num_points_per_instances = tf.sparse_tensor_to_dense( num_points_per_instances) if isinstance(part_index, tf.SparseTensor): part_index = tf.sparse_tensor_to_dense(part_index) part_index = tf.cast(part_index, dtype=tf.int32) max_points_per_instance = tf.cast( tf.math.reduce_max(num_points_per_instances), dtype=tf.int32) num_points_cumulative = tf.concat([ [0], tf.math.cumsum(num_points_per_instances)], axis=0) def pad_parts_tensor(instance_ind): points_range_start = num_points_cumulative[instance_ind] points_range_end = num_points_cumulative[instance_ind + 1] part_inds = part_index[points_range_start:points_range_end] return shape_utils.pad_or_clip_nd(part_inds, output_shape=[max_points_per_instance]) return tf.map_fn(pad_parts_tensor, tf.range(tf.size(num_points_per_instances)), dtype=tf.int32) def _dense_pose_surface_coordinates(self, keys_to_tensors): """Creates a tensor that contains surface coords for each DensePose point. Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 3-D float32 tensor of shape [num_instances, num_points, 4] where each point contains (y, x, v, u) data for each sampled DensePose point. The (y, x) coordinate has normalized image locations for the point, and (v, u) contains the surface coordinate (also normalized) for the part. The value `num_points` corresponds to the maximum number of sampled points across all instances in the image. Note that instances with less sampled points will be padded with zeros in dim=1. """ num_points_per_instances = keys_to_tensors['image/object/densepose/num'] dp_y = keys_to_tensors['image/object/densepose/y'] dp_x = keys_to_tensors['image/object/densepose/x'] dp_v = keys_to_tensors['image/object/densepose/v'] dp_u = keys_to_tensors['image/object/densepose/u'] if isinstance(num_points_per_instances, tf.SparseTensor): num_points_per_instances = tf.sparse_tensor_to_dense( num_points_per_instances) if isinstance(dp_y, tf.SparseTensor): dp_y = tf.sparse_tensor_to_dense(dp_y) if isinstance(dp_x, tf.SparseTensor): dp_x = tf.sparse_tensor_to_dense(dp_x) if isinstance(dp_v, tf.SparseTensor): dp_v = tf.sparse_tensor_to_dense(dp_v) if isinstance(dp_u, tf.SparseTensor): dp_u = tf.sparse_tensor_to_dense(dp_u) max_points_per_instance = tf.cast( tf.math.reduce_max(num_points_per_instances), dtype=tf.int32) num_points_cumulative = tf.concat([ [0], tf.math.cumsum(num_points_per_instances)], axis=0) def pad_surface_coordinates_tensor(instance_ind): """Pads DensePose surface coordinates for each instance.""" points_range_start = num_points_cumulative[instance_ind] points_range_end = num_points_cumulative[instance_ind + 1] y = dp_y[points_range_start:points_range_end] x = dp_x[points_range_start:points_range_end] v = dp_v[points_range_start:points_range_end] u = dp_u[points_range_start:points_range_end] # Create [num_points_i, 4] tensor, where num_points_i is the number of # sampled points for instance i. unpadded_tensor = tf.stack([y, x, v, u], axis=1) return shape_utils.pad_or_clip_nd( unpadded_tensor, output_shape=[max_points_per_instance, 4]) return tf.map_fn(pad_surface_coordinates_tensor, tf.range(tf.size(num_points_per_instances)), dtype=tf.float32) def _expand_image_label_hierarchy(self, image_classes, image_confidences): """Expand image level labels according to the hierarchy. Args: image_classes: Int64 tensor with the image level class ids for a sample. image_confidences: Float tensor signaling whether a class id is present in the image (1.0) or not present (0.0). Returns: new_image_classes: Int64 tensor equal to expanding image_classes. new_image_confidences: Float tensor equal to expanding image_confidences. """ def expand_labels(relation_tensor, confidence_value): """Expand to ancestors or descendants depending on arguments.""" mask = tf.equal(image_confidences, confidence_value) target_image_classes = tf.boolean_mask(image_classes, mask) expanded_indices = tf.reduce_any((tf.gather( relation_tensor, target_image_classes - _LABEL_OFFSET, axis=0) > 0), axis=0) expanded_indices = tf.where(expanded_indices)[:, 0] + _LABEL_OFFSET new_groundtruth_image_classes = ( tf.concat([ tf.boolean_mask(image_classes, tf.logical_not(mask)), expanded_indices, ], axis=0)) new_groundtruth_image_confidences = ( tf.concat([ tf.boolean_mask(image_confidences, tf.logical_not(mask)), tf.ones([tf.shape(expanded_indices)[0]], dtype=image_confidences.dtype) * confidence_value, ], axis=0)) return new_groundtruth_image_classes, new_groundtruth_image_confidences image_classes, image_confidences = expand_labels(self._ancestors_lut, 1.0) new_image_classes, new_image_confidences = expand_labels( self._descendants_lut, 0.0) return new_image_classes, new_image_confidences def _expansion_box_field_labels(self, object_classes, object_field, copy_class_id=False): """Expand the labels of a specific object field according to the hierarchy. Args: object_classes: Int64 tensor with the class id for each element in object_field. object_field: Tensor to be expanded. copy_class_id: Boolean to choose whether to use class id values in the output tensor instead of replicating the original values. Returns: A tensor with the result of expanding object_field. """ expanded_indices = tf.gather( self._ancestors_lut, object_classes - _LABEL_OFFSET, axis=0) if copy_class_id: new_object_field = tf.where(expanded_indices > 0)[:, 1] + _LABEL_OFFSET else: new_object_field = tf.repeat( object_field, tf.reduce_sum(expanded_indices, axis=1), axis=0) return new_object_field
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/data_decoders/tf_example_decoder.py
tf_example_decoder.py
"""Sequence example decoder for object detection.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function from six.moves import zip import tensorflow.compat.v1 as tf from tf_slim import tfexample_decoder as slim_example_decoder from object_detection.core import data_decoder from object_detection.core import standard_fields as fields from object_detection.utils import label_map_util # pylint: disable=g-import-not-at-top try: from tensorflow.contrib import lookup as contrib_lookup except ImportError: # TF 2.0 doesn't ship with contrib. pass # pylint: enable=g-import-not-at-top class _ClassTensorHandler(slim_example_decoder.Tensor): """An ItemHandler to fetch class ids from class text.""" def __init__(self, tensor_key, label_map_proto_file, shape_keys=None, shape=None, default_value=''): """Initializes the LookupTensor handler. Simply calls a vocabulary (most often, a label mapping) lookup. Args: tensor_key: the name of the `TFExample` feature to read the tensor from. label_map_proto_file: File path to a text format LabelMapProto message mapping class text to id. shape_keys: Optional name or list of names of the TF-Example feature in which the tensor shape is stored. If a list, then each corresponds to one dimension of the shape. shape: Optional output shape of the `Tensor`. If provided, the `Tensor` is reshaped accordingly. default_value: The value used when the `tensor_key` is not found in a particular `TFExample`. Raises: ValueError: if both `shape_keys` and `shape` are specified. """ name_to_id = label_map_util.get_label_map_dict( label_map_proto_file, use_display_name=False) # We use a default_value of -1, but we expect all labels to be contained # in the label map. try: # Dynamically try to load the tf v2 lookup, falling back to contrib lookup = tf.compat.v2.lookup hash_table_class = tf.compat.v2.lookup.StaticHashTable except AttributeError: lookup = contrib_lookup hash_table_class = contrib_lookup.HashTable name_to_id_table = hash_table_class( initializer=lookup.KeyValueTensorInitializer( keys=tf.constant(list(name_to_id.keys())), values=tf.constant(list(name_to_id.values()), dtype=tf.int64)), default_value=-1) self._name_to_id_table = name_to_id_table super(_ClassTensorHandler, self).__init__(tensor_key, shape_keys, shape, default_value) def tensors_to_item(self, keys_to_tensors): unmapped_tensor = super(_ClassTensorHandler, self).tensors_to_item(keys_to_tensors) return self._name_to_id_table.lookup(unmapped_tensor) class TfSequenceExampleDecoder(data_decoder.DataDecoder): """Tensorflow Sequence Example proto decoder for Object Detection. Sequence examples contain sequences of images which share common features. The structure of TfSequenceExamples can be seen in dataset_tools/seq_example_util.py For the TFODAPI, the following fields are required: Shared features: 'image/format' 'image/height' 'image/width' Features with an entry for each image, where bounding box features can be empty lists if the image does not contain any objects: 'image/encoded' 'image/source_id' 'region/bbox/xmin' 'region/bbox/xmax' 'region/bbox/ymin' 'region/bbox/ymax' 'region/label/string' Optionally, the sequence example can include context_features for use in Context R-CNN (see https://arxiv.org/abs/1912.03538): 'image/context_features' 'image/context_feature_length' 'image/context_features_image_id_list' """ def __init__(self, label_map_proto_file, load_context_features=False, load_context_image_ids=False, use_display_name=False, fully_annotated=False): """Constructs `TfSequenceExampleDecoder` object. Args: label_map_proto_file: a file path to a object_detection.protos.StringIntLabelMap proto. The label map will be used to map IDs of 'region/label/string'. It is assumed that 'region/label/string' will be in the data. load_context_features: Whether to load information from context_features, to provide additional context to a detection model for training and/or inference load_context_image_ids: Whether to load the corresponding image ids for the context_features in order to visualize attention. use_display_name: whether or not to use the `display_name` for label mapping (instead of `name`). Only used if label_map_proto_file is provided. fully_annotated: If True, will assume that every frame (whether it has boxes or not), has been fully annotated. If False, a 'region/is_annotated' field must be provided in the dataset which indicates which frames have annotations. Default False. """ # Specifies how the tf.SequenceExamples are decoded. self._context_keys_to_features = { 'image/format': tf.FixedLenFeature((), tf.string, default_value='jpeg'), 'image/height': tf.FixedLenFeature((), tf.int64), 'image/width': tf.FixedLenFeature((), tf.int64), } self._sequence_keys_to_feature_lists = { 'image/encoded': tf.FixedLenSequenceFeature([], dtype=tf.string), 'image/source_id': tf.FixedLenSequenceFeature([], dtype=tf.string), 'region/bbox/xmin': tf.VarLenFeature(dtype=tf.float32), 'region/bbox/xmax': tf.VarLenFeature(dtype=tf.float32), 'region/bbox/ymin': tf.VarLenFeature(dtype=tf.float32), 'region/bbox/ymax': tf.VarLenFeature(dtype=tf.float32), 'region/label/string': tf.VarLenFeature(dtype=tf.string), 'region/label/confidence': tf.VarLenFeature(dtype=tf.float32), } self._items_to_handlers = { # Context. fields.InputDataFields.image_height: slim_example_decoder.Tensor('image/height'), fields.InputDataFields.image_width: slim_example_decoder.Tensor('image/width'), # Sequence. fields.InputDataFields.num_groundtruth_boxes: slim_example_decoder.NumBoxesSequence('region/bbox/xmin'), fields.InputDataFields.groundtruth_boxes: slim_example_decoder.BoundingBoxSequence( prefix='region/bbox/', default_value=0.0), fields.InputDataFields.groundtruth_weights: slim_example_decoder.Tensor('region/label/confidence'), } # If the dataset is sparsely annotated, parse sequence features which # indicate which frames have been labeled. if not fully_annotated: self._sequence_keys_to_feature_lists['region/is_annotated'] = ( tf.FixedLenSequenceFeature([], dtype=tf.int64)) self._items_to_handlers[fields.InputDataFields.is_annotated] = ( slim_example_decoder.Tensor('region/is_annotated')) self._items_to_handlers[fields.InputDataFields.image] = ( slim_example_decoder.Tensor('image/encoded')) self._items_to_handlers[fields.InputDataFields.source_id] = ( slim_example_decoder.Tensor('image/source_id')) label_handler = _ClassTensorHandler( 'region/label/string', label_map_proto_file, default_value='') self._items_to_handlers[ fields.InputDataFields.groundtruth_classes] = label_handler if load_context_features: self._context_keys_to_features['image/context_features'] = ( tf.VarLenFeature(dtype=tf.float32)) self._items_to_handlers[fields.InputDataFields.context_features] = ( slim_example_decoder.ItemHandlerCallback( ['image/context_features', 'image/context_feature_length'], self._reshape_context_features)) self._context_keys_to_features['image/context_feature_length'] = ( tf.FixedLenFeature((), tf.int64)) self._items_to_handlers[fields.InputDataFields.context_feature_length] = ( slim_example_decoder.Tensor('image/context_feature_length')) if load_context_image_ids: self._context_keys_to_features['image/context_features_image_id_list'] = ( tf.VarLenFeature(dtype=tf.string)) self._items_to_handlers[ fields.InputDataFields.context_features_image_id_list] = ( slim_example_decoder.Tensor( 'image/context_features_image_id_list', default_value='')) self._fully_annotated = fully_annotated def decode(self, tf_seq_example_string_tensor): """Decodes serialized `tf.SequenceExample`s and returns a tensor dictionary. Args: tf_seq_example_string_tensor: a string tensor holding a serialized `tf.SequenceExample`. Returns: A list of dictionaries with (at least) the following tensors: fields.InputDataFields.source_id: a [num_frames] string tensor with a unique ID for each frame. fields.InputDataFields.num_groundtruth_boxes: a [num_frames] int32 tensor specifying the number of boxes in each frame. fields.InputDataFields.groundtruth_boxes: a [num_frames, num_boxes, 4] float32 tensor with bounding boxes for each frame. Note that num_boxes is the maximum boxes seen in any individual frame. Any frames with fewer boxes are padded with 0.0. fields.InputDataFields.groundtruth_classes: a [num_frames, num_boxes] int32 tensor with class indices for each box in each frame. fields.InputDataFields.groundtruth_weights: a [num_frames, num_boxes] float32 tensor with weights of the groundtruth boxes. fields.InputDataFields.is_annotated: a [num_frames] bool tensor specifying whether the image was annotated or not. If False, the corresponding entries in the groundtruth tensor will be ignored. fields.InputDataFields.context_features - 1D float32 tensor of shape [context_feature_length * num_context_features] fields.InputDataFields.context_feature_length - int32 tensor specifying the length of each feature in context_features fields.InputDataFields.image: a [num_frames] string tensor with the encoded images. fields.inputDataFields.context_features_image_id_list: a 1D vector of shape [num_context_features] containing string tensors. """ serialized_example = tf.reshape(tf_seq_example_string_tensor, shape=[]) decoder = slim_example_decoder.TFSequenceExampleDecoder( self._context_keys_to_features, self._sequence_keys_to_feature_lists, self._items_to_handlers) keys = decoder.list_items() tensors = decoder.decode(serialized_example, items=keys) tensor_dict = dict(list(zip(keys, tensors))) tensor_dict[fields.InputDataFields.groundtruth_boxes].set_shape( [None, None, 4]) tensor_dict[fields.InputDataFields.num_groundtruth_boxes] = tf.cast( tensor_dict[fields.InputDataFields.num_groundtruth_boxes], dtype=tf.int32) tensor_dict[fields.InputDataFields.groundtruth_classes] = tf.cast( tensor_dict[fields.InputDataFields.groundtruth_classes], dtype=tf.int32) tensor_dict[fields.InputDataFields.original_image_spatial_shape] = tf.cast( tf.stack([ tensor_dict[fields.InputDataFields.image_height], tensor_dict[fields.InputDataFields.image_width] ]), dtype=tf.int32) tensor_dict.pop(fields.InputDataFields.image_height) tensor_dict.pop(fields.InputDataFields.image_width) def default_groundtruth_weights(): """Produces weights of 1.0 for each valid box, and 0.0 otherwise.""" num_boxes_per_frame = tensor_dict[ fields.InputDataFields.num_groundtruth_boxes] max_num_boxes = tf.reduce_max(num_boxes_per_frame) num_boxes_per_frame_tiled = tf.tile( tf.expand_dims(num_boxes_per_frame, axis=-1), multiples=tf.stack([1, max_num_boxes])) range_tiled = tf.tile( tf.expand_dims(tf.range(max_num_boxes), axis=0), multiples=tf.stack([tf.shape(num_boxes_per_frame)[0], 1])) return tf.cast( tf.greater(num_boxes_per_frame_tiled, range_tiled), tf.float32) tensor_dict[fields.InputDataFields.groundtruth_weights] = tf.cond( tf.greater( tf.size(tensor_dict[fields.InputDataFields.groundtruth_weights]), 0), lambda: tensor_dict[fields.InputDataFields.groundtruth_weights], default_groundtruth_weights) if self._fully_annotated: tensor_dict[fields.InputDataFields.is_annotated] = tf.ones_like( tensor_dict[fields.InputDataFields.num_groundtruth_boxes], dtype=tf.bool) else: tensor_dict[fields.InputDataFields.is_annotated] = tf.cast( tensor_dict[fields.InputDataFields.is_annotated], dtype=tf.bool) return tensor_dict def _reshape_context_features(self, keys_to_tensors): """Reshape context features. The instance context_features are reshaped to [num_context_features, context_feature_length] Args: keys_to_tensors: a dictionary from keys to tensors. Returns: A 2-D float tensor of shape [num_context_features, context_feature_length] """ context_feature_length = keys_to_tensors['image/context_feature_length'] to_shape = tf.cast(tf.stack([-1, context_feature_length]), tf.int32) context_features = keys_to_tensors['image/context_features'] if isinstance(context_features, tf.SparseTensor): context_features = tf.sparse_tensor_to_dense(context_features) context_features = tf.reshape(context_features, to_shape) return context_features
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/data_decoders/tf_sequence_example_decoder.py
tf_sequence_example_decoder.py
"""Generates grid anchors on the fly corresponding to multiple CNN layers.""" import tensorflow.compat.v1 as tf from object_detection.anchor_generators import grid_anchor_generator from object_detection.core import anchor_generator from object_detection.core import box_list_ops class FlexibleGridAnchorGenerator(anchor_generator.AnchorGenerator): """Generate a grid of anchors for multiple CNN layers of different scale.""" def __init__(self, base_sizes, aspect_ratios, anchor_strides, anchor_offsets, normalize_coordinates=True): """Constructs a FlexibleGridAnchorGenerator. This generator is more flexible than the multiple_grid_anchor_generator and multiscale_grid_anchor_generator, and can generate any of the anchors that they can generate, plus additional anchor configurations. In particular, it allows the explicit specification of scale and aspect ratios at each layer without making any assumptions between the relationship between scales and aspect ratios between layers. Args: base_sizes: list of tuples of anchor base sizes. For example, setting base_sizes=[(1, 2, 3), (4, 5)] means that we want 3 anchors at each grid point on the first layer with the base sizes of 1, 2, and 3, and 2 anchors at each grid point on the second layer with the base sizes of 4 and 5. aspect_ratios: list or tuple of aspect ratios. For example, setting aspect_ratios=[(1.0, 2.0, 0.5), (1.0, 2.0)] means that we want 3 anchors at each grid point on the first layer with aspect ratios of 1.0, 2.0, and 0.5, and 2 anchors at each grid point on the sercond layer with the base sizes of 1.0 and 2.0. anchor_strides: list of pairs of strides in pixels (in y and x directions respectively). For example, setting anchor_strides=[(25, 25), (50, 50)] means that we want the anchors corresponding to the first layer to be strided by 25 pixels and those in the second layer to be strided by 50 pixels in both y and x directions. anchor_offsets: list of pairs of offsets in pixels (in y and x directions respectively). The offset specifies where we want the center of the (0, 0)-th anchor to lie for each layer. For example, setting anchor_offsets=[(10, 10), (20, 20)]) means that we want the (0, 0)-th anchor of the first layer to lie at (10, 10) in pixel space and likewise that we want the (0, 0)-th anchor of the second layer to lie at (25, 25) in pixel space. normalize_coordinates: whether to produce anchors in normalized coordinates. (defaults to True). """ self._base_sizes = base_sizes self._aspect_ratios = aspect_ratios self._anchor_strides = anchor_strides self._anchor_offsets = anchor_offsets self._normalize_coordinates = normalize_coordinates def name_scope(self): return 'FlexibleGridAnchorGenerator' def num_anchors_per_location(self): """Returns the number of anchors per spatial location. Returns: a list of integers, one for each expected feature map to be passed to the Generate function. """ return [len(size) for size in self._base_sizes] def _generate(self, feature_map_shape_list, im_height=1, im_width=1): """Generates a collection of bounding boxes to be used as anchors. Currently we require the input image shape to be statically defined. That is, im_height and im_width should be integers rather than tensors. Args: feature_map_shape_list: list of pairs of convnet layer resolutions in the format [(height_0, width_0), (height_1, width_1), ...]. For example, setting feature_map_shape_list=[(8, 8), (7, 7)] asks for anchors that correspond to an 8x8 layer followed by a 7x7 layer. im_height: the height of the image to generate the grid for. If both im_height and im_width are 1, anchors can only be generated in absolute coordinates. im_width: the width of the image to generate the grid for. If both im_height and im_width are 1, anchors can only be generated in absolute coordinates. Returns: boxes_list: a list of BoxLists each holding anchor boxes corresponding to the input feature map shapes. Raises: ValueError: if im_height and im_width are 1, but normalized coordinates were requested. """ anchor_grid_list = [] for (feat_shape, base_sizes, aspect_ratios, anchor_stride, anchor_offset ) in zip(feature_map_shape_list, self._base_sizes, self._aspect_ratios, self._anchor_strides, self._anchor_offsets): anchor_grid = grid_anchor_generator.tile_anchors( feat_shape[0], feat_shape[1], tf.cast(tf.convert_to_tensor(base_sizes), dtype=tf.float32), tf.cast(tf.convert_to_tensor(aspect_ratios), dtype=tf.float32), tf.constant([1.0, 1.0]), tf.cast(tf.convert_to_tensor(anchor_stride), dtype=tf.float32), tf.cast(tf.convert_to_tensor(anchor_offset), dtype=tf.float32)) num_anchors = anchor_grid.num_boxes_static() if num_anchors is None: num_anchors = anchor_grid.num_boxes() anchor_indices = tf.zeros([num_anchors]) anchor_grid.add_field('feature_map_index', anchor_indices) if self._normalize_coordinates: if im_height == 1 or im_width == 1: raise ValueError( 'Normalized coordinates were requested upon construction of the ' 'FlexibleGridAnchorGenerator, but a subsequent call to ' 'generate did not supply dimension information.') anchor_grid = box_list_ops.to_normalized_coordinates( anchor_grid, im_height, im_width, check_range=False) anchor_grid_list.append(anchor_grid) return anchor_grid_list
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/anchor_generators/flexible_grid_anchor_generator.py
flexible_grid_anchor_generator.py
import tensorflow.compat.v1 as tf from tf2_predictor.object_detection.core import anchor_generator from tf2_predictor.object_detection.core import box_list from tf2_predictor.object_detection.utils import ops class GridAnchorGenerator(anchor_generator.AnchorGenerator): """Generates a grid of anchors at given scales and aspect ratios.""" def __init__(self, scales=(0.5, 1.0, 2.0), aspect_ratios=(0.5, 1.0, 2.0), base_anchor_size=None, anchor_stride=None, anchor_offset=None): """Constructs a GridAnchorGenerator. Args: scales: a list of (float) scales, default=(0.5, 1.0, 2.0) aspect_ratios: a list of (float) aspect ratios, default=(0.5, 1.0, 2.0) base_anchor_size: base anchor size as height, width ( (length-2 float32 list or tensor, default=[256, 256]) anchor_stride: difference in centers between base anchors for adjacent grid positions (length-2 float32 list or tensor, default=[16, 16]) anchor_offset: center of the anchor with scale and aspect ratio 1 for the upper left element of the grid, this should be zero for feature networks with only VALID padding and even receptive field size, but may need additional calculation if other padding is used (length-2 float32 list or tensor, default=[0, 0]) """ # Handle argument defaults if base_anchor_size is None: base_anchor_size = [256, 256] if anchor_stride is None: anchor_stride = [16, 16] if anchor_offset is None: anchor_offset = [0, 0] self._scales = scales self._aspect_ratios = aspect_ratios self._base_anchor_size = base_anchor_size self._anchor_stride = anchor_stride self._anchor_offset = anchor_offset def name_scope(self): return 'GridAnchorGenerator' def num_anchors_per_location(self): """Returns the number of anchors per spatial location. Returns: a list of integers, one for each expected feature map to be passed to the `generate` function. """ return [len(self._scales) * len(self._aspect_ratios)] def _generate(self, feature_map_shape_list): """Generates a collection of bounding boxes to be used as anchors. Args: feature_map_shape_list: list of pairs of convnet layer resolutions in the format [(height_0, width_0)]. For example, setting feature_map_shape_list=[(8, 8)] asks for anchors that correspond to an 8x8 layer. For this anchor generator, only lists of length 1 are allowed. Returns: boxes_list: a list of BoxLists each holding anchor boxes corresponding to the input feature map shapes. Raises: ValueError: if feature_map_shape_list, box_specs_list do not have the same length. ValueError: if feature_map_shape_list does not consist of pairs of integers """ if not (isinstance(feature_map_shape_list, list) and len(feature_map_shape_list) == 1): raise ValueError('feature_map_shape_list must be a list of length 1.') if not all([isinstance(list_item, tuple) and len(list_item) == 2 for list_item in feature_map_shape_list]): raise ValueError('feature_map_shape_list must be a list of pairs.') # Create constants in init_scope so they can be created in tf.functions # and accessed from outside of the function. with tf.init_scope(): self._base_anchor_size = tf.cast(tf.convert_to_tensor( self._base_anchor_size), dtype=tf.float32) self._anchor_stride = tf.cast(tf.convert_to_tensor( self._anchor_stride), dtype=tf.float32) self._anchor_offset = tf.cast(tf.convert_to_tensor( self._anchor_offset), dtype=tf.float32) grid_height, grid_width = feature_map_shape_list[0] scales_grid, aspect_ratios_grid = ops.meshgrid(self._scales, self._aspect_ratios) scales_grid = tf.reshape(scales_grid, [-1]) aspect_ratios_grid = tf.reshape(aspect_ratios_grid, [-1]) anchors = tile_anchors(grid_height, grid_width, scales_grid, aspect_ratios_grid, self._base_anchor_size, self._anchor_stride, self._anchor_offset) num_anchors = anchors.num_boxes_static() if num_anchors is None: num_anchors = anchors.num_boxes() anchor_indices = tf.zeros([num_anchors]) anchors.add_field('feature_map_index', anchor_indices) return [anchors] def tile_anchors(grid_height, grid_width, scales, aspect_ratios, base_anchor_size, anchor_stride, anchor_offset): """Create a tiled set of anchors strided along a grid in image space. This op creates a set of anchor boxes by placing a "basis" collection of boxes with user-specified scales and aspect ratios centered at evenly distributed points along a grid. The basis collection is specified via the scale and aspect_ratios arguments. For example, setting scales=[.1, .2, .2] and aspect ratios = [2,2,1/2] means that we create three boxes: one with scale .1, aspect ratio 2, one with scale .2, aspect ratio 2, and one with scale .2 and aspect ratio 1/2. Each box is multiplied by "base_anchor_size" before placing it over its respective center. Grid points are specified via grid_height, grid_width parameters as well as the anchor_stride and anchor_offset parameters. Args: grid_height: size of the grid in the y direction (int or int scalar tensor) grid_width: size of the grid in the x direction (int or int scalar tensor) scales: a 1-d (float) tensor representing the scale of each box in the basis set. aspect_ratios: a 1-d (float) tensor representing the aspect ratio of each box in the basis set. The length of the scales and aspect_ratios tensors must be equal. base_anchor_size: base anchor size as [height, width] (float tensor of shape [2]) anchor_stride: difference in centers between base anchors for adjacent grid positions (float tensor of shape [2]) anchor_offset: center of the anchor with scale and aspect ratio 1 for the upper left element of the grid, this should be zero for feature networks with only VALID padding and even receptive field size, but may need some additional calculation if other padding is used (float tensor of shape [2]) Returns: a BoxList holding a collection of N anchor boxes """ ratio_sqrts = tf.sqrt(aspect_ratios) heights = scales / ratio_sqrts * base_anchor_size[0] widths = scales * ratio_sqrts * base_anchor_size[1] # Get a grid of box centers y_centers = tf.cast(tf.range(grid_height), dtype=tf.float32) y_centers = y_centers * anchor_stride[0] + anchor_offset[0] x_centers = tf.cast(tf.range(grid_width), dtype=tf.float32) x_centers = x_centers * anchor_stride[1] + anchor_offset[1] x_centers, y_centers = ops.meshgrid(x_centers, y_centers) widths_grid, x_centers_grid = ops.meshgrid(widths, x_centers) heights_grid, y_centers_grid = ops.meshgrid(heights, y_centers) bbox_centers = tf.stack([y_centers_grid, x_centers_grid], axis=3) bbox_sizes = tf.stack([heights_grid, widths_grid], axis=3) bbox_centers = tf.reshape(bbox_centers, [-1, 2]) bbox_sizes = tf.reshape(bbox_sizes, [-1, 2]) bbox_corners = _center_size_bbox_to_corners_bbox(bbox_centers, bbox_sizes) return box_list.BoxList(bbox_corners) def _center_size_bbox_to_corners_bbox(centers, sizes): """Converts bbox center-size representation to corners representation. Args: centers: a tensor with shape [N, 2] representing bounding box centers sizes: a tensor with shape [N, 2] representing bounding boxes Returns: corners: tensor with shape [N, 4] representing bounding boxes in corners representation """ return tf.concat([centers - .5 * sizes, centers + .5 * sizes], 1)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/anchor_generators/grid_anchor_generator.py
grid_anchor_generator.py
import tensorflow.compat.v1 as tf from object_detection.anchor_generators import grid_anchor_generator from object_detection.core import anchor_generator from object_detection.core import box_list_ops class MultiscaleGridAnchorGenerator(anchor_generator.AnchorGenerator): """Generate a grid of anchors for multiple CNN layers of different scale.""" def __init__(self, min_level, max_level, anchor_scale, aspect_ratios, scales_per_octave, normalize_coordinates=True): """Constructs a MultiscaleGridAnchorGenerator. To construct anchors, at multiple scale resolutions, one must provide a the minimum level and maximum levels on a scale pyramid. To define the size of anchor, the anchor scale is provided to decide the size relatively to the stride of the corresponding feature map. The generator allows one pixel location on feature map maps to multiple anchors, that have different aspect ratios and intermediate scales. Args: min_level: minimum level in feature pyramid. max_level: maximum level in feature pyramid. anchor_scale: anchor scale and feature stride define the size of the base anchor on an image. For example, given a feature pyramid with strides [2^3, ..., 2^7] and anchor scale 4. The base anchor size is 4 * [2^3, ..., 2^7]. aspect_ratios: list or tuple of (float) aspect ratios to place on each grid point. scales_per_octave: integer number of intermediate scales per scale octave. normalize_coordinates: whether to produce anchors in normalized coordinates. (defaults to True). """ self._anchor_grid_info = [] self._aspect_ratios = aspect_ratios self._scales_per_octave = scales_per_octave self._normalize_coordinates = normalize_coordinates scales = [2**(float(scale) / scales_per_octave) for scale in range(scales_per_octave)] aspects = list(aspect_ratios) for level in range(min_level, max_level + 1): anchor_stride = [2**level, 2**level] base_anchor_size = [2**level * anchor_scale, 2**level * anchor_scale] self._anchor_grid_info.append({ 'level': level, 'info': [scales, aspects, base_anchor_size, anchor_stride] }) def name_scope(self): return 'MultiscaleGridAnchorGenerator' def num_anchors_per_location(self): """Returns the number of anchors per spatial location. Returns: a list of integers, one for each expected feature map to be passed to the Generate function. """ return len(self._anchor_grid_info) * [ len(self._aspect_ratios) * self._scales_per_octave] def _generate(self, feature_map_shape_list, im_height=1, im_width=1): """Generates a collection of bounding boxes to be used as anchors. For training, we require the input image shape to be statically defined. That is, im_height and im_width should be integers rather than tensors. For inference, im_height and im_width can be either integers (for fixed image size), or tensors (for arbitrary image size). Args: feature_map_shape_list: list of pairs of convnet layer resolutions in the format [(height_0, width_0), (height_1, width_1), ...]. For example, setting feature_map_shape_list=[(8, 8), (7, 7)] asks for anchors that correspond to an 8x8 layer followed by a 7x7 layer. im_height: the height of the image to generate the grid for. If both im_height and im_width are 1, anchors can only be generated in absolute coordinates. im_width: the width of the image to generate the grid for. If both im_height and im_width are 1, anchors can only be generated in absolute coordinates. Returns: boxes_list: a list of BoxLists each holding anchor boxes corresponding to the input feature map shapes. Raises: ValueError: if im_height and im_width are not integers. ValueError: if im_height and im_width are 1, but normalized coordinates were requested. """ anchor_grid_list = [] for feat_shape, grid_info in zip(feature_map_shape_list, self._anchor_grid_info): # TODO(rathodv) check the feature_map_shape_list is consistent with # self._anchor_grid_info level = grid_info['level'] stride = 2**level scales, aspect_ratios, base_anchor_size, anchor_stride = grid_info['info'] feat_h = feat_shape[0] feat_w = feat_shape[1] anchor_offset = [0, 0] if isinstance(im_height, int) and isinstance(im_width, int): if im_height % 2.0**level == 0 or im_height == 1: anchor_offset[0] = stride / 2.0 if im_width % 2.0**level == 0 or im_width == 1: anchor_offset[1] = stride / 2.0 if tf.is_tensor(im_height) and tf.is_tensor(im_width): anchor_offset[0] = stride / 2.0 anchor_offset[1] = stride / 2.0 ag = grid_anchor_generator.GridAnchorGenerator( scales, aspect_ratios, base_anchor_size=base_anchor_size, anchor_stride=anchor_stride, anchor_offset=anchor_offset) (anchor_grid,) = ag.generate(feature_map_shape_list=[(feat_h, feat_w)]) if self._normalize_coordinates: if im_height == 1 or im_width == 1: raise ValueError( 'Normalized coordinates were requested upon construction of the ' 'MultiscaleGridAnchorGenerator, but a subsequent call to ' 'generate did not supply dimension information.') anchor_grid = box_list_ops.to_normalized_coordinates( anchor_grid, im_height, im_width, check_range=False) anchor_grid_list.append(anchor_grid) return anchor_grid_list
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/anchor_generators/multiscale_grid_anchor_generator.py
multiscale_grid_anchor_generator.py
import numpy as np import tensorflow.compat.v1 as tf from object_detection.anchor_generators import grid_anchor_generator from object_detection.core import anchor_generator from object_detection.core import box_list_ops class MultipleGridAnchorGenerator(anchor_generator.AnchorGenerator): """Generate a grid of anchors for multiple CNN layers.""" def __init__(self, box_specs_list, base_anchor_size=None, anchor_strides=None, anchor_offsets=None, clip_window=None): """Constructs a MultipleGridAnchorGenerator. To construct anchors, at multiple grid resolutions, one must provide a list of feature_map_shape_list (e.g., [(8, 8), (4, 4)]), and for each grid size, a corresponding list of (scale, aspect ratio) box specifications. For example: box_specs_list = [[(.1, 1.0), (.1, 2.0)], # for 8x8 grid [(.2, 1.0), (.3, 1.0), (.2, 2.0)]] # for 4x4 grid To support the fully convolutional setting, we pass grid sizes in at generation time, while scale and aspect ratios are fixed at construction time. Args: box_specs_list: list of list of (scale, aspect ratio) pairs with the outside list having the same number of entries as feature_map_shape_list (which is passed in at generation time). base_anchor_size: base anchor size as [height, width] (length-2 float numpy or Tensor, default=[1.0, 1.0]). The height and width values are normalized to the minimum dimension of the input height and width, so that when the base anchor height equals the base anchor width, the resulting anchor is square even if the input image is not square. anchor_strides: list of pairs of strides in pixels (in y and x directions respectively). For example, setting anchor_strides=[(25, 25), (50, 50)] means that we want the anchors corresponding to the first layer to be strided by 25 pixels and those in the second layer to be strided by 50 pixels in both y and x directions. If anchor_strides=None, they are set to be the reciprocal of the corresponding feature map shapes. anchor_offsets: list of pairs of offsets in pixels (in y and x directions respectively). The offset specifies where we want the center of the (0, 0)-th anchor to lie for each layer. For example, setting anchor_offsets=[(10, 10), (20, 20)]) means that we want the (0, 0)-th anchor of the first layer to lie at (10, 10) in pixel space and likewise that we want the (0, 0)-th anchor of the second layer to lie at (25, 25) in pixel space. If anchor_offsets=None, then they are set to be half of the corresponding anchor stride. clip_window: a tensor of shape [4] specifying a window to which all anchors should be clipped. If clip_window is None, then no clipping is performed. Raises: ValueError: if box_specs_list is not a list of list of pairs ValueError: if clip_window is not either None or a tensor of shape [4] """ if isinstance(box_specs_list, list) and all( [isinstance(list_item, list) for list_item in box_specs_list]): self._box_specs = box_specs_list else: raise ValueError('box_specs_list is expected to be a ' 'list of lists of pairs') if base_anchor_size is None: base_anchor_size = [256, 256] self._base_anchor_size = base_anchor_size self._anchor_strides = anchor_strides self._anchor_offsets = anchor_offsets if clip_window is not None and clip_window.get_shape().as_list() != [4]: raise ValueError('clip_window must either be None or a shape [4] tensor') self._clip_window = clip_window self._scales = [] self._aspect_ratios = [] for box_spec in self._box_specs: if not all([isinstance(entry, tuple) and len(entry) == 2 for entry in box_spec]): raise ValueError('box_specs_list is expected to be a ' 'list of lists of pairs') scales, aspect_ratios = zip(*box_spec) self._scales.append(scales) self._aspect_ratios.append(aspect_ratios) for arg, arg_name in zip([self._anchor_strides, self._anchor_offsets], ['anchor_strides', 'anchor_offsets']): if arg and not (isinstance(arg, list) and len(arg) == len(self._box_specs)): raise ValueError('%s must be a list with the same length ' 'as self._box_specs' % arg_name) if arg and not all([ isinstance(list_item, tuple) and len(list_item) == 2 for list_item in arg ]): raise ValueError('%s must be a list of pairs.' % arg_name) def name_scope(self): return 'MultipleGridAnchorGenerator' def num_anchors_per_location(self): """Returns the number of anchors per spatial location. Returns: a list of integers, one for each expected feature map to be passed to the Generate function. """ return [len(box_specs) for box_specs in self._box_specs] def _generate(self, feature_map_shape_list, im_height=1, im_width=1): """Generates a collection of bounding boxes to be used as anchors. The number of anchors generated for a single grid with shape MxM where we place k boxes over each grid center is k*M^2 and thus the total number of anchors is the sum over all grids. In our box_specs_list example (see the constructor docstring), we would place two boxes over each grid point on an 8x8 grid and three boxes over each grid point on a 4x4 grid and thus end up with 2*8^2 + 3*4^2 = 176 anchors in total. The layout of the output anchors follows the order of how the grid sizes and box_specs are specified (with box_spec index varying the fastest, followed by width index, then height index, then grid index). Args: feature_map_shape_list: list of pairs of convnet layer resolutions in the format [(height_0, width_0), (height_1, width_1), ...]. For example, setting feature_map_shape_list=[(8, 8), (7, 7)] asks for anchors that correspond to an 8x8 layer followed by a 7x7 layer. im_height: the height of the image to generate the grid for. If both im_height and im_width are 1, the generated anchors default to absolute coordinates, otherwise normalized coordinates are produced. im_width: the width of the image to generate the grid for. If both im_height and im_width are 1, the generated anchors default to absolute coordinates, otherwise normalized coordinates are produced. Returns: boxes_list: a list of BoxLists each holding anchor boxes corresponding to the input feature map shapes. Raises: ValueError: if feature_map_shape_list, box_specs_list do not have the same length. ValueError: if feature_map_shape_list does not consist of pairs of integers """ if not (isinstance(feature_map_shape_list, list) and len(feature_map_shape_list) == len(self._box_specs)): raise ValueError('feature_map_shape_list must be a list with the same ' 'length as self._box_specs') if not all([isinstance(list_item, tuple) and len(list_item) == 2 for list_item in feature_map_shape_list]): raise ValueError('feature_map_shape_list must be a list of pairs.') im_height = tf.cast(im_height, dtype=tf.float32) im_width = tf.cast(im_width, dtype=tf.float32) if not self._anchor_strides: anchor_strides = [(1.0 / tf.cast(pair[0], dtype=tf.float32), 1.0 / tf.cast(pair[1], dtype=tf.float32)) for pair in feature_map_shape_list] else: anchor_strides = [(tf.cast(stride[0], dtype=tf.float32) / im_height, tf.cast(stride[1], dtype=tf.float32) / im_width) for stride in self._anchor_strides] if not self._anchor_offsets: anchor_offsets = [(0.5 * stride[0], 0.5 * stride[1]) for stride in anchor_strides] else: anchor_offsets = [(tf.cast(offset[0], dtype=tf.float32) / im_height, tf.cast(offset[1], dtype=tf.float32) / im_width) for offset in self._anchor_offsets] for arg, arg_name in zip([anchor_strides, anchor_offsets], ['anchor_strides', 'anchor_offsets']): if not (isinstance(arg, list) and len(arg) == len(self._box_specs)): raise ValueError('%s must be a list with the same length ' 'as self._box_specs' % arg_name) if not all([isinstance(list_item, tuple) and len(list_item) == 2 for list_item in arg]): raise ValueError('%s must be a list of pairs.' % arg_name) anchor_grid_list = [] min_im_shape = tf.minimum(im_height, im_width) scale_height = min_im_shape / im_height scale_width = min_im_shape / im_width if not tf.is_tensor(self._base_anchor_size): base_anchor_size = [ scale_height * tf.constant(self._base_anchor_size[0], dtype=tf.float32), scale_width * tf.constant(self._base_anchor_size[1], dtype=tf.float32) ] else: base_anchor_size = [ scale_height * self._base_anchor_size[0], scale_width * self._base_anchor_size[1] ] for feature_map_index, (grid_size, scales, aspect_ratios, stride, offset) in enumerate( zip(feature_map_shape_list, self._scales, self._aspect_ratios, anchor_strides, anchor_offsets)): tiled_anchors = grid_anchor_generator.tile_anchors( grid_height=grid_size[0], grid_width=grid_size[1], scales=scales, aspect_ratios=aspect_ratios, base_anchor_size=base_anchor_size, anchor_stride=stride, anchor_offset=offset) if self._clip_window is not None: tiled_anchors = box_list_ops.clip_to_window( tiled_anchors, self._clip_window, filter_nonoverlapping=False) num_anchors_in_layer = tiled_anchors.num_boxes_static() if num_anchors_in_layer is None: num_anchors_in_layer = tiled_anchors.num_boxes() anchor_indices = feature_map_index * tf.ones([num_anchors_in_layer]) tiled_anchors.add_field('feature_map_index', anchor_indices) anchor_grid_list.append(tiled_anchors) return anchor_grid_list def create_ssd_anchors(num_layers=6, min_scale=0.2, max_scale=0.95, scales=None, aspect_ratios=(1.0, 2.0, 3.0, 1.0 / 2, 1.0 / 3), interpolated_scale_aspect_ratio=1.0, base_anchor_size=None, anchor_strides=None, anchor_offsets=None, reduce_boxes_in_lowest_layer=True): """Creates MultipleGridAnchorGenerator for SSD anchors. This function instantiates a MultipleGridAnchorGenerator that reproduces ``default box`` construction proposed by Liu et al in the SSD paper. See Section 2.2 for details. Grid sizes are assumed to be passed in at generation time from finest resolution to coarsest resolution --- this is used to (linearly) interpolate scales of anchor boxes corresponding to the intermediate grid sizes. Anchors that are returned by calling the `generate` method on the returned MultipleGridAnchorGenerator object are always in normalized coordinates and clipped to the unit square: (i.e. all coordinates lie in [0, 1]x[0, 1]). Args: num_layers: integer number of grid layers to create anchors for (actual grid sizes passed in at generation time) min_scale: scale of anchors corresponding to finest resolution (float) max_scale: scale of anchors corresponding to coarsest resolution (float) scales: As list of anchor scales to use. When not None and not empty, min_scale and max_scale are not used. aspect_ratios: list or tuple of (float) aspect ratios to place on each grid point. interpolated_scale_aspect_ratio: An additional anchor is added with this aspect ratio and a scale interpolated between the scale for a layer and the scale for the next layer (1.0 for the last layer). This anchor is not included if this value is 0. base_anchor_size: base anchor size as [height, width]. The height and width values are normalized to the minimum dimension of the input height and width, so that when the base anchor height equals the base anchor width, the resulting anchor is square even if the input image is not square. anchor_strides: list of pairs of strides in pixels (in y and x directions respectively). For example, setting anchor_strides=[(25, 25), (50, 50)] means that we want the anchors corresponding to the first layer to be strided by 25 pixels and those in the second layer to be strided by 50 pixels in both y and x directions. If anchor_strides=None, they are set to be the reciprocal of the corresponding feature map shapes. anchor_offsets: list of pairs of offsets in pixels (in y and x directions respectively). The offset specifies where we want the center of the (0, 0)-th anchor to lie for each layer. For example, setting anchor_offsets=[(10, 10), (20, 20)]) means that we want the (0, 0)-th anchor of the first layer to lie at (10, 10) in pixel space and likewise that we want the (0, 0)-th anchor of the second layer to lie at (25, 25) in pixel space. If anchor_offsets=None, then they are set to be half of the corresponding anchor stride. reduce_boxes_in_lowest_layer: a boolean to indicate whether the fixed 3 boxes per location is used in the lowest layer. Returns: a MultipleGridAnchorGenerator """ if base_anchor_size is None: base_anchor_size = [1.0, 1.0] box_specs_list = [] if scales is None or not scales: scales = [min_scale + (max_scale - min_scale) * i / (num_layers - 1) for i in range(num_layers)] + [1.0] else: # Add 1.0 to the end, which will only be used in scale_next below and used # for computing an interpolated scale for the largest scale in the list. scales += [1.0] for layer, scale, scale_next in zip( range(num_layers), scales[:-1], scales[1:]): layer_box_specs = [] if layer == 0 and reduce_boxes_in_lowest_layer: layer_box_specs = [(0.1, 1.0), (scale, 2.0), (scale, 0.5)] else: for aspect_ratio in aspect_ratios: layer_box_specs.append((scale, aspect_ratio)) # Add one more anchor, with a scale between the current scale, and the # scale for the next layer, with a specified aspect ratio (1.0 by # default). if interpolated_scale_aspect_ratio > 0.0: layer_box_specs.append((np.sqrt(scale*scale_next), interpolated_scale_aspect_ratio)) box_specs_list.append(layer_box_specs) return MultipleGridAnchorGenerator(box_specs_list, base_anchor_size, anchor_strides, anchor_offsets)
ytd
/ytd-0.0.1.tar.gz/ytd-0.0.1/tf2/object_detection/anchor_generators/multiple_grid_anchor_generator.py
multiple_grid_anchor_generator.py
# YouTube Data API <a href="https://badge.fury.io/py/youtube-data-api"><img src="https://badge.fury.io/py/youtube-data-api.svg" alt="PyPI version" height="18"></a> <a href="https://travis-ci.com/SMAPPNYU/youtube-data-api"><img src="https://travis-ci.com/SMAPPNYU/youtube-data-api.svg?branch=master" alt="Build status" height="18"></a> <a href='https://youtube-data-api.readthedocs.io/en/latest/?badge=latest'> <img src='https://readthedocs.org/projects/youtube-data-api/badge/?version=latest' alt='Documentation Status' /> </a> <a href="https://doi.org/10.5281/zenodo.1414418"><img src="https://zenodo.org/badge/DOI/10.5281/zenodo.1414418.svg" alt="DOI"></a> This is a Python client for the [YouTube Data API](https://developers.google.com/youtube/v3/). The `youtube-data-api` package is a wrapper to simplify [GET requests](https://www.w3schools.com/tags/ref_httpmethods.asp) and JSON response parsing from the API. This package was written for version 3 of the API, with some minor future proofing. ## Install We recommend you [install this module using pip](https://pypi.org/project/youtube-data-api/): ``` pip install youtube-data-api ``` If you want to use it from source, you'll have to install the dependencies manually: ``` pip install -r requirements.txt ``` ## Quickstart In order to access the API, you'll need to get a [service key](https://developers.google.com/youtube/registering_an_application#Create_API_Keys) from the [Google Cloud Console](https://console.cloud.google.com/). Once you have it you can use the API key to initiate the `YouTubeDataAPI` class. ``` from youtube_api import YouTubeDataAPI api_key = 'AKAIXXXXXXXX' yt = YouTubeDataAPI(api_key) yt.search('alexandria ocasio-cortez') ``` The `yt` object calls functions that automate the collection of data fields that are both visable and not-visable to everyday users. Please refer to the [documentation](http://bit.ly/YouTubeDataAPI) for details. ## Testing Static json files used for test are stored in `./tests/data`. To test, command line input `make test`. For further information, please refer to `./tests/readme.md`. ## Authors Written by Leon Yin and Megan Brown. Michael Liu helped write and document tests. If you use this software in your research please cite it as: ``` @misc{leon_yin_2018_1414418, author = {Leon Yin and Megan Brown}, title = {SMAPPNYU/youtube-data-api}, month = sep, year = 2018, doi = {10.5281/zenodo.1414418}, url = {https://doi.org/10.5281/zenodo.1414418} } ``` ## Contributions We are actively seeking core maintainers and contributors! We will be documenting best practices and procedures for contributing code If you see a typo or documentation that is not clear, please make a pull request!
ytda
/ytda-0.0.18.tar.gz/ytda-0.0.18/README.md
README.md
import time import requests import sys from requests.packages.urllib3.util.retry import Retry from requests.adapters import HTTPAdapter import datetime import warnings warnings.filterwarnings("ignore", message="numpy.dtype size changed") warnings.filterwarnings("ignore", message="numpy.ufunc size changed") import pandas as pd from youtube_api.youtube_api_utils import ( _load_response, parse_yt_datetime, _chunker, ) import youtube_api.parsers as P """ This script has the YouTubeDataApi class and functions for the API's endpoints. """ __all__ = ['YoutubeDataApi', 'YouTubeDataAPI'] class YouTubeDataAPI: """ The Youtube Data API handles the keys and methods to access data from the YouTube Data API :param key: YouTube Data API key. Get a YouTube Data API key here: https://console.cloud.google.com/apis/dashboard """ def __init__( self, key, api_version='3', verify_api_key=True, verbose=False, timeout=20 ): """ :param key: YouTube Data API key Get a YouTube Data API key here: https://console.cloud.google.com/apis/dashboard """ self.key = key self.api_version = int(api_version) self.verbose = verbose self._timeout = timeout # check API Key if not self.key: raise ValueError('No API key used to initate the class.') if verify_api_key and not self.verify_key(): raise ValueError('The API Key is invalid') # creates a requests sessions for API calls. self._create_session() def verify_key(self): ''' Checks it the API key is valid. :returns: True if the API key is valid, False if the key is not valid. :rtype: bool ''' http_endpoint = ("https://www.googleapis.com/youtube/v{}/playlists" "?part=id&id=UC_x5XG1OV2P6uZZ5FSM9Ttw&" "key={}&maxResults=2".format(self.api_version, self.key)) response = requests.get(http_endpoint) try: response.raise_for_status() return True except: return False def _create_session(self, max_retries=2, backoff_factor=.5, status_forcelist=[500, 502, 503, 504], **kwargs): ''' Creates a requests session to retry API calls when any `status_forcelist` codes are returned. :param max_retries: How many times to retry an HTTP request (API call) when a `status_forcelist` code is returned :type max_retries: int :param backoff_factor: How long to wait between retrying API calls. Scales exponentially. :type backoff_factor: float :param status_forcelist: Retry when any of these http response codes are returned. :type status_forcelist: list ''' session = requests.Session() retries = Retry(total=max_retries, backoff_factor=backoff_factor, status_forcelist=status_forcelist, **kwargs) session.mount('http://', HTTPAdapter(max_retries=retries)) self.session = session def _http_request(self, http_endpoint, timeout_in_n_seconds=False): ''' A wrapper function for making an http request to the YouTube Data API. Will print the `http_endpoint` if the YouTubeDataAPI class is instantiated with verbose = True. Attempts to load the response of the http request, and returns json response. ''' if self.verbose: # Print the Http req and replace the API key with a placeholder print(http_endpoint.replace(self.key, '{API_KEY_PLACEHOLDER}')) response = self.session.get(http_endpoint, timeout=self._timeout) response_json = _load_response(response) return response_json def get_channel_id_from_user(self, username, **kwargs): """ Get a channel_id from a YouTube username. These are the unique identifiers for all YouTube "uers". IE. "Munchies" -> "UCaLfMkkHhSA_LaCta0BzyhQ". Read the docs: https://developers.google.com/youtube/v3/docs/channels/list :param username: the username for a YouTube channel :type username: str :returns: YouTube Channel ID for a given username :rtype: str """ http_endpoint = ("https://www.googleapis.com/youtube/v{}/channels" "?part=id" "&forUsername={}&key={}".format(self.api_version, username, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) channel_id = None if response_json.get('items'): channel_id = response_json['items'][0]['id'] return channel_id def get_channel_metadata_gen(self, channel_id, parser=P.parse_channel_metadata, part=["id", "snippet", "contentDetails", "statistics", "topicDetails", "brandingSettings"], **kwargs): ''' Gets a dictionary of channel metadata given a channel_id, or a list of channel_ids. :param channel_id: channel id(s) :type channel_id: str or list :param parser: the function to parse the json document. :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: yields the YouTube channel metadata :rtype: dict ''' parser=parser if parser else P.raw_json part = ','.join(part) if isinstance(channel_id, list) or isinstance(channel_id, pd.Series): for chunk in _chunker(channel_id, 50): id_input = ','.join(chunk) http_endpoint = ("https://www.googleapis.com/youtube/v{}/channels?" "part={}&id={}&key={}&maxResults=50".format( self.api_version, part, id_input, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json['items']: yield parser(item) else: yield parser(None) def get_channel_metadata(self, channel_id, parser=P.parse_channel_metadata, part=["id", "snippet", "contentDetails", "statistics", "topicDetails", "brandingSettings"], **kwargs): ''' Gets a dictionary of channel metadata given a channel_id, or a list of channel_ids. Read the docs: https://developers.google.com/youtube/v3/docs/channels/list :param channel_id: the channel id(s) :type channel_id: str or list :param parser: the function to parse the json document. :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: the YouTube channel metadata :rtype: dict ''' parser=parser if parser else P.raw_json channel_meta = [] if isinstance(channel_id, str): part = ','.join(part) http_endpoint = ("https://www.googleapis.com/youtube/v{}/channels?" "part={}&id={}&key={}&maxResults=50".format( self.api_version, part, channel_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): channel_meta = parser(response_json['items'][0]) elif isinstance(channel_id, list) or isinstance(channel_id, pd.Series): for channel_meta_ in self.get_channel_metadata_gen(channel_id, parser=parser, part=part, **kwargs): channel_meta.append(channel_meta_) else: raise TypeError("Could not process the type entered!") return channel_meta def get_video_metadata_gen(self, video_id, parser=P.parse_video_metadata, part=['statistics','snippet', 'contentDetails'], **kwargs): ''' Given a `video_id` returns metrics (views, likes, comments) and metadata (description, category) as a dictionary. Read the docs: https://developers.google.com/youtube/v3/docs/videos/list :param video_id: The ID of a video IE: "kNbhUWLH_yY", this can be found at the end of YouTube urls and by parsing links using :meth:`youtube_api.youtube_api_utils.strip_youtube_id`. :type video_id: str or list of str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: returns metadata from the inputted ``video_id``s. :rtype: dict ''' part = ','.join(part) parser=parser if parser else P.raw_json if isinstance(video_id, list) or isinstance(video_id, pd.Series): for chunk in _chunker(video_id, 50): id_input = ','.join(chunk) http_endpoint = ("https://www.googleapis.com/youtube/v{}/videos" "?part={}" "&id={}&key={}&maxResults=50".format( self.api_version, part, id_input, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json['items']: yield parser(item) else: yield parser(None) else: raise Expection('This function only takes iterables!') def get_video_metadata(self, video_id, parser=P.parse_video_metadata, part=['statistics','snippet','contentDetails'], **kwargs): ''' Given a single or list of `video_id` returns metrics (views, likes, comments) and metadata (description, category) as a dictionary. Read the docs: https://developers.google.com/youtube/v3/docs/videos/list :param video_id: the ID of a video IE: ['kNbhUWLH_yY'], this can be found at the end of YouTube urls and by parsing links using :meth:`youtube_api.youtube_api_utils.strip_youtube_id`. :type video_id: str or list of str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: yields a video metadata. :rtype: dict ''' video_metadata = [] parser=parser if parser else P.raw_json if isinstance(video_id, str): part = ','.join(part) http_endpoint = ("https://www.googleapis.com/youtube/v{}/videos" "?part={}" "&id={}&key={}&maxResults=2".format(self.api_version, part, video_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): video_metadata = parser(response_json['items'][0]) elif isinstance(video_id, list) or isinstance(video_id, pd.Series): for video_meta in self.get_video_metadata_gen(video_id, parser=parser, part=part, **kwargs): video_metadata.append(video_meta) else: raise TypeError("Could not process the type entered!") return video_metadata def get_playlists(self, channel_id, next_page_token=False, parser=P.parse_playlist_metadata, part=['id','snippet','contentDetails'], **kwargs): ''' Returns a list of playlist IDs that `channel_id` created. Note that playlists can contains videos from any users. Read the docs: https://developers.google.com/youtube/v3/docs/playlists/list :param channel_id: a channel_id IE: "UCn8zNIfYAQNdrFRrr8oibKw" :type channel_id: str :param next_page_token: a token to continue from a preciously stopped query IE: "CDIQAA" :type next_page_token: str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: playlist info that ``channel_id`` is subscribed to. :rtype: list of dict ''' parser=parser if parser else P.raw_json part = ','.join(part) playlists = [] while True: http_endpoint = ("https://www.googleapis.com/youtube/v{}/playlists" "?part={}&channelId={}&key={}&maxResults=50".format( self.api_version, part, channel_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) if next_page_token: http_endpoint += "&pageToken={}".format(next_page_token) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json.get('items'): playlists.append(parser(item)) if response_json.get('nextPageToken'): next_page_token = response_json.get('nextPageToken') else: break return playlists def get_videos_from_playlist_id(self, playlist_id, next_page_token=None, parser=P.parse_video_url, part=['snippet'], max_results=200000, **kwargs): ''' Given a `playlist_id`, returns `video_ids` associated with that playlist. Note that user uploads for any given channel are from a playlist named "upload playlist id". You can get this value using :meth:`youtube_api.youtube_api.get_channel_metadata` or :meth:`youtube_api.youtube_api_utils.get_upload_playlist_id`. The playlist ID for uploads is always the channel_id with "UU" subbed for "UC". Read the docs: https://developers.google.com/youtube/v3/docs/playlistItems :param playlist_id: the playlist_id IE: "UUaLfMkkHhSA_LaCta0BzyhQ" :type platlist_id: str :param next_page_token: a token to continue from a preciously stopped query IE: "CDIQAA" :type next_page_token: str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: video ids associated with ``playlist_id``. :rtype: list of dict ''' parser=parser if parser else P.raw_json part = ','.join(part) videos = [] run = True while run: http_endpoint = ("https://www.googleapis.com/youtube/v{}/playlistItems" "?part={}&playlistId={}&maxResults=50&key={}".format( self.api_version, part, playlist_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) if next_page_token: http_endpoint += "&pageToken={}".format(next_page_token) response_json = self._http_request(http_endpoint, timeout_in_n_seconds=20 ) if response_json.get('items'): for item in response_json.get('items'): videos.append(parser(item)) if len(videos) > max_results: run = False break if response_json.get('nextPageToken'): next_page_token = response_json.get('nextPageToken') else: run=False break else: run=False break return videos def get_subscriptions(self, channel_id, next_page_token=False, parser=P.parse_subscription_descriptive, part=['id', 'snippet'], **kwargs): ''' Returns a list of channel IDs that `channel_id` is subscribed to. Read the docs: https://developers.google.com/youtube/v3/docs/subscriptions :param channel_id: a channel_id IE: "UCn8zNIfYAQNdrFRrr8oibKw" :type channel_id: str :param next_page_token: a token to continue from a preciously stopped query IE: "CDIQAA" :type next_page_token: str :param stop_after_n_iteration: stops the API calls after N API calls :type stop_after_n_iteration: int :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: channel IDs that ``channel_id`` is subscribed to. :rtype: list ''' parser=parser if parser else P.raw_json part = ','.join(part) subscriptions = [] while True: http_endpoint = ("https://www.googleapis.com/youtube/v{}/subscriptions" "?channelId={}&part={}&maxResults=50&key={}".format( self.api_version, channel_id, part, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) if next_page_token: http_endpoint += "&pageToken={}".format(next_page_token) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json.get('items'): subscriptions.append(parser(item)) if response_json.get('nextPageToken'): next_page_token = response_json.get('nextPageToken') else: return subscriptions return subscriptions def get_featured_channels_gen(self, channel_id, parser=P.parse_featured_channels, part=["id", "brandingSettings"], **kwargs): ''' Given a `channel_id` returns a dictionary {channel_id : [list, of, channel_ids]} of featured channels. Optionally, can take a list of channel IDS, and returns a list of dictionaries. Read the docs: https://developers.google.com/youtube/v3/docs/channels/list :param channel_id: channel_ids IE: ['UCn8zNIfYAQNdrFRrr8oibKw'] :type channel_id: str of list of str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: yields metadata for featured channels :rtype: dict ''' parser = parser if parser else P.raw_json part = ','.join(part) if isinstance(channel_id, list): for chunk in _chunker(channel_id, 50): id_input = ','.join(chunk) http_endpoint = ("https://www.googleapis.com/youtube/v{}/channels" "?part={}&id={}&key={}".format( self.api_version, part, id_input, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json['items']: yield parser(item) else: yield parser(None) else: http_endpoint = ("https://www.googleapis.com/youtube/v{}/channels" "?part={}&id={}&key={}".format( self.api_version, part, channel_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response = self.session.get(http_endpoint) response_json = _load_response(response) for item in response_json['items']: yield parser(item) def get_featured_channels(self, channel_id, parser=P.parse_featured_channels, **kwargs): ''' Given a `channel_id` returns a dictionary {channel_id : [list, of, channel_ids]} of featured channels. Optionally, can take a list of channel IDs, and returns a list of dictionaries. Read the docs: https://developers.google.com/youtube/v3/docs/channels/list :param channel_id: channel_ids IE:['UCn8zNIfYAQNdrFRrr8oibKw'] :type channel_id: str or list of str :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: metadata for featured channels from ``channel_id``. :rtype: list of dict ''' featured_channels = [] for channel in self.get_featured_channels_gen(channel_id, parser=parser, **kwargs): featured_channels.append(channel) return featured_channels def get_video_comments(self, video_id, get_replies=True, max_results=None, next_page_token=False, parser=P.parse_comment_metadata, part = ['snippet'], **kwargs): """ Returns comments and replies to comments for a given video. Read the docs: https://developers.google.com/youtube/v3/docs/commentThreads/list :param video_id: a video_id IE: "eqwPlwHSL_M" :type video_id: str :param get_replies: whether or not to get replies to comments :type get_replies: bool :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :returns: comments and responses to comments of the given ``video_id``. :rtype: list of dict """ parser=parser if parser else P.raw_json part = ','.join(part) comments = [] run = True while run: http_endpoint = ("https://www.googleapis.com/youtube/v{}/commentThreads?" "part={}&textFormat=plainText&maxResults=100&" "videoId={}&key={}".format( self.api_version, part, video_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) if next_page_token: http_endpoint += "&pageToken={}".format(next_page_token) response = self.session.get(http_endpoint) response_json = _load_response(response) if response_json.get('items'): items = response_json.get('items') for item in items: if max_results: if len(comments) >= max_results: return comments comments.append(parser(item)) if response_json.get('nextPageToken'): next_page_token = response_json['nextPageToken'] else: run=False break if get_replies: for comment in comments: if comment.get('reply_count') and comment.get('reply_count') > 0: comment_id = comment.get('comment_id') http_endpoint = ("https://www.googleapis.com/youtube/v{}/comments?" "part={}&textFormat=plainText&maxResults=100&" "parentId={}&key={}".format( self.api_version, part, comment_id, self.key)) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json.get('items'): if max_results: if len(comments) >= max_results: return comments comments.append(parser(item)) return comments def search(self, q=None, channel_id=None, max_results=5, order_by="relevance", next_page_token=None, published_after=datetime.datetime.timestamp(datetime.datetime(2000,1,1)), published_before=datetime.datetime.timestamp(datetime.datetime((3000 if sys.maxsize > 2**31 else 2038),1,1)), location=None, location_radius='1km', region_code=None, safe_search=None, relevance_language=None, event_type=None, topic_id=None, video_duration=None, search_type="video", parser=P.parse_rec_video_metadata, part=['snippet'], **kwargs): """ Search YouTube for either videos, channels for keywords. Only returns up to 500 videos per search. For an exhaustive search, take advantage of the ``published_after`` and ``published_before`` params. Note the docstring needs to be updated to account for all the arguments this function takes. Read the docs: https://developers.google.com/youtube/v3/docs/search/list :param q: regex pattern to search using | for or, && for and, and - for not. IE boat|fishing is boat or fishing :type q: list or str :param max_results: max number of videos returned by a search query. :type max_results: int :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :param part: The part parameter specifies a comma-separated list of one or more resource properties that the API response will include. Different parameters cost different quota costs from the API. :type part: list :param order_by: Return search results ordered by either ``relevance``, ``date``, ``rating``, ``title``, ``videoCount``, ``viewCount``. :type order_by: str :param next_page_token: A token to continue from a preciously stopped query IE:CDIQAA :type next_page_token: str :param published_after: Only show videos uploaded after datetime :type published_after: datetime :param published_before: Only show videos uploaded before datetime :type published_before: datetime :param location: Coodinates of video uploaded in location. :type location: tuple :param location_radius: The radius from the ``location`` param to include in the search. :type location_radius: str :param region_code: search results for videos that can be viewed in the specified country. The parameter value is an ISO 3166-1 alpha-2 country code. :type region_code: str :param safe_search: whether or not to include restricted content, options are "moderate", "strict", None. :type safe_search: str or None :param relevance_language: Instructs the API to return search results that are most relevant to the specified language. :type relevance_language: str :param event_type: whether the video is "live", "completed", or "upcoming". :type event_type: str :param topic_id: only contain resources associated with the specified topic. The value identifies a Freebase topic ID. :type topic_id: str :param video_duration: filter on video durations "any", "long", "medium", "short". :type video_duration: str :param search_type: return results on a "video", "channel", or "playlist" search. :returns: incomplete video metadata of videos returned by search query. :rtype: list of dict """ if search_type not in ["video", "channel", "playlist"]: raise Exception("The value you have entered for `type` is not valid!") parser=parser if parser else P.raw_json part = ','.join(part) videos = [] while True: http_endpoint = ("https://www.googleapis.com/youtube/v{}/search?" "part={}&type={}&maxResults=50" "&order={}&key={}".format( self.api_version, part, search_type, order_by, self.key)) if q: if isinstance(q, list): q = '|'.join(q) http_endpoint += "&q={}".format(q) if published_after: if not isinstance(published_after, float) and not isinstance(published_after, datetime.date): raise Exception("published_after must be a timestamp, not a {}".format(type(published_after))) if isinstance(published_after, float): published_after = datetime.datetime.utcfromtimestamp(published_after) _published_after = datetime.datetime.strftime(published_after, "%Y-%m-%dT%H:%M:%SZ") http_endpoint += "&publishedAfter={}".format(_published_after) if published_before: if not isinstance(published_before, float) and not isinstance(published_before, datetime.date): raise Exception("published_before must be a timestamp, not a {}".format(type(published_before))) if isinstance(published_before, float): published_before = datetime.datetime.utcfromtimestamp(published_before) _published_before = datetime.datetime.strftime(published_before, "%Y-%m-%dT%H:%M:%SZ") http_endpoint += "&publishedBefore={}".format(_published_before) if channel_id: http_endpoint += "&channelId={}".format(channel_id) if location: if isinstance(location, tuple): location = urllib.parse.quote_plus(str(location).strip('()').replace(' ', '')) http_endpoint += "&location={}&locationRadius={}".format(location, location_radius) if region_code: http_endpoint += "&regionCode={}".format(region_code) if safe_search: if not safe_search in ['moderate', 'strict', 'none']: raise "Not proper safe_search." http_endpoint += '&safeSearch={}'.format(safe_search) if relevance_language: http_endpoint += '&relevanceLanguage={}'.format(relevance_language) if event_type: if not event_type in ['completed', 'live', 'upcoming']: raise "Not proper event_type!" http_endpoint += '&eventType={}'.format(event_type) if topic_id: http_endpoint += '&topicId={}'.format(topic_id) if video_duration: if not video_duration in ['short', 'long', 'medium', 'any']: raise "Not proper video_duration" http_endpoint += '&videoDuration={}'.format(video_duration) for k,v in kwargs.items(): http_endpoint += '&{}={}'.format(k, v) if next_page_token: http_endpoint += "&pageToken={}".format(next_page_token) response_json = self._http_request(http_endpoint) if response_json.get('items'): for item in response_json.get('items'): videos.append(parser(item)) if max_results: if len(videos) >= max_results: videos = videos[:max_results] break if response_json.get('nextPageToken'): next_page_token = response_json.get('nextPageToken') time.sleep(.1) else: break else: break return videos def get_recommended_videos(self, video_id, max_results=5, parser=P.parse_rec_video_metadata, **kwargs): """ Get recommended videos given a video ID. This extends the search API. Note that search history does not influence results. Read the docs: https://developers.google.com/youtube/v3/docs/search/list :param video_id: (str) a video_id IE: "eqwPlwHSL_M" :param max_results: (int) max number of recommended vids :param parser: the function to parse the json document :type parser: :mod:`youtube_api.parsers module` :returns: incomplete video metadata from recommended videos of ``video_id``. :rtype: list of dict """ return self.search(relatedToVideoId=video_id, order_by='relevance', max_results=max_results, parser=parser, **kwargs) class YoutubeDataApi(YouTubeDataAPI): """Variant case of the main YouTubeDataAPI class. This class will de depricated by version 0.19.""" def __init__(self, key, **kwargs): super().__init__(key, **kwargs)
ytda
/ytda-0.0.18.tar.gz/ytda-0.0.18/youtube_api/youtube_api.py
youtube_api.py
import sys import json import datetime import requests import re import signal from urllib.parse import urlparse from urllib.parse import parse_qs ''' This contains utilities used by other functions in the YoutubeDataApi class, as well as a few convenience functions for data analysis. ''' __all__ = [ '_chunker', '_load_response', 'parse_yt_datetime', 'get_upload_playlist_id', 'get_liked_playlist_id', ] class TimeoutError(Exception): pass class timeout: def __init__(self, seconds=1, error_message='Timeout'): self.seconds = seconds self.error_message = error_message def handle_timeout(self, signum, frame): raise TimeoutError(self.error_message) def __enter__(self): signal.signal(signal.SIGALRM, self.handle_timeout) signal.alarm(self.seconds) def __exit__(self, type, value, traceback): signal.alarm(0) def _chunker(l, chunksize): """Yield successive ``chunksize``-sized chunks from l.""" for i in range(0, len(l), chunksize): yield l[i:i + chunksize] def _load_response(response): ''' Loads the response to json, and checks for errors. ''' response.raise_for_status() response_json = json.loads(response.text) return response_json def parse_yt_datetime(date_str): ''' Parses a date string returned from YouTube's API into a Python datetime. ''' date = None if date_str: try: date = datetime.datetime.strptime(date_str,"%Y-%m-%dT%H:%M:%S.%fZ") date = datetime.datetime.timestamp(date) except: try: date = datetime.datetime.strptime(date_str,"%Y-%m-%dT%H:%M:%SZ") date = datetime.datetime.timestamp(date) except: pass return date def get_upload_playlist_id(channel_id): '''Given a channel_id, returns the user uploaded playlist id.''' playlist_id = 'UU' + channel_id[2:] return playlist_id def get_liked_playlist_id(channel_id): '''Given a channel_id, returns the user liked playlist id.''' playlist_id = 'LL' + channel_id[2:] return playlist_id
ytda
/ytda-0.0.18.tar.gz/ytda-0.0.18/youtube_api/youtube_api_utils.py
youtube_api_utils.py
import json import sys import datetime from collections import OrderedDict if sys.version_info[0] == 2: from collections import Iterable else: from collections.abc import Iterable from youtube_api.youtube_api_utils import parse_yt_datetime """ This script contains the parsers for the raw json responses from the API. Use `raw_json` to return the output as-is. """ __all__ = ['raw_json', 'parse_video_metadata', 'parse_channel_metadata', 'parse_rec_video_metadata', 'parse_video_url', 'parse_subscription_descriptive', 'parse_featured_channels', 'parse_comment_metadata', 'parse_playlist_metadata', 'parse_caption_track'] def raw_json(item): ''' Returns the raw json output from the API. ''' return item def raw_json_with_datetime(item): ''' Returns the raw json output from the API. ''' item['collection_date'] = datetime.datetime.now().strftime('%Y-%m-%d') return item def parse_video_metadata(item): ''' Parses and processes raw output and returns video_id, channel_title, channel_id, video_publish_date, video_title, video_description, video_category, video_view_count, video_comment_count, video_like_count, video_dislike_count, video_thumbnail, video_tags, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() tags = item["snippet"].get('tags') if isinstance(tags, Iterable): video_tags = '|'.join(tags) else: video_tags = '' video_meta = { "video_id" : item['id'], "channel_title" : item["snippet"].get("channelTitle"), "channel_id" : item["snippet"].get("channelId"), "video_publish_date" : parse_yt_datetime(item["snippet"].get("publishedAt")), "video_title" : item["snippet"].get("title"), "video_description" : item["snippet"].get("description"), "video_category" : item["snippet"].get("categoryId"), "video_view_count" : item["statistics"].get("viewCount"), "video_comment_count" : item["statistics"].get("commentCount"), "video_like_count" : item["statistics"].get("likeCount"), "video_dislike_count" : item["statistics"].get("dislikeCount"), "duration" : item["contentDetails"]["duration"], "video_thumbnail" : item["snippet"]["thumbnails"]["high"]["url"], "video_tags" : video_tags, "collection_date" : datetime.datetime.now(), } return video_meta def parse_video_url(item): ''' Parses and processes raw output and returns publish_date, video_id, channel_id, collection_date :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() publish_date = item['snippet'].get('publishedAt') publish_date = parse_yt_datetime(publish_date) video_id = item['snippet']['resourceId'].get('videoId') channel_id = item['snippet'].get('channelId') return { "video_id" : video_id, "channel_id" : channel_id, "publish_date" : publish_date, "collection_date" : datetime.datetime.now() } def parse_channel_metadata(item): ''' Parses and processes raw output and returns channel_id, title, account_creatation_date, keywords, description, view_count, video_count, subscription_count, playlist_id_likes, playlist_id_uploads, topic_ids, country, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() topic = item.get('topicDetails') if topic: topic = '|'.join(topic.get('topicCategories')) channel_meta = { "channel_id" : item['id'], "title" : item["snippet"].get("title"), "account_creation_date" : parse_yt_datetime(item["snippet"].get("publishedAt")), "keywords" : item['brandingSettings']['channel'].get('keywords'), "description" : item["snippet"].get("description"), "view_count" : item["statistics"].get("viewCount"), "video_count" : item["statistics"].get("videoCount"), "subscription_count" : item["statistics"].get("subscriberCount"), "playlist_id_likes" : item['contentDetails']['relatedPlaylists'].get('likes'), "playlist_id_uploads" : item['contentDetails']['relatedPlaylists'].get('uploads'), "topic_ids" : topic, "country" : item['snippet'].get('country'), "collection_date" : datetime.datetime.now() } return channel_meta def parse_subscription_descriptive(item): ''' Parses and processes raw output and returns subscription_title, subscription_channel_id, subscription_kind, subscription_publish_date, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() sub_meta = { "subscription_title" : item['snippet']['title'], "subscription_channel_id" : item['snippet']['resourceId'].get('channelId'), "subscription_kind" : item['snippet']['resourceId'].get('kind'), "subscription_publish_date" : parse_yt_datetime(item['snippet'].get('publishedAt')), "collection_date" : datetime.datetime.now() } return sub_meta def parse_featured_channels(item): ''' Parses and processes raw output and returns a dictionary where the key is the channel_id and the key is a list of channel URLs. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() d = {} d[item['id']] = item['brandingSettings']['channel'].get('featuredChannelsUrls', []) return d def parse_playlist_metadata(item): ''' Parses and processes raw output and returns playlist_name, playlist_id, playlist_publish_date, playlist_n_videos, channel_id, channel_name, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() playlist_meta = { "playlist_name" : item['snippet'].get('title'), "playlist_id" : item['id'], "playlist_publish_date" : parse_yt_datetime(item['snippet'].get('publishedAt')), "playlist_n_videos" : item['contentDetails'].get('itemCount'), "channel_id" : item['snippet'].get('channelId'), "channel_name" : item['snippet'].get('channelTitle'), "collection_date" : datetime.datetime.now() } return playlist_meta def parse_comment_metadata(item): ''' Parses and processes raw output and returns video_id, commenter_channel_url, commenter_channel_display_name, comment_id, comment_like_count, comment_publish_date, text, commenter_rating, comment_parent_id, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() if item['snippet'].get('topLevelComment'): save = item['snippet'] item = item['snippet']['topLevelComment'] comment_meta = { "video_id" : item["snippet"].get("videoId"), "commenter_channel_url" : item["snippet"].get("authorChannelUrl"), "commenter_channel_id" : item['snippet'].get('authorChannelId').get('value', None), "commenter_channel_display_name" : item['snippet'].get('authorDisplayName'), "comment_id" : item.get("id"), "comment_like_count" : item["snippet"].get("likeCount"), "comment_publish_date" : parse_yt_datetime(item["snippet"].get("publishedAt")), "text" : item["snippet"].get("textDisplay"), "commenter_rating" : item["snippet"].get("viewerRating"), "comment_parent_id" : item["snippet"].get("parentId"), "collection_date" : datetime.datetime.now() } try: comment_meta['reply_count'] = save.get('totalReplyCount') except: comment_meta['reply_count'] = item.get('totalReplyCount') return comment_meta def parse_rec_video_metadata(item): ''' Parses and processes raw output and returns video_id, channel_title, channel_id, video_publish_date, video_title, video_description, video_category, video_thumbnail, collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' if not isinstance(item, dict): return dict() video_meta = { "video_id" : item['id'].get('videoId'), "channel_title" : item["snippet"].get("channelTitle"), "channel_id" : item["snippet"].get("channelId"), "video_publish_date" : parse_yt_datetime(item["snippet"].get("publishedAt")), "video_title" : item["snippet"].get("title"), "video_description" : item["snippet"].get("description"), "video_category" : item["snippet"].get("categoryId"), "video_thumbnail" : item["snippet"]["thumbnails"]["high"]["url"], "collection_date" : datetime.datetime.now() } return video_meta def parse_caption_track(item): ''' Returns the video_id, captions and collection_date. :params item: json document :type item: dict :returns: parsed dictionary :rtype: dict ''' #TODO: convert known errors into an error message. caption_meta = { "video_id" : item['video_id'], "caption" : item['caption'], "collection_date" : item['collection_date'] } return caption_meta
ytda
/ytda-0.0.18.tar.gz/ytda-0.0.18/youtube_api/parsers.py
parsers.py
import os import sys from typing import Dict, List import gi gi.require_version("Gtk", "3.0") from gi.repository import GObject from gi.repository import Gtk, Gio, Gdk from ytdl_gui.youtube import YTDL_Controller, validate_link, convert_link from ytdl_gui.dialog import SelectFolder from ytdl_gui.const import * def add_class(widget, class_name: str): context = widget.get_style_context() context.add_class(class_name) class Window(Gtk.Window): def __init__(self): Gtk.Window.__init__(self, title=TITLE) self.set_default_size(WIDTH, HEIGHT) self.controller = YTDL_Controller(self) self.savepath = os.path.expanduser('~') header_bar = Gtk.HeaderBar() header_bar.set_name('header_bar') header_bar.set_show_close_button(True) header_bar.props.title = TITLE self.set_titlebar(header_bar) GObject.signal_new('hook', self, GObject.SignalFlags.RUN_LAST, GObject.TYPE_NONE, (GObject.TYPE_PYOBJECT,)) box = Gtk.Box(orientation=Gtk.Orientation.VERTICAL, spacing=6) download_button = Gtk.Button(label='Download') download_button.connect('clicked', self.download_all) savepath_button = Gtk.Button(label='Save path') savepath_button.connect('clicked', self.select_savepath) self.formats = {'Best Audio + Video': 'bestvideo[ext=mp4]+bestaudio[ext=m4a]/bestvideo+bestaudio', 'Best': 'best', 'Best Video': 'bestvideo[ext=mp4]/bestvideo', 'Best Audio (m4a)': 'bestaudio[ext=m4a]/bestaudio', 'Best Audio (mp3)': 'bestaudio[ext=mp3]/bestaudio', 'Worst': 'worst', 'Worst Video': 'worstvideo[ext=mp4]/worstvideo', 'Worst Audio': 'worstaudio[ext=mp3]/worstaudio', 'Worst vid + Best Audio': 'worstvideo[ext=mp4]+bestaudio[ext=m4a]/worstvideo+bestaudio', 'Best vid + Worst Audio': 'bestvideo[ext=mp4]+worstaudio[ext=m4a]/bestvideo+worstaudio',} self.format_dropdown = Gtk.ComboBoxText() for format_text in self.formats.keys(): self.format_dropdown.append(format_text, format_text) self.url_liststore = Gtk.ListStore.new([GObject.TYPE_STRING, GObject.TYPE_STRING]) self.url_treeview = Gtk.TreeView.new_with_model(self.url_liststore) self.url_treeview.set_hexpand(True) self.url_treeview.set_vexpand(True) self.url_treeview.set_grid_lines(Gtk.TreeViewGridLines.BOTH) self.url_treeview.set_headers_visible(True) self.url_treeview.set_reorderable(True) self.videoid_to_index_dict: Dict[str, int] = {} cols = ('URL', 'Status') for column_index, column_title in enumerate(cols): cell_render = Gtk.CellRendererText.new() cell_render.set_property('editable', 'false') treeview_column = Gtk.TreeViewColumn( title=column_title, cell_renderer=cell_render, text=column_index, ) self.url_treeview.append_column(column=treeview_column) add_url_button = Gtk.Button(label='Add URL') add_url_button.connect('clicked', self.add_url) self.url_entry = Gtk.Entry() self.status_lbl = Gtk.Label(label='Press download to start downloading') add_class(download_button, 'rounded-margin') add_class(savepath_button, 'rounded-margin') add_class(add_url_button, 'rounded-margin') add_class(self.url_entry, 'rounded-margin') add_class(self.format_dropdown, 'rounded-margin') box.pack_start(savepath_button, False, False, 0) box.pack_start(self.url_entry, False, False, 0) box.pack_start(add_url_button, False, False, 0) box.pack_start(self.url_treeview, True, True, 0) box.pack_start(download_button, False, False, 0) box.pack_start(self.format_dropdown, False, False, 0) box.pack_start(self.status_lbl, False, False, 0) self.add(box) self.show_all() self.connect('hook', self.handle_hook) def add_url(self, _button): text: str = self.url_entry.get_text() urls: List[str] = text.splitlines() for url in urls: video_id: str = convert_link(url) if validate_link(url): index = len(self.url_liststore) self.url_liststore.insert_with_valuesv(-1, (0, 1), (url, 'Waiting', )) self.url_entry.set_text('') self.videoid_to_index_dict[video_id] = index def select_savepath(self, _button): SelectFolder(parent=self, init_path=self.savepath, select_multiple=False) def handle_hook(self, _window, data): url: str = data['info_dict']['webpage_url'] video_id: str = convert_link(url) index: int = self.videoid_to_index_dict[video_id] if data['status'] == 'finished': self.url_liststore[index][1] = 'Done downloading' elif data['status'] == 'downloading': self.url_liststore[index][1] = f'Downloading: {data["_percent_str"]}' def download_all(self, _button): formats = self.formats[self.format_dropdown.get_active_text()] for row in self.url_liststore: url = row[0] self.controller.download_threaded(url, formats, self.savepath) class App(Gtk.Application): def __init__(self): Gtk.Application.__init__( self, application_id='app.test.id', flags=Gio.ApplicationFlags.FLAGS_NONE) self.provider = Gtk.CssProvider() self.provider.load_from_path(CSSPATH) self.screen = Gdk.Screen.get_default() self.connect('activate', self.on_activate) def on_activate(self, *_data): self.window = Window() Gtk.StyleContext.add_provider_for_screen(self.screen, self.provider, Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION) self.add_window(self.window) def main(): app = App() app.run(None)
ytdl-gui
/ytdl_gui-0.1.5-py3-none-any.whl/ytdl_gui/main.py
main.py
# ytdl-nfo : youtube-dl NFO generator [youtube-dl](https://github.com/ytdl-org/youtube-dl) is an incredibly useful resource to download and archive footage from across the web. Viewing and organising these files however can be a bit of a hassle. **ytdl-nfo** takes the `--write-info-json` output from youtube-dl and parses it into Kodi-compatible .nfo files. The aim is to prepare and move files so as to be easily imported into media centers such as Plex, Emby, Jellyfin, etc. **Warning** This package is still in early stages and breaking changes may be introduced. ### NOTE: youtube-dl derivatives This package was originally built for youtube-dl, however the aim is to be compatible with related forks as well. Currently these are: - [youtube-dl](https://github.com/ytdl-org/youtube-dl) - [yt-dlp](https://github.com/yt-dlp/yt-dlp) ## Installation Requirements: Python 3.8 ### Python 3 pipx (recommended) [pipx](https://github.com/pipxproject/pipx) is tool that installs a package and its dependencies in an isolated environment. 1. Ensure Python 3.8 and [pipx](https://github.com/pipxproject/pipx) is installed 2. Install with `pipx install ytdl-nfo` ### Python 3 pip 1. Ensure Python 3.8 is installed 2. Install with `pip install ytdl-nfo` ### Package from source 1. Ensure Python 3.8 and [Python Poetry](https://python-poetry.org/) is installed 2. Clone the repo using `git clone https://github.com/owdevel/ytdl_nfo.git` 3. Create a dev environment with `poetry install` 3. Build with `poetry build` 4. Install from the `dist` directory with `pip install ./dist/ytdl_nfo-x.x.x.tar.gz` ### Development Environment 1. Perform steps 1-3 of package from source 2. Run using `poetry run ytdl-nfo` or use `poetry shell` to enter the virtual env ## Usage ### Automatic Run `ytdl-nfo JSON_FILE` replacing `JSON_FILE` with either the path to the file you wish to convert, or a folder containing files to convert. The tool will automatically take any files ending with `.json` and convert them to `.nfo` using the included extractor templates. #### Examples Convert a single file ```bash ytdl-nfo great_video.info.json ``` Convert a directory and all sub directories with `.info.json` files ```bash ytdl-nfo video_folder ``` ### Manual ytdl-nfo uses a set of YAML configs to determine the output format and what data comes across. This is dependent on the extractor flag which is set by youtube-dl. Should this fail to be set or if a custom extractor is wanted there is the `--extractor` flag. ytdl-nfo will then use extractor with the given name as long as it is in the config directory with the format `custom_extractor_name.yaml`. ```bash ytdl-nfo --extractor custom_extractor_name great_video.info.json ``` #### Config Location Run the following command to get the configuration location. ```bash ytdl-nfo --config ``` ## Extractors Issues/Pull Requests are welcome to add more youtube-dl supported extractors to the repo. ### Custom Extractors Coming Soon... ## Todo - [ ] Add try catches to pretty print errors - [ ] Documentation and templates for creating custom extractors - [ ] Documentation of CLI arguments - [x] Recursive folder searching - [x] Add package to pypi ## Authors Note This is a small project I started to learn how to use python packaging system whilst providing some useful functionality for my home server setup. Issues/pull requests and constructive criticism is welcome.
ytdl-nfo
/ytdl-nfo-0.2.3.tar.gz/ytdl-nfo-0.2.3/README.md
README.md
import yaml import ast import datetime as dt import xml.etree.ElementTree as ET import pkg_resources from xml.dom import minidom class Nfo: def __init__(self, extractor): with pkg_resources.resource_stream("ytdl_nfo", f"configs/{extractor}.yaml") as f: self.data = yaml.load(f, Loader=yaml.FullLoader) def generate(self, raw_data): # There should only be one top level node top_name = list(self.data.keys())[0] self.top = ET.Element(top_name) # Recursively generate the rest of the NFO self.__create_child(self.top, self.data[top_name], raw_data) def __create_child(self, parent, subtree, raw_data): # Some .info.json files may not include an upload_date. if raw_data.get("upload_date") is None: date = dt.datetime.fromtimestamp(raw_data["epoch"]) raw_data["upload_date"] = date.strftime("%Y%m%d") # Check if current node is a list if isinstance(subtree, list): # Process individual nodes for child in subtree: self.__create_child(parent, child, raw_data) return # Process data in child node child_name = list(subtree.keys())[0] table = child_name[-1] == '!' attributes = {} children = [] # Check if attributes are present if isinstance(subtree[child_name], dict): attributes = subtree[child_name] value = subtree[child_name]['value'] # Set children if value flag if table: children = ast.literal_eval(value.format(**raw_data)) else: children = [value.format(**raw_data)] if 'convert' in attributes.keys(): target_type = attributes['convert'] input_f = attributes['input_f'] output_f = attributes['output_f'] for i in range(len(children)): if target_type == 'date': date = dt.datetime.strptime(children[i], input_f) children[i] = date.strftime(output_f) # Value only else: if table: children = ast.literal_eval( subtree[child_name].format(**raw_data)) else: children = [subtree[child_name].format(**raw_data)] # Add the child node(s) child_name = child_name.rstrip('!') for value in children: child = ET.SubElement(parent, child_name) child.text = value # Add attributes if 'attr' in attributes.keys(): for attribute, attr_value in attributes['attr'].items(): child.set(attribute, attr_value.format(**raw_data)) def print_nfo(self): xmlstr = minidom.parseString(ET.tostring( self.top, 'utf-8')).toprettyxml(indent=" ") print(xmlstr) def write_nfo(self, filename): xmlstr = minidom.parseString(ET.tostring( self.top, 'utf-8')).toprettyxml(indent=" ") with open(filename, 'wt', encoding="utf-8") as f: f.write(xmlstr) def get_nfo(self): xmlstr = minidom.parseString(ET.tostring( self.top, 'utf-8')).toprettyxml(indent=" ") return xmlstr def get_config(extractor): return Nfo(extractor.replace(":tab", ""))
ytdl-nfo
/ytdl-nfo-0.2.3.tar.gz/ytdl-nfo-0.2.3/ytdl_nfo/nfo.py
nfo.py
import argparse import os import re from .Ytdl_nfo import Ytdl_nfo def main(): parser = argparse.ArgumentParser( description='ytdl_nfo, a youtube-dl helper to convert the output of \'youtube-dl --write-info-json\' to an NFO for use in kodi/plex/etc') parser.add_argument('input', metavar='JSON_FILE', type=str, help='Json file to convert or folder to convert in') parser.add_argument('-e', '--extractor', help='Specify specific extractor') parser.add_argument('-w', '--overwrite', action="store_true", help='Overwrite existing NFO files') parser.add_argument( '--regex', type=str, help='Specify regex search string to match files', default=r".json$") parser.add_argument('--config', help='Prints the path to the config directory', action='version', version=f'{get_config_path()}') args = parser.parse_args() extractor_str = args.extractor if args.extractor is not None else "file specific" if os.path.isfile(args.input): print(f'Processing {args.input} with {extractor_str} extractor') file = Ytdl_nfo(args.input, args.extractor) file.process() else: for root, dirs, files in os.walk(args.input): for file_name in files: file_path = os.path.join(root, file_name) if re.search(args.regex, file_name): path_no_ext = os.path.splitext(file_path)[0] info_re = r".info$" if re.search(info_re, file_name): path_no_ext = re.sub(info_re, '', path_no_ext) if args.overwrite or not os.path.exists(path_no_ext + ".nfo"): print( f'Processing {args.input} with {extractor_str} extractor') file = Ytdl_nfo(file_path, args.extractor) file.process() def get_config_path(): return os.path.join(os.path.dirname(__file__), 'configs') __all__ = ['main', 'Ytdl_nfo', 'nfo']
ytdl-nfo
/ytdl-nfo-0.2.3.tar.gz/ytdl-nfo-0.2.3/ytdl_nfo/__init__.py
__init__.py
from __future__ import annotations __all__ = ('CustomOpt', 'CUSTOM_OPTS', 'load_custom_opts', 'merge_custom_opts') import re from collections.abc import Sequence from dataclasses import dataclass from typing import TYPE_CHECKING from .util import import_object if TYPE_CHECKING: from collections.abc import Callable, Generator, Iterable, Mapping from typing import Any, Final, Optional, Union from .task import TaskArgs from .type import ParseMetadataDict, ReplaceInMetadataDict def load_custom_opts(args: TaskArgs) -> dict[str, Any]: """Convert the custom_opts dict into a ytdl_opts dict that can be passed to `ytdl.Downloader`""" loaded_opts: list[dict[str, Any]] = [] merged_opts: dict[str, Any] = {} for opt in CUSTOM_OPTS: loaded = opt.load(args) if loaded: loaded_opts.append(loaded) # Merge the loaded opts # # The postprocessors lists are combined together at the end so that # they don't overwrite each other postprocessors = [] for loaded in loaded_opts: if 'postprocessors' in loaded: postprocessors += loaded.pop('postprocessors') merged_opts |= loaded if postprocessors: merged_opts['postprocessors'] = postprocessors return merged_opts def merge_custom_opts( ytdl_opts: Mapping[str, Any], loaded_custom_opts: Mapping[str, Any] ) -> dict[str, Any]: """Merge the loaded custom_opts into ytdl_opts For conflicting keys, the value in loaded_custom_opts will be used If both mappings contain the 'postprocessors' list, the ytdl_opts list will be appended to the loaded_custom_opts dict instead of overwriting it. This prevents custom_opts from overwriting postprocessors completely """ PP: Final = 'postprocessors' postprocessors: Optional[tuple[Any, ...]] = None # Only merge the postprocessor lists if they're both sequences so # that it doesn't break if the user sets it to a weird type if ( PP in ytdl_opts and PP in loaded_custom_opts and isinstance(ytdl_opts[PP], Sequence) and isinstance(loaded_custom_opts[PP], Sequence) ): postprocessors = tuple(loaded_custom_opts[PP]) + tuple(ytdl_opts[PP]) merged_opts = dict(ytdl_opts) merged_opts |= loaded_custom_opts if postprocessors is not None: merged_opts[PP] = postprocessors return merged_opts @dataclass(frozen=True) class CustomOpt: """Dataclass for handling custom_opts and merging them into ytdl_opts""" custom_opts: tuple[str, ...] """List of custom_opts that are handled by this instance `handler` will only be called if *any* of these custom_opts are given by the user and their value isn't `None` """ handler: Callable[[TaskArgs], Optional[dict[str, Any]]] """The function that will be used to load the custom_opts The function should return a dict of ytdl_opts, which will be merged into the final ytdl_opts. It can also return `None` if no options should be added """ def load(self, args: TaskArgs) -> Optional[dict[str, Any]]: """Load the custom_opts based on the given TaskArgs Returns `None` if the custom_opts within `args` does not contain any corresponding custom_opts """ for opt in self.custom_opts: if opt in args.custom_opts and args.custom_opts[opt] is not None: # mypy incorrectly infers the type of callable objects # when using a frozen dataclass: # https://github.com/python/mypy/issues/7404 return self.handler(args) # type: ignore else: return None def _load_daterange(args: TaskArgs) -> dict[str, Any]: """Use 'dateafter' and 'datebefore' to create a DateRange object, which is assigned to the 'daterange' ytdl_opt 'daterange' can't be given directly as a ytdl_opt because it's not JSONable """ DateRange = import_object(args.daterange_module, args.daterange_class) dateafter = args.custom_opts.get('dateafter', None) datebefore = args.custom_opts.get('datebefore', None) daterange = DateRange(dateafter, datebefore) return { 'daterange': daterange } def _load_pp_sponsorblock(args: TaskArgs) -> dict[str, Any]: """Add the `SponsorBlock` postprocessor Requires yt-dlp. The 'sponsorblock' dict is also used by the 'remove_chapters' and 'addmetadata' custom_opts. """ sponsorblock: dict[str, Any] = args.custom_opts['sponsorblock'] mark: list[str] = sponsorblock.get('mark') or [] remove: list[str] = sponsorblock.get('remove') or [] api: Optional[str] = sponsorblock.get('api', None) # Merge the categories and remove duplicates. # # The 'SponsorBlock' PP doesn't differentiate between the two lists. # Removal is handled in the 'remove_chapters' custom_opt. categories = frozenset(mark) | frozenset(remove) pp = { 'key': 'SponsorBlock', 'categories': categories, 'when': 'pre_process' } # Add the API only if given so that yt-dlp can fallback to its # default value if api is not None: pp['api'] = api return { 'postprocessors': (pp,) } def _generate_metadata_actions( Actions: Any, parse_metadata: Iterable[ParseMetadataDict], replace_in_metadata: Iterable[ReplaceInMetadataDict] ) -> Generator[ Union[tuple[Any, str, str], tuple[Any, str, str, str]], None, None ]: """Parse the MetadataParser custom_opts, and yield a list of actions to be added to the postprocessor `Actions` should be the `MetadataParserPP.Actions` enum, which has the members `INTERPRET` and `REPLACE`. The postprocessor accepts a mixed list of `INTERPRET` actions (generated from the 'parse_metadata' custom_opt) and `REPLACE` actions (generated from the 'replace_in_metadata' custom_opt). Syntax of `INTERPRET` actions: (Actions.INTERPRET, 'FROM', 'TO') Syntax of `REPLACE` actions: (Actions.REPLACE, 'FIELD', 'REGEX', 'REPLACE') """ for interpreter in parse_metadata: yield (Actions.INTERPRET, interpreter['from'], interpreter['to']) for replacer in replace_in_metadata: for field in replacer['fields']: yield ( Actions.REPLACE, field, replacer['regex'], replacer['replace'] ) def _load_pp_metadataparser(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `MetadataParser` postprocessor The postprocessor requires the `MetadataParserPP.Actions` enum, which we have to import from yt-dlp. """ MetadataParserPP = import_object(args.metadata_module, args.metadata_class) parse_metadata: Optional[Sequence[ParseMetadataDict]] = ( args.custom_opts.get('parse_metadata', ()) ) replace_in_metadata: Optional[Sequence[ReplaceInMetadataDict]] = ( args.custom_opts.get('replace_in_metadata', ()) ) if parse_metadata is None: parse_metadata = () if replace_in_metadata is None: replace_in_metadata = () actions = tuple(_generate_metadata_actions( MetadataParserPP.Actions, parse_metadata, replace_in_metadata )) if actions: return { 'postprocessors': ({ 'key': 'MetadataParser', 'actions': actions, 'when': 'pre_process' },) } else: return None def _load_pp_metadatafromtitle(args: TaskArgs) -> dict[str, Any]: """Add the `MetadataFromTitle` postprocessor""" return { 'postprocessors': ({ 'key': 'MetadataFromTitle', 'titleformat': args.custom_opts['metafromtitle'] },) } def _load_pp_ffmpegextractaudio(args: TaskArgs) -> dict[str, Any]: """Add the `FFmpegExtractAudio` postprocessor""" extractaudio = args.custom_opts['extractaudio'] loaded_opts: dict[str, Any] = {} # Automatically set the format so that it only downloads audio when # possible keepvideo = args.ytdl_opts.get('keepvideo', False) format_ = args.ytdl_opts.get('format', None) if not keepvideo and format_ is None: loaded_opts['format'] = 'bestaudio/best' loaded_opts['postprocessors'] = ({ 'key': 'FFmpegExtractAudio', 'preferredcodec': extractaudio.get('audioformat', 'best'), 'preferredquality': str(extractaudio.get('audioquality', '5')), 'nopostoverwrites': extractaudio.get('nopostoverwrites', False) },) return loaded_opts def _load_pp_ffmpegvideoconverter(args: TaskArgs) -> dict[str, Any]: """Add the `FFmpegVideoConvertor` postprocessor""" recodevideo: str = args.custom_opts['recodevideo'] return { 'postprocessors': ({ 'key': 'FFmpegVideoConvertor', # Typo is intentional 'preferedformat': recodevideo },) } def _load_pp_ffmpegvideoremuxer(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `FFmpegVideoRemuxer` postprocessor Requires yt-dlp. This option is ignored if the 'recodevideo' custom_opt is also given. """ remuxvideo: str = args.custom_opts['remuxvideo'] recodevideo: Optional[str] = args.custom_opts.get('recodevideo', None) if recodevideo is not None: args.logger.warning( 'Conflicting custom_opts: recodevideo and remuxvideo. ' 'Ignoring remuxvideo.' ) return None return { 'postprocessors': ({ 'key': 'FFmpegVideoRemuxer', # Typo is intentional 'preferedformat': remuxvideo },) } def _load_pp_modifychapters(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `ModifyChapters` postprocessor Requires yt-dlp. The PP is used by the 'remove_chapters' and 'sponsorblock' custom_opts. """ force_keyframes: Optional[bool] = None remove_chapters: Optional[dict[str, Any]] = ( args.custom_opts.get('remove_chapters', None) ) if remove_chapters: patterns: Optional[list[str]] = remove_chapters.get('patterns', None) ranges: Optional[list[list[Union[int, float]]]] = ( remove_chapters.get('ranges', None) ) force_keyframes = remove_chapters.get('force_keyframes', None) else: patterns = None ranges = None sponsorblock: Optional[dict[str, Any]] = ( args.custom_opts.get('sponsorblock', None) ) if sponsorblock: sponsorblock_remove: Optional[list[str]] = ( sponsorblock.get('remove', None) ) sponsorblock_template: Optional[str] = ( sponsorblock.get('template', None) ) if force_keyframes is None: force_keyframes = sponsorblock.get('force_keyframes', None) else: sponsorblock_remove = None sponsorblock_template = None if force_keyframes is None: force_keyframes = False # Compile all of the regexes if patterns: regex_patterns: Optional[tuple[re.Pattern[str], ...]] = tuple( re.compile(pattern) for pattern in patterns ) else: regex_patterns = None pp: dict[str, Any] = { 'key': 'ModifyChapters', 'force_keyframes': force_keyframes } # Only return the PP if any args that do something were given. # # This will be `False` if only the 'sponsorblock' custom_opt was # used, and it doesn't have the 'remove' field. return_pp = False # Add the native remove_chapters args if given if regex_patterns: pp['remove_chapters_patterns'] = regex_patterns return_pp = True if ranges: pp['remove_ranges'] = ranges return_pp = True # Add the SponsorBlock args if given if sponsorblock_remove: pp['remove_sponsor_segments'] = frozenset(sponsorblock_remove) return_pp = True if sponsorblock_template: pp['sponsorblock_chapter_title'] = sponsorblock_template if return_pp: return { 'postprocessors': (pp,) } else: return None def _load_pp_ffmpegmetadata(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `FFmpegMetadata` postprocessor This is used by the 'addmetadata', 'addchapters', and 'sponsorblock' custom_opts. The 'add_chapters' and 'add_metadata' kwargs are exclusive to yt-dlp, so we only add them if a yt-dlp custom_opt ('addchapters' or 'sponsorblock') was given. When using yt-dlp, they both default to `True` if not given. """ addmetadata: Optional[bool] = args.custom_opts.get('addmetadata', None) addchapters: Optional[bool] = args.custom_opts.get('addchapters', None) sponsorblock: Optional[dict[str, Any]] = ( args.custom_opts.get('sponsorblock', None) ) if sponsorblock and 'mark' in sponsorblock: sponsorblock_mark: Optional[list[str]] = sponsorblock['mark'] else: sponsorblock_mark = None if addchapters is None and not sponsorblock_mark: # Don't add the extra kwargs when the yt-dlp custom_opts aren't # given in order to maintain backwards-compatibility with # youtube-dl if addmetadata: return { 'postprocessors': ({ 'key': 'FFmpegMetadata' },) } else: return None else: # 'addchapters' and/or 'sponsorblock.mark' was given. # Requires yt-dlp. if addchapters is None: addchapters = bool(addmetadata or sponsorblock_mark) if addmetadata is None: addmetadata = False if addmetadata or addchapters: return { 'postprocessors': ({ 'key': 'FFmpegMetadata', 'add_chapters': addchapters, 'add_metadata': addmetadata },) } else: # Don't add the PP if both kwargs are False, since it won't # do anything. return None def _load_pp_ffmpegsubtitlesconverter(args: TaskArgs) -> dict[str, Any]: """Add the `FFmpegSubtitlesConvertor` postprocessor""" return { 'postprocessors': ({ 'key': 'FFmpegSubtitlesConvertor', 'format': args.custom_opts['convertsubtitles'] },) } def _load_pp_ffmpegthumbnailsconverter(args: TaskArgs) -> dict[str, Any]: """Add the `FFmpegThumbnailsConvertor` postprocessor Requires yt-dlp. """ return { 'postprocessors': ({ 'key': 'FFmpegThumbnailsConvertor', 'format': args.custom_opts['convertthumbnails'], 'when': 'before_dl' },) } def _load_pp_ffmpegembedsubtitle(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `FFmpegEmbedSubtitle` postprocessor""" if args.custom_opts['embedsubtitles']: return { 'postprocessors': ({ 'key': 'FFmpegEmbedSubtitle' },) } else: return None def _load_pp_embedthumbnail(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `EmbedThumbnail` postprocessor""" if args.custom_opts['embedthumbnail']: loaded_opts: dict[str, Any] = {} writethumbnail = args.ytdl_opts.get('writethumbnail', False) write_all_thumbnails = args.ytdl_opts.get( 'write_all_thumbnails', False ) # The thumbnail file will be deleted after it's embedded if this # is False already_have_thumbnail = bool(writethumbnail or write_all_thumbnails) if not already_have_thumbnail: loaded_opts['writethumbnail'] = True loaded_opts['postprocessors'] = ({ 'key': 'EmbedThumbnail', 'already_have_thumbnail': already_have_thumbnail },) return loaded_opts else: return None def _load_pp_ffmpegsplitchapters(args: TaskArgs) -> dict[str, Any]: """Add the `FFmpegSplitChapters` postprocessor""" split_chapters: dict[str, Any] = args.custom_opts['split_chapters'] force_keyframes: Optional[bool] = ( split_chapters.get('force_keyframes', None) ) if force_keyframes is None: force_keyframes = False return { 'postprocessors': ({ 'key': 'FFmpegSplitChapters', 'force_keyframes': force_keyframes },) } def _load_pp_xattrmetadata(args: TaskArgs) -> Optional[dict[str, Any]]: """Add the `XAttrMetadata` postprocessor""" if args.custom_opts['xattrs']: return { 'postprocessors': ({ 'key': 'XAttrMetadata' },) } else: return None def _load_final_ext(args: TaskArgs) -> Optional[dict[str, str]]: """Add the `final_ext` ytdl_opt if needed The final_ext ytdl_opt is used by yt-dlp to detect if the file is already downloaded. It's needed when a postprocessor changes the file extension. final_ext will be set to the value of the first existing custom_opt: recodevideo, remuxvideo, extractaudio.audioformat Based on the yt-dlp source: https://github.com/yt-dlp/yt-dlp/blob/df03de2c02192e43e5b51c8708619179a268b4cf/yt_dlp/__init__.py#L587-L591 """ # Don't override the existing value when it's manually set existing_final_ext: Optional[str] = args.ytdl_opts.get('final_ext', None) if existing_final_ext is not None: return None recodevideo: Optional[str] = args.custom_opts.get('recodevideo', None) remuxvideo: Optional[str] = args.custom_opts.get('remuxvideo', None) extractaudio: Optional[dict[str, Any]] = ( args.custom_opts.get('extractaudio', None) ) if extractaudio: audioformat: Optional[str] = extractaudio.get('audioformat', None) else: audioformat = None final_ext: Optional[str] = None # Only the first option that isn't `None` is checked so that we # don't check options that have been overridden. # For example, remuxvideo is ignored if recodevideo is set. if recodevideo is not None: # Only set final_ext if the option only contains alphanumeric # characters. This prevents it from being set if the option is # set to a value like 'aac>m4a/mov>mp4/mkv'. # yt-dlp handles this more accurately by checking if the value # is in the set of supported extensions, but we don't have # access to that information. if recodevideo.isalnum(): final_ext = recodevideo elif remuxvideo is not None: if remuxvideo.isalnum(): final_ext = remuxvideo elif audioformat is not None and audioformat != 'best': final_ext = audioformat if final_ext is not None: return { 'final_ext': final_ext } else: return None CUSTOM_OPTS: Final = ( CustomOpt(('datebefore', 'dateafter'), _load_daterange), CustomOpt(('sponsorblock',), _load_pp_sponsorblock), CustomOpt( ('parse_metadata', 'replace_in_metadata'), _load_pp_metadataparser ), CustomOpt(('metafromtitle',), _load_pp_metadatafromtitle), CustomOpt(('convertsubtitles',), _load_pp_ffmpegsubtitlesconverter), CustomOpt(('convertthumbnails',), _load_pp_ffmpegthumbnailsconverter), CustomOpt(('extractaudio',), _load_pp_ffmpegextractaudio), CustomOpt(('remuxvideo',), _load_pp_ffmpegvideoremuxer), CustomOpt(('recodevideo',), _load_pp_ffmpegvideoconverter), CustomOpt(('embedsubtitles',), _load_pp_ffmpegembedsubtitle), CustomOpt(('remove_chapters', 'sponsorblock'), _load_pp_modifychapters), CustomOpt( ('addmetadata', 'addchapters', 'sponsorblock'), _load_pp_ffmpegmetadata ), CustomOpt(('embedthumbnail',), _load_pp_embedthumbnail), CustomOpt(('split_chapters',), _load_pp_ffmpegsplitchapters), CustomOpt(('xattrs',), _load_pp_xattrmetadata), CustomOpt(('recodevideo', 'remuxvideo', 'extractaudio'), _load_final_ext), ) """List of custom_opts that will be loaded The order of the postprocessor custom_opts is important. """
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/custom_opt.py
custom_opt.py
from __future__ import annotations __all__ = ( 'StatusEnum', 'LogEnum', 'Log', 'Job', 'has_path_seps', 'import_object', 'terminate', 'get_env_log_level' ) import importlib import os import signal import time from dataclasses import dataclass, field from enum import auto, Enum from typing import TYPE_CHECKING if TYPE_CHECKING: from collections.abc import Mapping, Sequence from datetime import datetime from typing import Any, Optional from uuid import UUID from .type import Terminatable class StatusEnum(Enum): """Job statuses""" queued = auto() """Job was created, but hasn't been started by a worker yet""" downloading = auto() """Job is currently running""" finished = auto() """Job completed successfully""" error = auto() """Job failed""" cancelled = auto() """Job was cancelled by the user""" timeout = auto() """Celery task running the job timed out""" class LogEnum(Enum): """YoutubeDL log levels""" debug = auto() warning = auto() error = auto() @dataclass class Log: level: LogEnum message: str timestamp: datetime def get_json(self) -> dict[str, Any]: return { 'level': self.level.name, 'message': self.message, 'timestamp': self.timestamp.isoformat() } @dataclass class Progress: progress: dict[str, Any] timestamp: datetime filename: str = field(init=False) def __post_init__(self) -> None: self.filename = self.progress['filename'] def get_json(self) -> dict[str, Any]: return self.progress @dataclass class Job: id: UUID status: StatusEnum urls: Sequence[str] ytdl_opts: Optional[Mapping[str, Any]] = None started: Optional[datetime] = None finished: Optional[datetime] = None logs: Sequence[Log] = tuple() error: Optional[str] = None progress: Sequence[Progress] = tuple() @staticmethod def _iso_or_none(datetime_: Optional[datetime]) -> Optional[str]: """Returns an ISO timestamp or None""" if datetime_ is not None: return datetime_.isoformat() else: return None def get_json(self) -> dict[str, Any]: return { 'id': str(self.id), 'status': self.status.name, 'urls': tuple(self.urls), 'ytdl_opts': self.ytdl_opts, 'started': self._iso_or_none(self.started), 'finished': self._iso_or_none(self.finished), 'logs': tuple( log.get_json() for log in self.logs ), 'error': self.error, 'progress': tuple( progress.get_json() for progress in self.progress ) } def _kill(pid: int) -> None: """Manually kill the given PID by sending SIGKILL Raises `NotImplementedError` on Windows because it doesn't have SIGKILL """ if hasattr(signal, 'SIGKILL'): os.kill(pid, signal.SIGKILL) else: raise NotImplementedError("SIGKILL isn't supported on Windows") def _join(process: Terminatable, timeout: int) -> None: """Manual re-implementation of `Process.join()` This is used because `join()` randomly raises an exception when using `billiard.Process` (https://github.com/celery/billiard/issues/270) """ for _ in range(timeout): time.sleep(1) if not process.is_alive(): return def terminate(process: Terminatable, timeout: int = 10) -> bool: """Terminate the given process First, SIGTERM is sent to the process. If the process doesn't exit within `timeout` seconds, SIGKILL is sent. If SIGKILL is unable to kill the process within 5 seconds, `ChildProcessError` is raised Returns `True` if SIGTERM successfully terminated the process, or `False` if SIGKILL was needed Since the function waits on both SIGTERM and SIGKILL, the maximum amount of time that the function can wait is `timeout` + 5 seconds """ if not process.is_alive(): return True process.terminate() _join(process, timeout) if process.is_alive(): skip_wait = False # Unlike `multiprocessing.Process`, `billiard.Process` doesn't # have a `kill()` method, so we have to send SIGKILL manually if hasattr(process, 'kill'): # Ignore typing error about `kill()` not being defined # because we just checked it # (https://github.com/python/mypy/issues/1424) process.kill() # type: ignore[attr-defined] else: try: # Ignore typing error about `process.pid` being the # wrong type. `process.pid` always returns an int after # the process is started _kill(process.pid) # type: ignore[arg-type] except NotImplementedError: skip_wait = True if not skip_wait: _join(process, 5) if process.is_alive(): raise ChildProcessError( 'Timed out while waiting for the process to die' ) else: return False else: return True def import_object(module: str, attr: str) -> Any: """Import the given module, and return the given attribute from it""" module_imported = importlib.import_module(module) attr_value = getattr(module_imported, attr) return attr_value def has_path_seps(str_: str) -> bool: """Returns `True` if the string contains path separators""" has_sep = os.sep in str_ has_altsep = os.altsep is not None and os.altsep in str_ return has_sep or has_altsep def get_env_log_level() -> Optional[str]: """Get the log level from the env-var `$YTDL_LOG_LEVEL` This allows configuring the log level for both Flask and Celery with a single env-var. Returns `None` if the env-var isn't set. In this case, the logging shouldn't be configured. """ log_level = os.environ.get('YTDL_LOG_LEVEL', None) if log_level: return log_level.upper() else: return None
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/util.py
util.py
from __future__ import annotations __all__ = ('app', 'init_celery') from typing import TYPE_CHECKING from celery import Celery from celery.contrib.abortable import AbortableTask from celery.signals import after_setup_task_logger, worker_process_init from .database import db from .util import get_env_log_level if TYPE_CHECKING: from collections.abc import Mapping from logging import Logger from typing import Any, Optional from flask import Flask app = Celery(__name__) app.conf.update({ 'imports': ('ytdl_server.task',) }) # Ignore typing error about the decorator being untyped @after_setup_task_logger.connect # type: ignore[misc] def set_up_logger(logger: Logger, *args: Any, **kwargs: Any) -> None: """Set the log level for Celery tasks The log level is set via the `$YTDL_LOG_LEVEL` env-var. If the var isn't set, the Celery logger won't be changed. """ log_level = get_env_log_level() if log_level is not None: logger.setLevel(log_level) def init_celery( flask_app: Flask, celery_config: Optional[Mapping[str, Any]] = None ) -> Celery: # Ignore typing error about `AbortableTask` not being subclassable # because it's `Any` class AbortableFlaskTask(AbortableTask): # type: ignore[misc] """Abortable task with Flask context""" def __call__(self, *args: Any, **kwargs: Any) -> Any: with flask_app.app_context(): return self.run(*args, **kwargs) # Ignore typing error about the decorator being untyped @worker_process_init.connect # type: ignore[misc] def reset_engine(**kwargs: Any) -> None: """Prevent SQLAlchemy from breaking when running multiple tasks at once https://stackoverflow.com/a/54751019 """ with flask_app.app_context(): db.engine.dispose() if celery_config is not None: app.conf.update(celery_config) # Set the default base task to AbortableDatabaseTask app.Task = AbortableFlaskTask # Prevent `reset_engine` from being garbage-collected when this # function exits app._reset_engine_sig = reset_engine
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/celery.py
celery.py
from __future__ import annotations __all__ = ( 'CustomOptionBadValue', 'DataBadType', 'DataMissingKey', 'ForbiddenCustomOption', 'ForbiddenYTDLOption', 'JobAlreadyCompleted', 'JobNotFound', 'JobNotRunning', 'KeyBadType', 'KeyBadValue', 'UnspecifiedError', 'YTDLOptionBadValue', 'YTDLUserOptionsNotAllowed', 'TYPE_NAMES', 'INDEFINITE_TYPE_NAMES' ) from typing import TYPE_CHECKING from uuid import UUID from .error_base import YTDLServerError if TYPE_CHECKING: from collections.abc import Generator from typing import Any, Final, Optional, Union from .type import JSONableTypes TYPE_NAMES: Final = { dict: 'object', list: 'array', tuple: 'array', str: 'string', int: 'integer', float: 'float', bool: 'boolean', type(None): 'null' } """Mapping of Python types to their corresponding names in JSON Note that this makes a distinction between `int` and `float` even though JSON technically only has a single 'number' type. """ INDEFINITE_TYPE_NAMES: Final = { dict: 'an object', list: 'an array', tuple: 'an array', str: 'a string', int: 'an integer', float: 'a float', bool: 'a boolean', type(None): 'null' } """Same as `TYPE_NAMES`, but with 'a' or 'an' prepended to the name""" # TODO: Add tests for these class HTTPError(YTDLServerError): """Base class for errors raised by the Flask REST API These errors are returned to the user. NOTE: This class must not be raised directly; use a subclass instead. """ __slots__ = ('code', 'description') code: int """HTTP status code""" description: str """Human-readable error message""" def __init__(self, code: int, description: str) -> None: self.code = code self.description = description def to_dict(self) -> dict[str, Any]: """Create a dict that can be used as the JSON response data All attributes defined in `__slots__` that do not start with an underscore will be added to the dict. This includes the slots of parent classes. Additionally, the name of the class will be added as the `error` key. """ response_data = {} for attr in self._get_all_slots(): # Skip private members if not attr.startswith('_'): value = getattr(self, attr) response_data[attr] = value error_name = type(self).__name__ response_data['error'] = error_name return response_data @classmethod def _get_all_slots(cls) -> Generator[str, None, None]: """Recursively return all __slots__ of the class The class and all parent classes are checked in method-resolution order. Slots are only returned if the class the slot belongs to is a subclass of HTTPError. """ for base_cls in cls.mro(): if not issubclass(base_cls, HTTPError): continue if hasattr(base_cls, '__slots__'): for slot in base_cls.__slots__: yield slot class UnspecifiedError(HTTPError): """Generic fallback error used by Flask""" __slots__ = ('name',) name: str """Short name describing the error""" def __init__( self, name: str, code: Optional[int], description: Optional[str] ) -> None: """`code` and `description` are optional because Flask's `HTTPException` has them set as optional """ if code is None: # Not sure why this is optional, so let's just raise 500 code = 500 if description is None: description = name super().__init__(code, description) self.name = name class DataBadType(HTTPError): """The request data is missing or is the wrong type""" __slots__ = ('type',) type: str """Expected JSON type, eg 'object', 'array'""" def __init__( self, type_: JSONableTypes, *, description: Optional[str] = None ) -> None: """ type_: Expected Python type, eg `dict`, `str`, `type(None)` """ if description is None: type_name = INDEFINITE_TYPE_NAMES[type_] description = f'Request data must be {type_name}' super().__init__(400, description) self.type = TYPE_NAMES[type_] class DataMissingKey(HTTPError): """The request data is missing a required top-level key""" __slots__ = ('key',) key: str """Name of the missing key""" def __init__( self, key: str, *, description: Optional[str] = None ) -> None: if description is None: description = f'Missing key in request data: {key}' super().__init__(400, description) self.key = key class KeyBadType(HTTPError): """A key within the request data object has the wrong type""" __slots__ = ('key', 'type') key: str """Name of the key""" type: str """Expected JSON type, eg 'object', 'array'""" def __init__( self, key: str, type_: JSONableTypes, *, description: Optional[str] = None ) -> None: """ type_: Expected Python type, eg `dict`, `str`, `type(None)` """ if description is None: type_name = INDEFINITE_TYPE_NAMES[type_] description = f'The key {key!r} must be {type_name}' super().__init__(400, description) self.key = key self.type = TYPE_NAMES[type_] class KeyBadValue(HTTPError): """A key within the request data object has an invalid value""" __slots__ = ('key',) key: str """Name of the key""" def __init__( self, key: str, *, description: Optional[str] = None ) -> None: if description is None: description = f'The key {key!r} has an invalid value' super().__init__(400, description) self.key = key class YTDLUserOptionsNotAllowed(HTTPError): """The user tried to provide their own ytdl_opts or custom_opts when it's forbidden by the server config""" __slots__ = ('key',) key: str """Name of the key""" def __init__( self, key: str, *, description: Optional[str] = None ) -> None: if description is None: description = 'The server does not allow custom youtube-dl options' super().__init__(403, description) self.key = key class ForbiddenYTDLOption(HTTPError): """The user provided a ytdl_opt that isn’t whitelisted""" __slots__ = ('option',) option: str """Name of the ytdl_opt""" def __init__( self, option: str, *, description: Optional[str] = None ) -> None: if description is None: description = f'Forbidden ytdl_opt: {option}' super().__init__(403, description) self.option = option class YTDLOptionBadValue(HTTPError): """The user provided a ytdl_opt with an invalid value""" __slots__ = ('option',) option: str """Name of the ytdl_opt""" def __init__( self, option: str, code: int, *, description: Optional[str] = None ) -> None: if description is None: description = f'The ytdl_opt {option!r} has an invalid value' super().__init__(code, description) self.option = option class ForbiddenCustomOption(HTTPError): """The user provided a custom_opt that isn’t whitelisted""" __slots__ = ('option',) option: str """Name of the custom_opt""" def __init__( self, option: str, *, description: Optional[str] = None ) -> None: if description is None: description = f'Forbidden custom_opt: {option}' super().__init__(403, description) self.option = option class CustomOptionBadValue(HTTPError): """The user provided a custom_opt with an invalid value""" __slots__ = ('option',) option: str """Name of the custom_opt""" def __init__( self, option: str, code: int, *, description: Optional[str] = None ) -> None: if description is None: description = f'The custom_opt {option!r} has an invalid value' super().__init__(code, description) self.option = option class JobNotFound(HTTPError): """No job exists that matches the given job ID""" __slots__ = ('id',) id: str """Job ID""" def __init__( self, id_: Union[str, UUID], *, description: Optional[str] = None ) -> None: if description is None: description = 'Job ID not found' super().__init__(404, description) # Convert the UUID to a str if needed so that it's JSONable if isinstance(id_, UUID): id_ = str(id_) self.id = id_ class JobAlreadyCompleted(HTTPError): """The user tried to cancel a job that has already completed""" __slots__ = ('id', 'status_url') id: str """Job ID""" status_url: str """URL to get the status of the job""" def __init__( self, id_: Union[str, UUID], status_url: str, *, description: Optional[str] = None ) -> None: if description is None: description = ( 'Unable to cancel the job because it already completed' ) super().__init__(400, description) # Convert the UUID to a str if needed so that it's JSONable if isinstance(id_, UUID): id_ = str(id_) self.id = id_ self.status_url = status_url class JobNotRunning(HTTPError): """The user tried to cancel a running job, but the Celery task isn’t running""" __slots__ = ('id', 'status_url') id: str """Job ID""" status_url: str """URL to get the status of the job""" def __init__( self, id_: Union[str, UUID], status_url: str, *, description: Optional[str] = None ) -> None: if description is None: description = ( 'Unable to cancel the job because it doesn\'t appear to be ' 'running' ) super().__init__(500, description) # Convert the UUID to a str if needed so that it's JSONable if isinstance(id_, UUID): id_ = str(id_) self.id = id_ self.status_url = status_url
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/http_error.py
http_error.py
from __future__ import annotations __all__ = ( 'FlaskCeleryOption', 'Option', 'CELERY_OPTIONS', 'FLASK_OPTIONS', 'OPTIONS' ) import os from collections.abc import Mapping from dataclasses import dataclass, field from typing import TYPE_CHECKING if TYPE_CHECKING: from collections.abc import Callable from typing import Any, Final, Optional _DEFAULT: Final = object() def _convert_env_var(value: str, type_: type, env_var: str) -> Any: """Convert the given env-var string to the correct type""" if type_ is str: return value elif type_ is bool: value = value.lower() if value in {'true', 't', '1', 'yes', 'y'}: return True elif value in {'false', 'f', '0', 'no', 'n'}: return False else: raise ValueError( f'The environment variable {env_var} has an invalid value:' f" {value!r}. Expected 'TRUE' or 'FALSE'" ) elif type_ is list: return value.split(',') else: try: return type_(value) except Exception as e: raise ValueError( f'The environment variable {env_var} has an invalid value:' f' {value!r}. Expected an {type_.__name__}' ) from e @dataclass(frozen=True) class Option: """Individual config options used by `OPTIONS`""" name: str """Name of the option that will be used in the `config.Config` class""" type: type """Type of the option as found in the config file See `value_converter` if you want to change the type of the option after loading it """ # The value is set to the correct type in `__post_init__()` config_key: tuple[str, ...] = None # type: ignore[assignment] """Location of the option within the config file Multiple values represents a nested mapping. For example, a value of `('foo',)` represents the key 'foo' in the top-level mapping, while a value of `('foo', 'bar')` represents the key 'bar' within the mapping 'foo' Defaults to a tuple containing only `name` """ env_var: Optional[str] = None """Environment var that the option will be loaded from if it exists The env var has priority over the value in the config file """ default: Any = _DEFAULT """Default value of the option if it isn't found in the config file or as an env var""" default_factory: Optional[Callable[[], Any]] = None """Same as `default`, but the value is generated by calling this function Use this instead of `default` if the default value is mutable """ required: bool = field(init=False) """Whether or not the option is required This is automatically set to `True` if either `default` or `default_factory` is defined """ value_converter: Optional[Callable[[Any], Any]] = None """The value of the option will be passed through this function if defined For example, you can convert a list to a tuple by setting this to `tuple` See `convert_value()` for details Note: this function isn't used if the option is set to the default value """ def __post_init__(self) -> None: if self.default is not _DEFAULT and self.default_factory is not None: raise ValueError( f'Conflicting options for {self.name!r}.' " Only one of 'default' or 'default_factory' can be defined" ) required = self.default is _DEFAULT and self.default_factory is None object.__setattr__(self, 'required', required) if self.config_key is None: object.__setattr__(self, 'config_key', (self.name,)) def get_default(self) -> Any: """Return the default value of the option Raises an error if the option is required """ if self.required: raise RuntimeError( f'The option {self.name!r} does not have a default value' ) if self.default is not _DEFAULT: return self.default else: # Ignore error about `None` not being callable, because # `default_factory` will never be `None` when this # else-statement runs return self.default_factory() # type: ignore[misc] def convert_value(self, value: Any) -> Any: """Convert value of the option using `value_converter()` If `value_converter()` isn't defined, the value will be returned as-is """ if self.value_converter is not None: return self.value_converter(value) else: return value def nested_in( self, dict_: Mapping[Any, Any], *, assert_type: bool = True ) -> bool: """Recursively check if the option is contained in the given config mapping If `assert_type` is `True`, an error will be raised if an intermediate mapping is the wrong type. Otherwise, it will just return `False` """ for level in self.config_key: if not isinstance(dict_, Mapping): if assert_type: raise TypeError( f'The config option {".".join(self.config_key)!r} has ' 'an invalid type. Expected a mapping, ' f'not a {type(dict_).__name__}' ) else: return False if level not in dict_: return False dict_ = dict_[level] return True def nested_get(self, dict_: Mapping[Any, Any]) -> Any: """Recursively get the option from the config mapping""" for level in self.config_key: dict_ = dict_[level] # `dict_` is actually the value when the loop finishes return dict_ def get_env(self, mapping: Optional[Mapping[str, str]] = None) -> Any: """Retrieve the option from the given env-var mapping The value will be converted from a str to the correct type. `mapping` defaults to `os.environ` when `None`. """ if mapping is None: mapping = os.environ if self.env_var is None: raise RuntimeError( f'The option {self.name!r} does not have an env-var set' ) value = mapping[self.env_var] return _convert_env_var(value, self.type, self.env_var) @dataclass(frozen=True) class FlaskCeleryOption: """Individual Flask-or-Celery config options used by `FLASK_OPTIONS` and `CELERY_OPTIONS`""" name: str """Name of the Flask/Celery option""" env_var: str """Environment var that the option will be loaded from if it exists""" type: type """Type of the option The option will be converted to this type """ def get_env(self, mapping: Optional[Mapping[str, str]] = None) -> Any: """Retrieve the option from the given env-var mapping The value will be converted from a str to the correct type `mapping` defaults to `os.environ` when `None`. """ if mapping is None: mapping = os.environ value = mapping[self.env_var] return _convert_env_var(value, self.type, self.env_var) OPTIONS: Final = ( Option(name='database_uri', env_var='YTDL_DATABASE_URI', type=str), Option(name='flask_config', type=dict, default_factory=dict), Option(name='celery_config', type=dict, default_factory=dict), # The download dir defaults to the working dir of the API (not the # worker) since it's passed as an arg to `task.download`. # # It's done this way because the API needs to know the download_dir # in order to check the value of `outtmpl`. Option( name='download_dir', env_var='YTDL_DOWNLOAD_DIR', type=str, default_factory=os.getcwd ), Option( name='force_download_dir', env_var='YTDL_FORCE_DOWNLOAD_DIR', type=bool, default=True ), Option( name='allow_user_opts', env_var='YTDL_ALLOW_USER_OPTS', type=bool, default=True ), Option( name='ytdl_default_opts', config_key=('ytdl_opts', 'default_opts'), type=dict, default_factory=dict ), Option( name='ytdl_enable_whitelist', env_var='YTDL_ENABLE_WHITELIST', config_key=('ytdl_opts', 'enable_whitelist'), type=bool, default=True ), Option( name='ytdl_whitelist', env_var='YTDL_WHITELIST', config_key=('ytdl_opts', 'whitelist'), type=list, # TODO: add support for match_filter (requires a custom_opt). value_converter=frozenset, default=frozenset(( 'age_limit', 'allsubtitles', 'ap_mso', 'ap_password', 'ap_username', 'buffersize', 'continuedl', 'default_search', 'fixup', 'force_generic_extractor', 'format', 'geo_bypass', 'geo_bypass_country', 'geo_bypass_ip_block', 'hls_use_mpegts', 'http_chunk_size', 'ignoreerrors', 'include_ads', 'keepvideo', 'matchtitle', 'max_filesize', 'max_sleep_interval', 'max_views', 'merge_output_format', 'min_filesize', 'min_views', 'nooverwrites', 'nopart', 'noplaylist', 'noresizebuffer', 'outtmpl', 'outtmpl_na_placeholder', 'password', 'playlistend', 'playlist_items', 'playlistrandom', 'playlistreverse', 'playliststart', 'ratelimit', 'rejecttitle', 'restrictfilenames', 'retries', 'simulate', 'skip_download', 'sleep_interval', 'subtitlesformat', 'subtitleslangs', 'updatetime', 'username', 'videopassword', 'write_all_thumbnails', 'writeannotations', 'writeautomaticsub', 'writedescription', 'writeinfojson', 'writesubtitles', 'writethumbnail', 'xattr_set_filesize', 'youtube_include_dash_manifest', # yt-dlp options # TODO: Add support for 'paths'. It allows downloading to # other locations, so will need to be checked # similarily to 'outtmpl' 'allow_multiple_audio_streams', 'allow_multiple_video_streams', 'allow_playlist_files', 'break_on_existing', 'break_on_reject', 'check_formats', 'dynamic_mpd', 'extractor_retries', 'force_write_download_archive', 'final_ext', 'format_sort', 'format_sort_force', 'fragment_retries', 'getcomments', 'hls_split_discontinuity', 'ignore_no_formats_error', 'overwrites', 'skip_playlist_after_errors', 'sleep_interval_requests', 'sleep_interval_subtitles', 'throttledratelimit', 'trim_file_name', 'windowsfilenames', 'writedesktoplink', 'writeurllink', 'writewebloclink', 'youtube_include_hls_manifest' )) ), Option( name='ytdl_whitelist_add', env_var='YTDL_WHITELIST_ADD', config_key=('ytdl_opts', 'whitelist_add'), type=list, value_converter=frozenset, default=frozenset() ), Option( name='ytdl_whitelist_remove', env_var='YTDL_WHITELIST_REMOVE', config_key=('ytdl_opts', 'whitelist_remove'), type=list, value_converter=frozenset, default=frozenset() ), Option( name='ytdl_sensitive_opts', env_var='YTDL_SENSITIVE_OPTS', config_key=('ytdl_opts', 'sensitive_opts'), type=list, value_converter=tuple, default=('ap_password', 'password', 'videopassword') ), Option( name='custom_default_opts', config_key=('custom_opts', 'default_opts'), type=dict, default_factory=dict ), Option( name='custom_enable_whitelist', env_var='YTDL_ENABLE_CUSTOM_WHITELIST', config_key=('custom_opts', 'enable_whitelist'), type=bool, default=False ), Option( name='custom_whitelist', env_var='YTDL_CUSTOM_WHITELIST', config_key=('custom_opts', 'whitelist'), type=list, value_converter=frozenset, default=frozenset() ), Option( name='ytdl_module', env_var='YTDL_MODULE', type=str, default='youtube_dl' ), Option( name='ytdl_class', env_var='YTDL_CLASS', type=str, default='YoutubeDL' ), Option( name='daterange_module', env_var='YTDL_DATERANGE_MODULE', type=str, default=None ), Option( name='daterange_class', env_var='YTDL_DATERANGE_CLASS', type=str, default='DateRange' ), Option( name='metadata_module', env_var='YTDL_METADATA_MODULE', type=str, default=None ), Option( name='metadata_class', env_var='YTDL_METADATA_CLASS', type=str, default='MetadataParserPP' ) ) """List of config options that will be loaded in `config.Config`""" FLASK_OPTIONS: Final = ( FlaskCeleryOption( name='SERVER_NAME', env_var='YTDL_FLASK_SERVER_NAME', type=str ), FlaskCeleryOption( name='APPLICATION_ROOT', env_var='YTDL_FLASK_APPLICATION_ROOT', type=str ), FlaskCeleryOption( name='PREFERRED_URL_SCHEME', env_var='YTDL_FLASK_PREFERRED_URL_SCHEME', type=str ), FlaskCeleryOption( name='MAX_CONTENT_LENGTH', env_var='YTDL_FLASK_MAX_CONTENT_LENGTH', type=int ), FlaskCeleryOption( name='JSON_AS_ASCII', env_var='YTDL_FLASK_JSON_AS_ASCII', type=bool ), FlaskCeleryOption( name='JSON_SORT_KEYS', env_var='YTDL_FLASK_JSON_SORT_KEYS', type=bool ), FlaskCeleryOption( name='JSONIFY_PRETTYPRINT_REGULAR', env_var='YTDL_FLASK_JSONIFY_PRETTYPRINT_REGULAR', type=bool ), FlaskCeleryOption( name='JSONIFY_MIMETYPE', env_var='YTDL_FLASK_JSONIFY_MIMETYPE', type=str ) ) """List of Flask env-var options that will be added to `config.Config.flask_config`""" CELERY_OPTIONS: Final = ( FlaskCeleryOption( name='enable_utc', env_var='YTDL_CELERY_ENABLE_UTC', type=bool ), FlaskCeleryOption( name='timezone', env_var='YTDL_CELERY_TIMEZONE', type=str ), FlaskCeleryOption( name='task_compression', env_var='YTDL_CELERY_TASK_COMPRESSION', type=str ), FlaskCeleryOption( name='task_protocol', env_var='YTDL_CELERY_TASK_PROTOCOL', type=int ), FlaskCeleryOption( name='task_publish_retry', env_var='YTDL_CELERY_TASK_PUBLISH_RETRY', type=bool ), FlaskCeleryOption( name='task_soft_time_limit', env_var='YTDL_CELERY_TASK_SOFT_TIME_LIMIT', type=int ), FlaskCeleryOption( name='task_acks_late', env_var='YTDL_CELERY_TASK_ACKS_LATE', type=bool ), FlaskCeleryOption( name='task_acks_on_failure_or_timeout', env_var='YTDL_CELERY_TASK_ACKS_ON_FAILURE_OR_TIMEOUT', type=bool ), FlaskCeleryOption( name='task_reject_on_worker_lost', env_var='YTDL_CELERY_TASK_REJECT_ON_WORKER_LOST', type=bool ), FlaskCeleryOption( name='task_default_rate_limit', env_var='YTDL_CELERY_TASK_DEFAULT_RATE_LIMIT', type=int ), # 'result_backend' is automatically set to the same value as # `database_uri` when it's not explicitly given FlaskCeleryOption( name='result_backend', env_var='YTDL_CELERY_RESULT_BACKEND', type=str ), FlaskCeleryOption( name='result_backend_always_retry', env_var='YTDL_CELERY_RESULT_BACKEND_ALWAYS_RETRY', type=bool ), FlaskCeleryOption( name='result_backend_max_sleep_between_retries_ms', env_var='YTDL_CELERY_RESULT_BACKEND_MAX_SLEEP_BETWEEN_RETRIES_MS', type=int ), FlaskCeleryOption( name='result_backend_base_sleep_between_retries_ms', env_var='YTDL_CELERY_RESULT_BACKEND_BASE_SLEEP_BETWEEN_RETRIES_MS', type=int ), FlaskCeleryOption( name='result_backend_max_retries', env_var='YTDL_CELERY_RESULT_BACKEND_MAX_RETRIES', type=int ), FlaskCeleryOption( name='result_compression', env_var='YTDL_CELERY_RESULT_COMPRESSION', type=str ), FlaskCeleryOption( name='result_expires', env_var='YTDL_CELERY_RESULT_EXPIRES', type=int ), FlaskCeleryOption( name='result_chord_join_timeout', env_var='YTDL_CELERY_RESULT_CHORD_JOIN_TIMEOUT', type=float ), FlaskCeleryOption( name='result_chord_retry_interval', env_var='YTDL_CELERY_RESULT_CHORD_RETRY_INTERVAL', type=float ), FlaskCeleryOption( name='database_short_lived_sessions', env_var='YTDL_CELERY_DATABASE_SHORT_LIVED_SESSIONS', type=bool ), FlaskCeleryOption( name='broker_url', env_var='YTDL_CELERY_BROKER_URL', type=str ), FlaskCeleryOption( name='broker_read_url', env_var='YTDL_CELERY_BROKER_READ_URL', type=str ), FlaskCeleryOption( name='broker_write_url', env_var='YTDL_CELERY_BROKER_WRITE_URL', type=str ), FlaskCeleryOption( name='broker_failover_strategy', env_var='YTDL_CELERY_BROKER_FAILOVER_STRATEGY', type=str ), FlaskCeleryOption( name='broker_heartbeat', env_var='YTDL_CELERY_BROKER_HEARTBEAT', type=float ), FlaskCeleryOption( name='broker_heartbeat_checkrate', env_var='YTDL_CELERY_BROKER_HEARTBEAT_CHECKRATE', type=float ), FlaskCeleryOption( name='broker_pool_limit', env_var='YTDL_CELERY_BROKER_POOL_LIMIT', type=int ), FlaskCeleryOption( name='broker_connection_timeout', env_var='YTDL_CELERY_BROKER_CONNECTION_TIMEOUT', type=float ), FlaskCeleryOption( name='broker_connection_retry', env_var='YTDL_CELERY_BROKER_CONNECTION_RETRY', type=bool ), FlaskCeleryOption( name='broker_connection_max_retries', env_var='YTDL_CELERY_BROKER_CONNECTION_MAX_RETRIES', type=int ), FlaskCeleryOption( name='broker_login_method', env_var='YTDL_CELERY_BROKER_LOGIN_METHOD', type=str ), FlaskCeleryOption( name='worker_concurrency', env_var='YTDL_CELERY_WORKER_CONCURRENCY', type=int ), FlaskCeleryOption( name='worker_prefetch_multiplier', env_var='YTDL_CELERY_WORKER_PREFETCH_MULTIPLIER', type=int ), FlaskCeleryOption( name='worker_lost_wait', env_var='YTDL_CELERY_WORKER_LOST_WAIT', type=float ), FlaskCeleryOption( name='worker_max_tasks_per_child', env_var='YTDL_CELERY_WORKER_MAX_TASKS_PER_CHILD', type=int ), FlaskCeleryOption( name='worker_max_memory_per_child', env_var='YTDL_CELERY_WORKER_MAX_MEMORY_PER_CHILD', type=int ), FlaskCeleryOption( name='worker_disable_rate_limits', env_var='YTDL_CELERY_WORKER_DISABLE_RATE_LIMITS', type=bool ), FlaskCeleryOption( name='worker_state_db', env_var='YTDL_CELERY_WORKER_STATE_DB', type=str ), FlaskCeleryOption( name='worker_timer_precision', env_var='YTDL_CELERY_WORKER_TIMER_PRECISION', type=float ), FlaskCeleryOption( name='worker_enable_remote_control', env_var='YTDL_CELERY_WORKER_ENABLE_REMOTE_CONTROL', type=bool ), FlaskCeleryOption( name='worker_proc_alive_timeout', env_var='YTDL_CELERY_WORKER_PROC_ALIVE_TIMEOUT', type=float ), FlaskCeleryOption( name='worker_cancel_long_running_tasks_on_connection_loss', env_var=( 'YTDL_CELERY_' 'WORKER_CANCEL_LONG_RUNNING_TASKS_ON_CONNECTION_LOSS' ), type=bool ), FlaskCeleryOption( name='worker_send_task_events', env_var='YTDL_CELERY_WORKER_SEND_TASK_EVENTS', type=bool ), FlaskCeleryOption( name='task_send_sent_event', env_var='YTDL_CELERY_TASK_SEND_SENT_EVENT', type=bool ), FlaskCeleryOption( name='event_queue_ttl', env_var='YTDL_CELERY_EVENT_QUEUE_TTL', type=float ), FlaskCeleryOption( name='event_queue_expires', env_var='YTDL_CELERY_EVENT_QUEUE_EXPIRES', type=float ), FlaskCeleryOption( name='event_queue_prefix', env_var='YTDL_CELERY_EVENT_QUEUE_PREFIX', type=str ), FlaskCeleryOption( name='event_exchange', env_var='YTDL_CELERY_EVENT_EXCHANGE', type=str ), FlaskCeleryOption( name='control_queue_ttl', env_var='YTDL_CELERY_CONTROL_QUEUE_TTL', type=float ), FlaskCeleryOption( name='control_queue_expires', env_var='YTDL_CELERY_CONTROL_QUEUE_EXPIRES', type=float ), FlaskCeleryOption( name='control_exchange', env_var='YTDL_CELERY_CONTROL_EXCHANGE', type=str ), FlaskCeleryOption( name='worker_log_color', env_var='YTDL_CELERY_WORKER_LOG_COLOR', type=bool ), FlaskCeleryOption( name='worker_log_format', env_var='YTDL_CELERY_WORKER_LOG_FORMAT', type=str ), FlaskCeleryOption( name='worker_task_log_format', env_var='YTDL_CELERY_WORKER_TASK_LOG_FORMAT', type=str ), FlaskCeleryOption( name='beat_schedule_filename', env_var='YTDL_CELERY_BEAT_SCHEDULE_FILENAME', type=str ), FlaskCeleryOption( name='beat_sync_every', env_var='YTDL_CELERY_BEAT_SYNC_EVERY', type=int ), FlaskCeleryOption( name='beat_max_loop_interval', env_var='YTDL_CELERY_BEAT_MAX_LOOP_INTERVAL', type=int ) ) """List of Celery env-var options that will be added to `config.Config.celery_config`"""
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/config_option.py
config_option.py
from __future__ import annotations __all__ = ('Config',) import logging import os from typing import TYPE_CHECKING import yaml from .config_option import CELERY_OPTIONS, FLASK_OPTIONS, OPTIONS if TYPE_CHECKING: from collections.abc import Generator, Iterable from typing import Any, Final, Mapping, Optional from .config_option import FlaskCeleryOption, Option # TODO: Add unit tests for Config class Config: """Class that loads application config settings from env vars and from a config file""" __slots__ = ( '_logger', 'database_uri', 'flask_config', 'celery_config', 'download_dir', 'force_download_dir', 'ytdl_default_opts', 'allow_user_opts', 'ytdl_enable_whitelist', 'ytdl_whitelist', 'ytdl_whitelist_add', 'ytdl_whitelist_remove', 'ytdl_sensitive_opts', 'custom_default_opts', 'custom_enable_whitelist', 'custom_whitelist', 'ytdl_module', 'ytdl_class', 'daterange_module', 'daterange_class', 'metadata_module', 'metadata_class' ) database_uri: str """URI of the SQLAlchemy database""" flask_config: dict[str, Any] """Flask config options that are passed directly to Flask""" celery_config: dict[str, Any] """Celery config options that are passed directly to Celery""" download_dir: str """Dir that videos will be downloaded to by default""" force_download_dir: bool """Whether or not to force videos to be downloaded to `download_dir`""" allow_user_opts: bool """Whether or not to allow users to supply their own ytdl_opts and custom_opts""" ytdl_default_opts: dict[str, Any] """Default ytdl_opts""" ytdl_enable_whitelist: bool """Whether or not to use a whitelist for user-supplied ytdl_opts""" ytdl_whitelist: frozenset[str] """Set of whitelisted user ytdl_opts""" ytdl_whitelist_add: frozenset[str] """Additional ytdl_opts to add to `ytdl_whitelist`""" ytdl_whitelist_remove: frozenset[str] """Blacklisted ytdl_opts to remove from `ytdl_whitelist`""" ytdl_sensitive_opts: tuple[str, ...] """List of sensitive ytdl_opts whose values will be censored""" custom_default_opts: dict[str, Any] """Default custom_opts""" custom_enable_whitelist: bool """Whether or not to use a whitelist for custom_opts""" custom_whitelist: frozenset[str] """Set of whitelisted user custom_opts""" ytdl_module: str """The module that contains the YoutubeDL class""" ytdl_class: str """The YoutubeDL class to use""" daterange_module: str """The module that contains the DateRange class Defaults to the same value as `ytdl_module` """ daterange_class: str """The DateRange class to use This is used for the 'datebefore' and 'dateafter' custom_opts """ metadata_module: str """The module that contains the MetadataParser postprocessor class Defaults to the same value as `ytdl_module` """ metadata_class: str """The MetadataParser postprocessor class to use This is used for the 'parse_metadata' and 'replace_in_metadata' custom_opts """ _CONFIG_ENV_VAR: Final = 'YTDL_CONFIG' """Name of the env var that contains the filepath of the YAML config file that will be loaded (if it exists)""" _logger: Optional[logging.Logger] def __init__( self, *, logger: Optional[logging.Logger] = None, config_dict: Optional[Mapping[Any, Any]] = None, load_env_vars: bool = True ) -> None: """ logger: Logger to log debug messages to. If `None`, no messages will be logged config_dict: Use this dict instead of loading the config file load_env_vars: Whether or not to load config values from their corresponding env vars `config_dict` and `load_env_vars` are intended to be used for testing """ self._logger = logger if config_dict is None: config_dict = self._load_config_dict() for option in OPTIONS: value = self._get_value(option, config_dict, load_env_vars) setattr(self, option.name, value) if load_env_vars: self._load_flask_env_vars() self._load_celery_env_vars() self._run_manual_hacks() def _load_config_dict(self) -> dict[Any, Any]: """Load the YAML config file from the env var `_CONFIG_ENV_VAR` If the env var isn't set, returns an empty dict """ if self._CONFIG_ENV_VAR in os.environ: config_path = os.environ[self._CONFIG_ENV_VAR] if config_path: self.log( logging.INFO, 'Loading config file from env var: %s', config_path ) with open(config_path, 'r') as file: config_dict = yaml.safe_load(file) if not isinstance(config_dict, dict): type_name = type(config_dict).__name__ raise ValueError( 'Invalid top-level type. ' f'Expected dict. Got {type_name}' ) return config_dict return {} def _get_value( self, option: Option, config_dict: Mapping[Any, Any], load_env_var: bool = True ) -> Any: """Get the value of the given option from the config dict or the corresponding env var Env vars have priority over the config dict If the option doesn't exist in the dict or as an env var, the default value for the option be set if it has one. Otherwise, an error will be raised If `load_env_var` is `False`, the env var won't be used """ found_value = False is_default = False # Get the value from the env var if it exists if load_env_var and option.env_var is not None: if option.env_var in os.environ and os.environ[option.env_var]: value = option.get_env() found_value = True self.log( logging.INFO, '%s: Found env var: %s. Value: %r', option.name, option.env_var, value ) if not found_value: if option.nested_in(config_dict, assert_type=True): # Get the value from the config file value = option.nested_get(config_dict) self._check_type(option, value) found_value = True if not found_value: if option.required: # Raise an error when the option is required, but wasn't # found raise KeyError( f'Missing required config option: {option.name}' ) else: value = option.get_default() is_default = True if not is_default: converted_value = option.convert_value(value) self.log( logging.INFO, '%s: Got value: %r', option.name, converted_value ) return converted_value else: return value def _check_type(self, option: Option, value: Any) -> None: """Verify that the value of the option is the correct type""" if type(value) is not option.type: raise TypeError( f'The config option {option.name!r} has an invalid type. ' f'Expected {option.type.__name__}. ' f'Got {type(value).__name__}' ) # Verify that all dicts only contain string keys # # Flask and Celery both only use string keys for their # configs if type(value) is dict: for key in value.keys(): if type(key) is not str: raise ValueError( f"Invalid config option: '{option.name}.{key}'." ' All keys must be strings' ) def _load_generic_env_vars( self, options: Iterable[FlaskCeleryOption], config_dict_name: str ) -> None: """Load all Flask and Celery env vars The env-var values are added to `flask_config` and `celery_config` respectively """ config_dict: dict[str, Any] = getattr(self, config_dict_name) for option in options: if option.env_var in os.environ and os.environ[option.env_var]: value = option.get_env() self.log( logging.INFO, '%s.%s: Found env var. Value: %r', config_dict_name, option.name, value ) config_dict[option.name] = value def _load_flask_env_vars(self) -> None: self._load_generic_env_vars(FLASK_OPTIONS, 'flask_config') def _load_celery_env_vars(self) -> None: self._load_generic_env_vars(CELERY_OPTIONS, 'celery_config') def _run_manual_hacks(self) -> None: """Option-specific hacks that can't be done automatically via `_Option`""" # Have Flask-SQLAlchemy use the database_uri self.flask_config['SQLALCHEMY_DATABASE_URI'] = self.database_uri # Have Celery use the SQL database as the result-backend by # default if 'result_backend' not in self.celery_config: result_backend = f'db+{self.database_uri}' self.log( logging.DEBUG, "Automatically setting `celery_config.result_backend` to %r", result_backend ) self.celery_config['result_backend'] = result_backend # Have `daterange_module` and `metadata_module` use the same # module as `ytdl_module` by default for module in ('daterange_module', 'metadata_module'): if getattr(self, module) is None: self.log( logging.DEBUG, "Automatically setting `%s` to %r", module, self.ytdl_module ) setattr(self, module, self.ytdl_module) def items(self) -> Generator[tuple[str, Any], None, None]: """Return all config options as key-value pairs""" for option in OPTIONS: value = getattr(self, option.name) yield option.name, value def __repr__(self) -> str: options = [] for option, value in self.items(): options.append(f'{option}={value!r}') return f'Config({", ".join(options)})' def log(self, level: int, msg: str, *args: Any, **kwargs: Any) -> None: if self._logger is not None: self._logger.log(level, msg, *args, **kwargs)
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/config.py
config.py
from __future__ import annotations __all__ = ('download', 'TaskArgs') import os import time from dataclasses import dataclass from typing import TYPE_CHECKING from uuid import UUID # billiard is used because it allows tasks to create child processes from billiard import Process from celery.exceptions import SoftTimeLimitExceeded from celery.utils.log import get_task_logger from . import db_util from .celery import app from .custom_opt import load_custom_opts, merge_custom_opts from .database import db from .util import import_object, StatusEnum, terminate from .ytdl import Downloader, censor_opts if TYPE_CHECKING: from logging import Logger from typing import Any, Iterable, Mapping, Sequence from .type import Terminatable _logger = get_task_logger(__name__) # Ignore typing error about the decorator being untyped @app.task(bind=True) # type: ignore[misc] def download( self: Any, *, urls: Sequence[str], ytdl_opts: Mapping[str, Any], custom_opts: Mapping[str, Any], sensitive_opts: Iterable[str], download_dir: str, ytdl_module: str, ytdl_class: str, daterange_module: str, daterange_class: str, metadata_module: str, metadata_class: str ) -> None: """Download the given URLs via youtube-dl See `TaskArgs` for a documentation about the args `db_util.insert_job()` must be called first so that the job exists in the database """ try: args = TaskArgs( urls=urls, ytdl_opts=ytdl_opts, custom_opts=custom_opts, sensitive_opts=sensitive_opts, download_dir=download_dir, ytdl_module=ytdl_module, ytdl_class=ytdl_class, daterange_module=daterange_module, daterange_class=daterange_class, metadata_module=metadata_module, metadata_class=metadata_class, logger=_logger ) _real_download(self, args) except Exception: # Log unexpected errors, and set the job status to 'error' _logger.exception('Celery task failed') job_id = UUID(self.request.id) _set_job_status(job_id, StatusEnum.error) @dataclass(frozen=True) class TaskArgs: """Dataclass of arguments to pass to `_real_download()` This isn't used for `download()` because it's not JSONable """ urls: Sequence[str] """List of URLs to download""" ytdl_opts: Mapping[str, Any] """ytdl_opts to pass to the YoutubeDL class custom_opts will be merged into this after they're parsed """ custom_opts: Mapping[str, Any] """custom_opts that will be merged with ytdl_opts""" sensitive_opts: Iterable[str] """List of sensitive ytdl_opts, which will be censored before being added to the SQL database""" download_dir: str """Default download directory""" ytdl_module: str """Name of the module that ytdl_class will be imported from""" ytdl_class: str """Name of the YoutubeDL class""" daterange_module: str """Name of the module that daterange_class will be imported from""" daterange_class: str """Name of the DateRange class""" metadata_module: str """Name of the module that metadata_class will be imported from""" metadata_class: str """Name of the MetadataParserPP class""" logger: Logger """Logger to use for logging This is used by functions within `custom_opt` so that they don't depend on Celery. The `task` module uses the Celery logger directly. """ def _real_download(task: Any, args: TaskArgs) -> None: """Used by `download()` to download the URLs within a try-clause""" job_id = UUID(task.request.id) if task.is_aborted(): _logger.info('Task aborted before the download started. Exiting') _set_job_status(job_id, StatusEnum.cancelled) return _logger.debug( 'Importing youtube-dl class %r from module %r', args.ytdl_class, args.ytdl_module ) YoutubeDL = import_object(args.ytdl_module, args.ytdl_class) _logger.debug('Changing to download dir: %s', args.download_dir) os.chdir(args.download_dir) _logger.debug('Loading custom_opts: %r', args.custom_opts) loaded_custom_opts = load_custom_opts(args) _logger.debug('Loaded custom_opts. Result: %r', loaded_custom_opts) merged_ytdl_opts = merge_custom_opts(args.ytdl_opts, loaded_custom_opts) censored_opts = censor_opts(merged_ytdl_opts, args.sensitive_opts) _logger.debug('Censored ytdl_opts: %r', censored_opts) db_util.update_job(job_id, ytdl_opts=censored_opts) # Run the downloader as a child process so that we can kill it if # the task is aborted or times out. downloader = Downloader( job_id=job_id, urls=args.urls, ytdl_opts=merged_ytdl_opts, ytdl_class=YoutubeDL, logger=_logger ) process = Process(target=downloader.download) # Reset the DB connection pool so that the pool isn't shared with # the child process. Sharing the pool causes intermittent errors. # # More info: # https://docs.sqlalchemy.org/en/14/core/pooling.html#using-connection-pools-with-multiprocessing-or-os-fork # # This must be called in the parent instead of the child because # calling it in the child doesn't completely eliminate the errors if # the parent accesses the pool after forking. db.engine.dispose() try: _logger.debug('Starting YTDL process') process.start() _logger.debug('Child PID: %s', process.pid) _ytdl_loop(job_id, process, task) # TODO: Add tests for this except SoftTimeLimitExceeded: # The time limit is configured via the `task_soft_time_limit` # Celery option _logger.warning('Task timed out. Terminating the YTDL process') terminate(process) _logger.debug('Process successfully terminated') _set_job_status(job_id, StatusEnum.timeout) def _ytdl_loop(job_id: UUID, process: Terminatable, task: Any) -> None: """Continuously check the status of the YTDL process until it either exits or is aborted""" while True: # sleep() is used instead of join() because of this issue: # https://github.com/celery/billiard/issues/270 time.sleep(1) # process.join(1) if not process.is_alive(): _logger.info("YTDL process isn't running. Exiting") break if task.is_aborted(): _logger.info('Task aborted. Terminating the YTDL process') terminate(process) _logger.debug('Process successfully terminated') _set_job_status(job_id, StatusEnum.cancelled) break def _set_job_status(job_id: UUID, status: StatusEnum) -> None: """Set the status of the given job Also sets the 'finished' column to the current time """ _logger.debug('Setting job status to %r', status.name) db_util.update_job( job_id, status=status, finished=db_util.CURRENT_TIMESTAMP )
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/task.py
task.py
from __future__ import annotations __all__ = ( 'get_job', 'get_job_status', 'get_logs', 'get_progress', 'insert_job', 'insert_logs', 'update_job', 'upsert_progress', 'CURRENT_TIMESTAMP' ) from typing import TYPE_CHECKING import sqlalchemy as sql from sqlalchemy.dialects.postgresql import insert as postgres_insert from . import database from .error import JobNotFoundError from .util import Job, Log, Progress, StatusEnum if TYPE_CHECKING: from collections.abc import Generator, Iterable, Sequence from typing import Any, Final from uuid import UUID _db = database.db CURRENT_TIMESTAMP: Final = sql.func.current_timestamp() """SQL function that represents the current date and time This can be used as a column value for `update_job()` """ def get_job(job_id: UUID) -> Job: """Returns the job that matches the given job ID If no job is found, it raises `JobNotFoundError` """ result = _db.session.get(database.Job, job_id) if result is None: raise JobNotFoundError(job_id) job = Job( id=result.id, status=result.status, error=result.error, urls=result.urls, ytdl_opts=result.ytdl_opts, started=result.started, finished=result.finished ) return job def get_job_status(job_id: UUID) -> StatusEnum: """Returns just the status of the job that matches the given job ID If no job is found, it raises `JobNotFoundError` """ statement = sql.select(database.Job.status).filter( database.Job.id == job_id ) result = _db.session.execute(statement).one_or_none() if result is None: raise JobNotFoundError(job_id) else: status: StatusEnum = result.status return status def get_logs(job_id: UUID) -> tuple[Log, ...]: statement = sql.select( database.Log.level, database.Log.message, database.Log.timestamp ).where( database.Log.job_id == job_id ).order_by(database.Log.timestamp) result = _db.session.execute(statement) logs = [] for log in result: logs.append(Log( level=log.level, message=log.message, timestamp=log.timestamp )) return tuple(logs) def get_progress(job_id: UUID) -> tuple[Progress, ...]: statement = sql.select( database.Progress.progress, database.Progress.timestamp ).where( database.Progress.job_id == job_id ).order_by(database.Progress.timestamp) result = _db.session.execute(statement) progress_list = [] for progress in result: progress_list.append(Progress( progress=progress.progress, timestamp=progress.timestamp )) return tuple(progress_list) def _execute( statement: sql.sql.expression.Executable, commit: bool ) -> sql.engine.Result: """Execute the given SQL statement and return the result If `commit` is `True`, the statement will be run within a new transaction, which is then commited. """ if commit: with _db.session.begin(): result = _db.session.execute(statement) else: result = _db.session.execute(statement) return result # Each instance should be a subclass of `_db.Model`. `_db` is # constructed using an untyped metaclass, so type hints don't work. def _add_all(instances: Iterable[Any], commit: bool) -> None: """Insert the given database objects into the session If `commit` is `True`, the statement will be run within a new transaction, which is then commited. """ if commit: with _db.session.begin(): _db.session.add_all(instances) else: _db.session.add_all(instances) def update_job(job_id: UUID, *, commit: bool = True, **columns: Any) -> None: """Update all given columns for the job that matches the job ID If `commit` is `True`, the statement will be run within a new transaction, which is then commited. Set this to `False` if you want to manage your own transactions. """ statement = sql.update(database.Job).where( database.Job.id == job_id ).values(**columns) _execute(statement, commit) def insert_job(urls: Sequence[str], *, commit: bool = True) -> UUID: """Insert a new job and return the job ID This must be called before starting the download via `ytdl` If `commit` is `True`, the statement will be run within a new transaction, which is then commited. Set this to `False` if you want to manage your own transactions. """ statement = sql.insert(database.Job).values( status=StatusEnum.queued, urls=urls, ).returning(database.Job.id) result = _execute(statement, commit) job_id: UUID = result.scalar() return job_id def insert_logs( job_id: UUID, logs: Iterable[Log], *, commit: bool = True ) -> None: """Insert multiple log rows If `commit` is `True`, the statement will be run within a new transaction, which is then commited. Set this to `False` if you want to manage your own transactions. """ # Convert the `utils` Logs to `database` Logs db_logs: list[database.Log] = [] for log in logs: db_log = database.Log( job_id=job_id, level=log.level, message=log.message, timestamp=log.timestamp ) db_logs.append(db_log) _add_all(db_logs, commit) def _dedup_progress( progress_list: Sequence[Progress] ) -> Generator[Progress, None, None]: """Filter the given Progress list by only returning a single entry for each filename The last Progress entry in the list is yielded for each filename. The Progress entries are yielded in reverse order. This is needed because `on_conflict_do_update()` will raise an exception if you give it multiple rows that have the same conflict. """ yielded_filenames = set() for progress in reversed(progress_list): if progress.filename not in yielded_filenames: yield progress yielded_filenames.add(progress.filename) def upsert_progress( job_id: UUID, progress_list: Sequence[Progress], *, commit: bool = True ) -> None: """Update or insert multiple progress rows If `commit` is `True`, the statement will be run within a new transaction, which is then commited. Set this to `False` if you want to manage your own transactions. """ # Convert the `utils` Progress entries to dicts that we can pass to # the statement db_progress_list: list[dict[str, Any]] = [] for progress in _dedup_progress(progress_list): db_progress = { 'job_id': job_id, 'filename': progress.filename, 'progress': progress.progress, 'timestamp': progress.timestamp } db_progress_list.append(db_progress) # Postgres dialect is used because it supports # `on_conflict_do_update()` # # The values are baked into the statement instead of being passed to # `execute()` because SQLAlchemy will execute a separate statement # for each row otherwise when using `on_conflict_do_update()` statement = postgres_insert(database.Progress) statement = statement.on_conflict_do_update( # Replace existing row if a row already exists for the file # that's currently downloading (same job_id and filename) index_elements=(database.Progress.job_id, database.Progress.filename), set_={ database.Progress.progress: statement.excluded.progress, database.Progress.timestamp: statement.excluded.timestamp, } ).values(db_progress_list) _execute(statement, commit)
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/db_util.py
db_util.py
from __future__ import annotations __all__ = ('bp', 'get_config') from typing import TYPE_CHECKING import flask from .ytdl import censor_opts if TYPE_CHECKING: from typing import Any, Final from .config import Config bp = flask.Blueprint('config', __name__) _WHITELISTED_OPTS: Final = frozenset(( 'download_dir', 'force_download_dir', 'allow_user_opts', 'ytdl_enable_whitelist', 'ytdl_sensitive_opts', 'custom_default_opts', 'custom_enable_whitelist' )) def _create_config_dict(config: Config) -> dict[str, Any]: config_dict = {} for opt, value in config.items(): if opt in _WHITELISTED_OPTS: config_dict[opt] = value # Censor 'ytdl_default_opts' so that it doesn't contain passwords config_dict['ytdl_default_opts'] = censor_opts( config.ytdl_default_opts, sensitive_opts=config.ytdl_sensitive_opts ) if config.allow_user_opts and config.ytdl_enable_whitelist: # Merge 'ytdl_whitelist' with 'ytdl_whitelist_add' and # 'ytdl_whitelist_remove' so that the user only sees the final # whitelist merged_whitelist = set(config.ytdl_whitelist) merged_whitelist |= config.ytdl_whitelist_add merged_whitelist -= config.ytdl_whitelist_remove config_dict['ytdl_whitelist'] = tuple(sorted(merged_whitelist)) else: # Set 'ytdl_whitelist' to 'None' if it's not being used config_dict['ytdl_whitelist'] = None if config.allow_user_opts and config.custom_enable_whitelist: config_dict['custom_whitelist'] = tuple( sorted(config.custom_whitelist) ) else: # Set 'custom_whitelist' to 'None' if it's not being used config_dict['custom_whitelist'] = None return config_dict @bp.route('', methods=('GET',)) def get_config() -> tuple[dict[str, Any], int]: """Return the server ytdl configuration""" config = flask.current_app.config['YTDL_CONFIG'] config_dict = _create_config_dict(config) return config_dict, 200
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/flask_config.py
flask_config.py
from __future__ import annotations __all__ = ('bp', 'create_job', 'get_status', 'cancel_job') import pathlib import re from typing import cast, TYPE_CHECKING import flask import celery.states from . import db_util, task from .error import http_error, JobNotFoundError from .util import has_path_seps, StatusEnum if TYPE_CHECKING: from collections.abc import Mapping from typing import Any, Union from uuid import UUID bp = flask.Blueprint('job', __name__) def _check_outtmpl_dir(outtmpl: Union[str, dict[str, str]]) -> None: """Verifies that 'outtmpl' isn't being used to escape the download dir It works by verifying that 'outtmpl' is a child path within the download dir Also verifies the type of 'outtmpl' 'outtmpl' can be a dict when using yt-dlp. In this case, every path in the dict is checked This function is safe to use with 'outtmpl' because youtube-dl removes path separators before injecting values into the template """ config = flask.current_app.config['YTDL_CONFIG'] if not config.force_download_dir: # Only check `outtmpl` if the relevant config option is enabled return if isinstance(outtmpl, str): # Convert str values to a single-item dict so we can iterate # over it # # The value of the key is unimportant outtmpl = { '_': outtmpl } elif not isinstance(outtmpl, dict): raise http_error.YTDLOptionBadValue( 'outtmpl', 400, description=( "The ytdl_opt 'outtmpl' must be either a string or " 'an object of strings' ) ) download_dir = config.download_dir parent_dir = pathlib.Path(download_dir).resolve() for filepath in outtmpl.values(): if not isinstance(filepath, str): raise http_error.YTDLOptionBadValue( 'outtmpl', 400, description=( "All values within the 'outtmpl' object must be strings. " f'Invalid value: {filepath!r}' ) ) # Append the download dir to the child path only if the child # path is relative if pathlib.Path(filepath).is_absolute(): child_path = pathlib.Path(filepath).resolve() else: child_path = pathlib.Path(download_dir, filepath).resolve() if ( parent_dir == child_path or not child_path.is_relative_to(parent_dir) ): raise http_error.YTDLOptionBadValue( 'outtmpl', 403, description=( "The ytdl_opt 'outtmpl' must be either a relative path or " 'a subpath of the download directory. ' f'Download directory: {download_dir!r}. ' f'Invalid path: {filepath!r}' ) ) def _check_path_seps(opt_name: str, opt_value: str) -> None: """Verifies that the given ytdl_opt doesn't contain path separators Used for the following ytdl_opts: 'outtmpl_na_placeholder', 'merge_output_format', 'final_ext' Path seperators are removed because these options can escape the download dir if a value such as '../../..' is given Unlike 'outtmpl', youtube-dl does not remove path separators when injecting variables into the template, so we can't use the parent method like in `_check_outtmpl_dir()` """ config = flask.current_app.config['YTDL_CONFIG'] if not config.force_download_dir: # Only check for separators if the relevant config option is # enabled return if not isinstance(opt_value, str): raise http_error.YTDLOptionBadValue( opt_name, 400, description=f'The ytdl_opt {opt_name!r} must be a string' ) if has_path_seps(opt_value): raise http_error.YTDLOptionBadValue( opt_name, 403, description=( f'The ytdl_opt {opt_name!r} must not contain path separators' ) ) def _create_job_check_input() -> None: """Verify that the user input received by `create_job()` is valid If the input is valid, it returns `None` If the input isn't valid, it raises `http_error.HTTPError`, which should be returned to the user as the response data. """ # Assert that the content type is JSON if not flask.request.is_json: raise http_error.DataBadType( dict, description='Content-Type must be \'application/json\'' ) # Assert that the request data is the right type if not isinstance(flask.request.json, dict): raise http_error.DataBadType(dict) # Assert that 'urls' exists in the request data if 'urls' not in flask.request.json: raise http_error.DataMissingKey('urls') urls = flask.request.json['urls'] # Assert that 'urls' is a non-empty list if not isinstance(urls, list): raise http_error.KeyBadType('urls', list) if not urls: raise http_error.KeyBadValue( 'urls', description="The 'urls' array must not be empty" ) # Check user-supplied ytdl_opts ytdl_user_opts = flask.request.json.get('ytdl_opts', None) if ytdl_user_opts is not None: _check_ytdl_user_opts(ytdl_user_opts) # Check custom_opts custom_opts = flask.request.json.get('custom_opts', None) if custom_opts is not None: _check_custom_opts(custom_opts) def _check_ytdl_user_opts(ytdl_user_opts: Any) -> None: """Verify that the user-supplied ytdl_opts are valid Raises `http_error.HTTPError` if the ytdl_opts are invalid """ if not isinstance(ytdl_user_opts, dict): raise http_error.KeyBadType('ytdl_opts', dict) if not ytdl_user_opts: # Skip checks if `ytdl_user_opts` is empty return None config = flask.current_app.config['YTDL_CONFIG'] logger = flask.current_app.logger if not config.allow_user_opts: raise http_error.YTDLUserOptionsNotAllowed('ytdl_opts') if config.ytdl_enable_whitelist: allowed_opts = set(config.ytdl_whitelist) allowed_opts |= config.ytdl_whitelist_add allowed_opts -= config.ytdl_whitelist_remove for opt in ytdl_user_opts: if opt not in allowed_opts: raise http_error.ForbiddenYTDLOption(opt) # Check the value of individual ytdl_opts try: if 'outtmpl' in ytdl_user_opts: _check_outtmpl_dir(ytdl_user_opts['outtmpl']) for opt in ( 'outtmpl_na_placeholder', 'merge_output_format', 'final_ext' ): if opt in ytdl_user_opts: _check_path_seps(opt, ytdl_user_opts[opt]) except http_error.YTDLOptionBadValue as e: # Log the error before re-raising it logger.debug( 'create_job: %s: Invalid user-supplied ytdl_opt. Aborting', e.option ) raise def _check_custom_opt_extractaudio(custom_opts: Mapping[str, Any]) -> None: """Check the extractaudio custom_opt""" extractaudio = custom_opts.get('extractaudio', None) if extractaudio is None: return if not isinstance(extractaudio, dict): raise http_error.CustomOptionBadValue( 'extractaudio', 400, description='Option must be an object or null' ) audio_opts = ( ('audioformat', str), ('audioquality', int), ('nopostoverwrites', bool) ) for field, type_ in audio_opts: if field in extractaudio: value = extractaudio[field] if not isinstance(value, type_): type_name = http_error.INDEFINITE_TYPE_NAMES[type_] raise http_error.CustomOptionBadValue( 'extractaudio', 400, description=f'The field {field!r} must be {type_name}' ) if 'audioquality' in extractaudio and extractaudio['audioquality'] < 0: raise http_error.CustomOptionBadValue( 'extractaudio', 400, description="The field 'audioquality' cannot be less than zero" ) def _check_custom_opt_split_chapters(custom_opts: Mapping[str, Any]) -> None: """Check the split_chapters custom_opt""" split_chapters = custom_opts.get('split_chapters', None) if split_chapters is None: return if not isinstance(split_chapters, dict): raise http_error.CustomOptionBadValue( 'split_chapters', 400, description='Option must be an object or null' ) force_keyframes = split_chapters.get('force_keyframes', None) if ( force_keyframes is not None and not isinstance(force_keyframes, bool) ): if not isinstance(force_keyframes, bool): raise http_error.CustomOptionBadValue( 'split_chapters', 400, description=( "The field 'force_keyframes' must be a boolean or null" ) ) def _check_custom_opt_remove_chapters(custom_opts: Mapping[str, Any]) -> None: """Check the remove_chapters custom_opt""" remove_chapters = custom_opts.get('remove_chapters', None) if remove_chapters is None: return if not isinstance(remove_chapters, dict): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description='Option must be an object or null' ) patterns = remove_chapters.get('patterns', None) ranges = remove_chapters.get('ranges', None) if not patterns and not ranges: raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The 'patterns' and/or 'ranges' fields must be non-empty " 'arrays' ) ) if patterns is not None and not isinstance(patterns, list): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description="The field 'patterns' must be an array or null" ) if ranges is not None and not isinstance(ranges, list): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description="The field 'ranges' must be an array or null" ) if patterns: for pattern in patterns: if not isinstance(pattern, str): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'patterns' must only contain strings" ) ) try: re.compile(pattern) except re.error: raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'patterns' contains an invalid regular " f'expression: {pattern}' ) ) if ranges: for range_ in ranges: if not isinstance(range_, list): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'ranges' must only contain number-pair " 'arrays' ) ) length = len(range_) if length != 2: raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'ranges' contains an array with an " f'invalid length. Expected 2. Got {length}' ) ) for number in range_: if not isinstance(number, (int, float)): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'ranges' contains an array with an " 'invalid type. Expected an array of numbers, ' f'not {range_}' ) ) if number < 0: raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'ranges' contains an array with a " f'negative number: {range_}. Numbers must be ' 'positive or zero' ) ) if range_[0] >= range_[1]: raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'ranges' contains an array where the " f'start is greater than the end: {range_}' ) ) force_keyframes = remove_chapters.get('force_keyframes', None) if ( force_keyframes is not None and not isinstance(force_keyframes, bool) ): raise http_error.CustomOptionBadValue( 'remove_chapters', 400, description=( "The field 'force_keyframes' must be a boolean or null" ) ) def _check_custom_opt_parse_metadata(custom_opts: Mapping[str, Any]) -> None: """Check the parse_metadata custom_opt""" parse_metadata = custom_opts.get('parse_metadata', None) if parse_metadata is None: return if not isinstance(parse_metadata, list): raise http_error.CustomOptionBadValue( 'parse_metadata', 400, description='Option must be an array or null' ) for interpreter in parse_metadata: if not isinstance(interpreter, dict): raise http_error.CustomOptionBadValue( 'parse_metadata', 400, description='Option must only contain objects' ) for field in ('from', 'to'): if field not in interpreter: raise http_error.CustomOptionBadValue( 'parse_metadata', 400, description=f'Missing field: {field}' ) value = interpreter[field] if not isinstance(value, str): raise http_error.CustomOptionBadValue( 'parse_metadata', 400, description=f'The field {field!r} must be a string' ) def _check_custom_opt_replace_in_metadata( custom_opts: Mapping[str, Any] ) -> None: """Check the replace_in_metadata custom_opt""" replace_in_metadata = custom_opts.get('replace_in_metadata', None) if replace_in_metadata is None: return if not isinstance(replace_in_metadata, list): raise http_error.CustomOptionBadValue( 'replace_in_metadata', 400, description='Option must be an array or null' ) for replacer in replace_in_metadata: if not isinstance(replacer, dict): raise http_error.CustomOptionBadValue( 'replace_in_metadata', 400, description='Option must only contain objects' ) fields = ( ('fields', list), ('regex', str), ('replace', str) ) for field, type_ in fields: if field not in replacer: raise http_error.CustomOptionBadValue( 'replace_in_metadata', 400, description=f'Missing field: {field}' ) value = replacer[field] if not isinstance(value, type_): type_name = http_error.INDEFINITE_TYPE_NAMES[type_] raise http_error.CustomOptionBadValue( 'replace_in_metadata', 400, description=f'The field {field!r} must be {type_name}' ) for field in replacer['fields']: if not isinstance(field, str): raise http_error.CustomOptionBadValue( 'replace_in_metadata', 400, description=( "The field 'fields' must be an array of strings. " f'Unexpected value: {field!r}' ) ) def _check_custom_opt_sponsorblock(custom_opts: Mapping[str, Any]) -> None: """Check the sponsorblock custom_opt""" sponsorblock = custom_opts.get('sponsorblock', None) if sponsorblock is None: return if not isinstance(sponsorblock, dict): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description='Option must be an object or null' ) mark = sponsorblock.get('mark', None) remove = sponsorblock.get('remove', None) if not mark and not remove: raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description=( "The 'mark' and/or 'remove' fields must be non-empty arrays" ) ) if mark is not None and not isinstance(mark, list): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description="The field 'mark' must be an array or null" ) if remove is not None and not isinstance(remove, list): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description="The field 'remove' must be an array or null" ) if mark: for category in mark: if not isinstance(category, str): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description=( "The field 'mark' must only contain strings" ) ) if remove: for category in remove: if not isinstance(category, str): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description=( "The field 'remove' must only contain strings" ) ) for field in ('template', 'api'): value = sponsorblock.get(field, None) if value is not None and not isinstance(value, str): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description=f'The field {field} must be a string or null' ) force_keyframes = sponsorblock.get('force_keyframes', None) if ( force_keyframes is not None and not isinstance(force_keyframes, bool) ): if not isinstance(force_keyframes, bool): raise http_error.CustomOptionBadValue( 'sponsorblock', 400, description=( "The field 'force_keyframes' must be a boolean or null" ) ) def _check_custom_opts(custom_opts: Any) -> None: """Verify that the user-supplied custom_opts are valid Raises `http_error.HTTPError` if the custom_opts are invalid """ if not isinstance(custom_opts, dict): raise http_error.KeyBadType('custom_opts', dict) if not custom_opts: # Skip checks if `custom_opts` is empty return None config = flask.current_app.config['YTDL_CONFIG'] logger = flask.current_app.logger # Verify that user-supplied custom_opts is allowed if not config.allow_user_opts: raise http_error.YTDLUserOptionsNotAllowed('custom_opts') # Verify that there are no non-whitelisted custom_opts if config.custom_enable_whitelist: for opt in custom_opts: if opt not in config.custom_whitelist: raise http_error.ForbiddenCustomOption(opt) # Check custom_opts that are supposed to be a str for opt in ( 'dateafter', 'datebefore', 'metafromtitle', 'remuxvideo', 'recodevideo', 'convertsubtitles', 'convertthumbnails' ): value = custom_opts.get(opt, None) if value is not None and not isinstance(value, str): raise http_error.CustomOptionBadValue( opt, 400, description='Option must be a string or null' ) # Check custom_opts that are supposed to be bools for opt in ( 'addmetadata', 'addchapters', 'embedsubtitles', 'embedthumbnail', 'xattrs' ): if opt in custom_opts: value = custom_opts.get(opt, None) if value is not None and not isinstance(value, bool): raise http_error.CustomOptionBadValue( opt, 400, description='Option must be a bool or null' ) # Verify that vulnerable custom_opts don't contain path separators if config.force_download_dir: for opt in ( 'remuxvideo', 'recodevideo', 'convertsubtitles', 'convertthumbnails' ): value = custom_opts.get(opt, None) if value is not None and has_path_seps(value): raise http_error.CustomOptionBadValue( opt, 403, description='Option must not contain path separators' ) # Check individual custom_opts try: _check_custom_opt_extractaudio(custom_opts) _check_custom_opt_split_chapters(custom_opts) _check_custom_opt_remove_chapters(custom_opts) _check_custom_opt_parse_metadata(custom_opts) _check_custom_opt_replace_in_metadata(custom_opts) _check_custom_opt_sponsorblock(custom_opts) except http_error.CustomOptionBadValue as e: # Log the error before re-raising it logger.debug( 'create_job: %s: Invalid user-supplied custom_opt. Aborting', e.option ) raise def _cancel_job_check_input() -> None: """Verify that the user input received by `cancel_job()` is valid If the input isn't valid, it raises `http_error.HTTPError`, which should be returned to the user as the response data. """ # Assert that the content type is JSON if not flask.request.is_json: raise http_error.DataBadType( dict, description='Content-Type must be \'application/json\'' ) # Assert that the request data is the right type if not isinstance(flask.request.json, dict): raise http_error.DataBadType(dict) # Assert that 'status' exists in the request data if 'status' not in flask.request.json: raise http_error.DataMissingKey('status') status = flask.request.json['status'] # Assert that the status is the proper value if status != StatusEnum.cancelled.name: raise http_error.KeyBadValue( 'status', description=f'Unsupported status: {status}' ) @bp.route('/', methods=('POST',)) def create_job() -> tuple[dict[str, Any], int]: """Create a new job The request data must be a json object that matches the below format { "urls": [ "video1", "video2", "video3" ] "ytdl_opts": { ... } "custom_opts": { ... } } `ytdl_opts` is an optional object containing options that will be passed directly to youtube-dl `custom_opts` is an optional object containing custom ytdl options. See the documentation for more info `ytdl_opts` and `custom_opts` may be disabled or restricted depending on the server configuration """ try: _create_job_check_input() except http_error.HTTPError as e: return e.to_dict(), e.code config = flask.current_app.config['YTDL_CONFIG'] logger = flask.current_app.logger # Override type of the request json because it was verified in # `_create_job_check_input()` request_data = cast('dict[str, Any]', flask.request.json) urls = request_data['urls'] ytdl_user_opts = request_data.get('ytdl_opts') or {} custom_user_opts = request_data.get('custom_opts') or {} logger.info('create_job: creating job') ytdl_opts = config.ytdl_default_opts | ytdl_user_opts custom_opts = config.custom_default_opts | custom_user_opts job_id = db_util.insert_job(urls=urls) logger.info('create_job: job_id: %s', job_id) logger.debug('create_job: %s: queuing task', job_id) task.download.apply_async(task_id=str(job_id), kwargs={ 'urls': urls, 'ytdl_opts': ytdl_opts, 'custom_opts': custom_opts, 'sensitive_opts': config.ytdl_sensitive_opts, 'download_dir': config.download_dir, 'ytdl_module': config.ytdl_module, 'ytdl_class': config.ytdl_class, 'daterange_module': config.daterange_module, 'daterange_class': config.daterange_class, 'metadata_module': config.metadata_module, 'metadata_class': config.metadata_class }) # Return once the task is queued return { 'id': job_id, 'status_url': flask.url_for( '.get_status', job_id=job_id, _external=True ) }, 202 @bp.route('/<uuid:job_id>', methods=('GET',)) def get_status(job_id: UUID) -> tuple[dict[str, Any], int]: """Get information about an existing job""" logger = flask.current_app.logger logger.debug('get_status: %s: Getting job status', job_id) try: job = db_util.get_job(job_id) except JobNotFoundError: logger.debug('get_status: %s: Job not found. Aborting', job_id) return_data = http_error.JobNotFound(job_id) return return_data.to_dict(), return_data.code logger.debug('get_status: %s: Getting logs', job_id) job.logs = db_util.get_logs(job_id) logger.debug('get_status: %s: Getting progress', job_id) job.progress = db_util.get_progress(job_id) return job.get_json(), 200 @bp.route('/<uuid:job_id>', methods=('PATCH',)) def cancel_job(job_id: UUID) -> tuple[dict[str, Any], int]: """Asynchronously cancel the given job by aborting the Celery task Does not wait for the job to be cancelled. The user must check the status of the job via `get_status()` if they want to know when it actually gets cancelled The request data must be a json object that matches the below format { "status": "cancelled" } """ try: _cancel_job_check_input() except http_error.HTTPError as e: return e.to_dict(), e.code logger = flask.current_app.logger logger.debug('cancel_job: %s: Getting job status', job_id) try: status = db_util.get_job_status(job_id) except JobNotFoundError: logger.debug('cancel_job: %s: Job not found. exiting', job_id) return_data: http_error.HTTPError = http_error.JobNotFound(job_id) return return_data.to_dict(), return_data.code logger.debug('cancel_job: %s: Job status: %s', job_id, status.name) # Assert that the job is currently running if status in {StatusEnum.finished, StatusEnum.error, StatusEnum.timeout}: logger.debug('cancel_job: %s: Job already completed. Exiting', job_id) return_data = http_error.JobAlreadyCompleted( job_id, flask.url_for('.get_status', job_id=job_id, _external=True) ) return return_data.to_dict(), return_data.code # Return if the job was already cancelled if status is StatusEnum.cancelled: logger.debug( 'cancel_job: %s: Job is already cancelled. Exiting', job_id ) return { 'id': job_id, 'status_url': flask.url_for( '.get_status', job_id=job_id, _external=True ), 'description': ( 'The job is already cancelled. No action has been taken' ) }, 200 logger.debug('cancel_job: %s: Retrieving Celery task result', job_id) result = task.download.AsyncResult(str(job_id)) logger.debug('cancel_job: %s: Task state: %r', job_id, result.state) # Return if the Celery task was already aborted # # Aborts are asynchronous, so the task doesn't always exit right # away, but the state updates immediately when `abort()` is called if result.state == 'ABORTED': logger.debug( 'cancel_job: %s: Task was already aborted. Exiting', job_id ) return { 'id': job_id, 'status_url': flask.url_for( '.get_status', job_id=job_id, _external=True ), 'description': 'The job is already pending cancellation' }, 202 # READY_STATES value: {'REVOKED', 'FAILURE', 'SUCCESS'} if result.state in celery.states.READY_STATES: logger.error( 'cancel_job: %s: Task state: %r, Job status: %r: ' 'Celery task already completed, but the job status indicates that ' 'it should still be running. The task probably crashed ' 'unexpectedly', job_id, result.state, status.name ) return_data = http_error.JobNotRunning( job_id, flask.url_for('.get_status', job_id=job_id, _external=True) ) return return_data.to_dict(), return_data.code logger.info('cancel_job: %s: Aborting task', job_id) result.abort() return { 'id': job_id, 'status_url': flask.url_for( '.get_status', job_id=job_id, _external=True ), 'description': 'The job is pending cancellation' }, 202
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/job.py
job.py
from __future__ import annotations __all__ = ('db', 'Job', 'Log', 'Progress') from typing import TYPE_CHECKING import sqlalchemy as sql from flask_sqlalchemy import SQLAlchemy from sqlalchemy.dialects.postgresql import JSONB, UUID from . import json from .util import LogEnum, StatusEnum if TYPE_CHECKING: from flask_sqlalchemy.model import DefaultMeta # Allow using `db` as a parent class. # https://github.com/dropbox/sqlalchemy-stubs/issues/76#issuecomment-595839159 db: DefaultMeta = SQLAlchemy( engine_options={ # When inserting data into JSONB columns, quietly convert # unserializable objects to strings instead of raising an # exception. # This prevents Job.ytdl_opts from breaking when using some # custom_opts 'json_serializer': json.dumps_quiet } ) # Ignore typing error about `db.Model` not being subclassable because # it's `Any` class Job(db.Model): # type: ignore[misc] __tablename__ = 'ytdl_server_jobs' id = sql.Column( UUID(as_uuid=True), primary_key=True, server_default=sql.text('gen_random_uuid()'), comment='Job ID' ) status = sql.Column( sql.Enum(StatusEnum), nullable=False, comment='Job status' ) error = sql.Column(sql.UnicodeText, nullable=True, comment='Error message') urls = sql.Column( sql.ARRAY(sql.UnicodeText, dimensions=1, as_tuple=True), nullable=False, comment='Video URLs to download' ) ytdl_opts = sql.Column(JSONB, nullable=True, comment='youtube-dl options') started = sql.Column( sql.TIMESTAMP(timezone=True), nullable=True, comment='Time job started' ) finished = sql.Column( sql.TIMESTAMP(timezone=True), nullable=True, comment='Time job finished' ) class Log(db.Model): # type: ignore[misc] __tablename__ = 'ytdl_server_logs' __table_args__ = ( sql.Index( 'ytdl_server_logs_job_id_timestamp_idx', 'job_id', 'timestamp' ), ) id = sql.Column( UUID(as_uuid=True), primary_key=True, server_default=sql.text('gen_random_uuid()'), comment='Primary key' ) job_id = sql.Column( UUID(as_uuid=True), sql.ForeignKey( Job.id, ondelete='CASCADE', onupdate='CASCADE' ), nullable=False, comment='Job ID' ) level = sql.Column(sql.Enum(LogEnum), nullable=False, comment='Log level') message = sql.Column( sql.UnicodeText, nullable=False, comment='Log message' ) timestamp = sql.Column( sql.TIMESTAMP(timezone=True), nullable=False, server_default=sql.text('CURRENT_TIMESTAMP'), comment='Time the message was logged' ) class Progress(db.Model): # type: ignore[misc] __tablename__ = 'ytdl_server_progress' __table_args__ = ( # Ensure that only one row exists for each file that's # downloaded instead of creating a new row for every progress # update sql.UniqueConstraint('job_id', 'filename'), sql.Index( 'ytdl_server_progress_job_id_timestamp_idx', 'job_id', 'timestamp' ) ) id = sql.Column( UUID(as_uuid=True), primary_key=True, server_default=sql.text('gen_random_uuid()'), comment='Primary key' ) job_id = sql.Column( UUID(as_uuid=True), sql.ForeignKey( Job.id, ondelete='CASCADE', onupdate='CASCADE' ), nullable=False, comment='Job ID' ) filename = sql.Column( sql.UnicodeText, nullable=False, comment='Filename of the downloaded file' ) progress = sql.Column( JSONB, nullable=False, comment='Object containing the download progress info' ) timestamp = sql.Column( sql.TIMESTAMP(timezone=True), nullable=False, server_default=sql.text('CURRENT_TIMESTAMP'), comment='Time the progress info was last updated' )
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/database.py
database.py
from __future__ import annotations __all__ = ('Downloader', 'censor_opts') from collections.abc import Sequence from datetime import datetime, timezone from typing import TYPE_CHECKING import threading from . import db_util from .database import db from .util import Log, LogEnum, Progress, StatusEnum if TYPE_CHECKING: from collections.abc import Collection, Iterable, Mapping from logging import Logger from typing import Any, Optional from uuid import UUID class Downloader: """Class used by `task` to run YoutubeDL The class works by running YoutubeDL in a separate thread while handling all database transactions in the main thread. This prevents the download from slowing down due to slow database IO. `db_util.insert_job()` must be called before initializing this class so that the job exists in the database """ __slots__ = ( 'job_id', 'urls', 'ytdl_opts', 'ytdl_class', 'logger', '_ytdl_logger', '_download_started', '_download_thread', '_progress_lock', '_log_lock', '_progress_queue', '_log_queue', '_download_exception' ) job_id: UUID """ID of the job that's being downloaded""" urls: tuple[str, ...] """List of URLs to download""" ytdl_opts: dict[str, Any] """Dict of kwargs that will be passed to `ytdl_class`""" ytdl_class: type """YoutubeDL class to use Normally, this should be `youtube_dl.YoutubeDL` unless you're using a fork with a different module name """ logger: Logger """Logger object to log to""" _ytdl_logger: YTDLLogger """YTDLLogger instance that's used for the job""" _download_started: bool """Whether or not `download()` has been called already""" _download_thread: threading.Thread """Thread that's used to run YoutubeDL""" _progress_lock: threading.Lock """Lock used to access `_progress_queue`""" _log_lock: threading.Lock """Lock used to access `_log_queue`""" _progress_queue: list[Progress] """List of progress entries that need to be written to the database""" _log_queue: list[Log] """List of logs that need to be written to the database""" _download_exception: Optional[Exception] """If the download thread fails, this will be set to the exception that was raised Otherwise, this will be set to `None` once the download thread exits normally. """ def __init__( self, job_id: UUID, urls: Iterable[str], ytdl_opts: Mapping[str, Any], ytdl_class: type, logger: Logger ) -> None: self.job_id = job_id self.urls = tuple(urls) self.ytdl_opts = dict(ytdl_opts) self.ytdl_class = ytdl_class self.logger = logger self._download_started = False self._progress_lock = threading.Lock() self._log_lock = threading.Lock() self._progress_queue = [] self._log_queue = [] if 'progress_hooks' not in self.ytdl_opts: self.ytdl_opts['progress_hooks'] = (self.progress_hook,) else: self.ytdl_opts['progress_hooks'] = ( tuple(ytdl_opts['progress_hooks']) + (self.progress_hook,) ) # Prevent ytdl from injecting ANSI escape codes into the logs self.ytdl_opts['no_color'] = True # Prevent progress from being printed to the debug log (the # progress hook is used instead) self.ytdl_opts['noprogress'] = True # Disable youtube-dl version check # This is disabled by default. Set it explicitly so it can't be # enabled self.ytdl_opts['call_home'] = False self._ytdl_logger = self.YTDLLogger(self) self.ytdl_opts['logger'] = self._ytdl_logger def progress_hook(self, progress_map: dict[str, Any]) -> None: progress = Progress(progress_map, datetime.now(tz=timezone.utc)) with self._progress_lock: self._progress_queue.append(progress) class YTDLLogger: __slots__ = ('_downloader',) _downloader: Downloader def __init__(self, downloader: Downloader) -> None: self._downloader = downloader def _insert(self, level: LogEnum, msg: str) -> None: log = Log(level, msg, datetime.now(tz=timezone.utc)) with self._downloader._log_lock: self._downloader._log_queue.append(log) def debug(self, msg: str) -> None: self._insert(LogEnum.debug, msg) def warning(self, msg: str) -> None: self._insert(LogEnum.warning, msg) def error(self, msg: str) -> None: self._insert(LogEnum.error, msg) def _download(self) -> None: """Run youtube-dl This should be run in its own daemon thread """ try: with self.ytdl_class(self.ytdl_opts) as ytdl: ytdl.download(self.urls) except Exception as e: self._download_exception = e else: self._download_exception = None def _set_final_status(self) -> None: """Set the status of the job after the download is complete""" if self._download_exception is None: self.logger.info('Job finished: %s', self.job_id) db_util.update_job( self.job_id, status=StatusEnum.finished, finished=db_util.CURRENT_TIMESTAMP ) else: self.logger.error( 'Job failed: %s', self.job_id, exc_info=self._download_exception ) error_msg = ( f'{type(self._download_exception).__name__}: ' f'{self._download_exception}' ) db_util.update_job( self.job_id, status=StatusEnum.error, finished=db_util.CURRENT_TIMESTAMP, # The error message is only logged from within `ytdl` # so that the user is only shown it when the error is # from youtube-dl error=error_msg ) def _manage(self) -> None: """Manage the download from the main thread Performs the following tasks: - Every second, insert any logs and download progress that are generated by the download thread into the database. - Write the final job status to the database once the download thread completes. """ download_is_running = True while download_is_running: self._download_thread.join(1) if not self._download_thread.is_alive(): self.logger.debug('Download thread exited') download_is_running = False self._insert_logs_and_progress() self._set_final_status() def _insert_logs_and_progress(self) -> None: """Pop all logs and progress-entries from the queues, and insert them into the database The logs and progress-entries are inserted in a single transaction. """ logs = self._pop_logs() progress = self._pop_progress() if not logs and not progress: return with db.session.begin(): self._insert_logs(logs) self._insert_progress(progress) def _pop_logs(self) -> list[Log]: """Pop and return all logs from the queue""" with self._log_lock: logs = self._log_queue self._log_queue = [] return logs def _pop_progress(self) -> list[Progress]: """Pop and return all progress-entries from the queue""" with self._progress_lock: progress = self._progress_queue self._progress_queue = [] return progress def _insert_logs(self, popped_logs: Collection[Log]) -> None: """Insert the given logs into the database Does nothing if the collection is empty. This does not commit the SQL statement. Running it within a transaction is recommended. """ if not popped_logs: return self.logger.debug('Inserting %d logs into DB', len(popped_logs)) db_util.insert_logs(self.job_id, popped_logs, commit=False) def _insert_progress(self, popped_progress: Sequence[Progress]) -> None: """Insert the given progress entries into the database Does nothing if the sequence is empty. This does not commit the SQL statement. Running it within a transaction is recommended. """ if not popped_progress: return self.logger.debug( 'Inserting %d progress entries into DB', len(popped_progress) ) db_util.upsert_progress(self.job_id, popped_progress, commit=False) def download(self) -> None: """Start the download This function can only be run once per instance. Attempting to run it again will raise `RuntimeError` """ if self._download_started: raise RuntimeError('downloader can only be run once') self._download_started = True self.logger.info('Starting downloader for job %s', self.job_id) db_util.update_job( self.job_id, status=StatusEnum.downloading, started=db_util.CURRENT_TIMESTAMP ) self._download_thread = threading.Thread( # Run as a daemon so that youtube-dl doesn't keep running # silently if the main thread crashes target=self._download, daemon=True ) self._download_thread.start() self._manage() def censor_opts( ytdl_opts: Mapping[str, Any], sensitive_opts: Iterable[str] ) -> dict[str, Any]: """Return a censored version of the given youtube-dl option dict that's safe to show to the user Sensitive options such as passwords are set to `None` ytdl_opts: Uncensored youtube-dl options sensitive_opts: List of keys that should be censored. If any of these options are in ytdl_opts, the value will be set to None """ opts = dict(ytdl_opts) for opt in sensitive_opts: if opt in opts: opts[opt] = None return opts
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/ytdl.py
ytdl.py
from __future__ import annotations __all__ = ( 'bp', 'dumps_quiet', 'handle_exception', 'JSONEncoder', 'JSONEncoderWithWarning' ) from typing import cast, TYPE_CHECKING import flask import werkzeug from .error import http_error if TYPE_CHECKING: from typing import Any bp = flask.Blueprint('json', __name__) class JSONEncoder(flask.json.JSONEncoder): """JSONEncoder that converts unserializable objects to a string The object is lossily converted to a string representation. Doesn't require Flask app context """ def _handle_bad_obj(self, obj: Any) -> Any: """Handle a bad object that isn't serializable You can change the behavior by overriding the function in a subclass """ return f'{type(obj).__name__}: {obj}' def default(self, obj: Any) -> Any: try: # Attempt to convert the object using the additional methods # defined by flask.json.JSONEncoder return super().default(obj) except TypeError: return self._handle_bad_obj(obj) class JSONEncoderWithWarning(JSONEncoder): """Subclass of JSONEncoder that additionally logs a warning to the current Flask app Requires Flask app context """ def _handle_bad_obj(self, obj: Any) -> Any: flask.current_app.logger.warning( 'Encountered unserializable object of type %r when dumping to ' 'json: %r', type(obj).__name__, obj ) return super()._handle_bad_obj(obj) def dumps_quiet(*args: Any, **kwargs: Any) -> str: """Wrapper function for `flask.json.dumps` that uses JSONEncoder""" kwargs['cls'] = JSONEncoder return flask.json.dumps(*args, **kwargs) @bp.app_errorhandler(werkzeug.exceptions.HTTPException) def handle_exception(e: werkzeug.exceptions.HTTPException) -> tuple[ werkzeug.wrappers.Response, int ]: """Return JSON instead of HTML for HTTP errors""" # Start with the correct headers and status code from the error # # `get_response()` returns a `werkzeug.sansio.response.Response` # object, but `app_errorhandler()` expects a # `werkzeug.wrappers.Response` object. # This is based on an example from the Flask documentation, so it's # probably fine to cast it. # https://flask.palletsprojects.com/en/2.1.x/errorhandling/#generic-exception-handlers response = cast(werkzeug.wrappers.Response, e.get_response()) # Create a JSONified response # # `flask.jsonify` is used instead of calling `flask.json.dumps` # directly because it pretty-prints the JSON depending on the app # config error = http_error.UnspecifiedError(e.name, e.code, e.description) jsonified_response = flask.jsonify(error.to_dict()) # Replace the data in the original response with the JSONified data response.data = jsonified_response.data response.content_type = jsonified_response.content_type return response, error.code
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/json.py
json.py
from __future__ import annotations __all__ = ('create_app', 'with_logging') from typing import TYPE_CHECKING import logging from flask import Flask from . import celery, flask_config, health, job, json, meta from .config import Config from .database import db from .util import get_env_log_level if TYPE_CHECKING: from collections.abc import Mapping from typing import Any, Optional def _init_db(app: Flask) -> None: """Initialize the SQLAlchemy database for the given Flask app Raises `RuntimeError` if the database dialect isn't PostgreSQL. """ # Disable deprecation warning about this option app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = False db.init_app(app) with app.app_context(): dialect = db.session.bind.dialect.name if dialect != 'postgresql': raise RuntimeError( f'SQL database dialect must be PostgreSQL, not {dialect}' ) # Create the tables if they don't exist db.create_all(app=app) def create_app(test_config: Optional[Mapping[str, Any]] = None) -> Flask: """Create and return the Flask app `test_config` is an optional dict that will be used to load the `config.Config` class. Intended for testing. """ app = Flask(__name__) if test_config is None: config = Config(logger=app.logger) else: app.config['TESTING'] = True config = Config( logger=app.logger, config_dict=test_config, load_env_vars=False ) app.config['YTDL_CONFIG'] = config app.config.from_mapping(config.flask_config) app.json_encoder = json.JSONEncoderWithWarning app.register_blueprint(json.bp) app.register_blueprint(job.bp, url_prefix='/jobs') app.register_blueprint(flask_config.bp, url_prefix='/config') app.register_blueprint(meta.bp, url_prefix='/meta') app.register_blueprint(health.bp, url_prefix='/health') app.logger.debug( 'Initializing database: %s', config.database_uri ) _init_db(app) app.logger.debug('Loading Celery config: %s', config.celery_config) celery.init_celery(app, config.celery_config) return app def with_logging() -> Flask: """Set up logging, and create the Flask app The log level is set via the `$YTDL_LOG_LEVEL` env-var. If the var isn't set, logging won't be set up, which means that the level will default to 'WARNING'. This can be used as the entrypoint when running ytdl-server through a WSGI server (such as Gunicorn). """ log_level = get_env_log_level() if log_level is not None: log_level = log_level.upper() logging.basicConfig(level=log_level) return create_app()
ytdl-server
/ytdl_server-1.1.7-py3-none-any.whl/ytdl_server/flask.py
flask.py
import copy from typing import Any from typing import Dict from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.ffmpeg import add_ffmpeg_metadata_key_values from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.logger import Logger from ytdl_sub.validators.string_formatter_validators import DictFormatterValidator logger = Logger.get("video_tags") class VideoTagsOptions(OptionsDictValidator): """ Adds tags to every downloaded video file using ffmpeg ``-metadata key=value`` args. Usage: .. code-block:: yaml presets: my_example_preset: video_tags: title: "{title}" date: "{upload_date}" description: "{description}" """ _optional_keys = {"tags"} _allow_extra_keys = True @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate video tags """ if isinstance(value, dict): value["tags"] = value.get("tags", {}) _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) new_tags_dict: Dict[str, Any] = copy.deepcopy(value) old_tags_dict = new_tags_dict.pop("tags", {}) self._is_old_format = len(old_tags_dict) > 0 self._tags = DictFormatterValidator(name=name, value=dict(old_tags_dict, **new_tags_dict)) @property def tags(self) -> DictFormatterValidator: """ Key/values of tag names/values. Supports source and override variables. """ return self._tags class VideoTagsPlugin(Plugin[VideoTagsOptions]): plugin_options_type = VideoTagsOptions def post_process_entry(self, entry: Entry) -> FileMetadata: """ Tags the entry's audio file using values defined in the metadata options """ # pylint: disable=protected-access if self.plugin_options._is_old_format: logger.warning( "video_tags.tags is now deprecated. Place your tags directly under video_tags " "instead. The old format will be removed in October of 2023. See " "https://ytdl-sub.readthedocs.io/en/latest/deprecation_notices.html#video-tags " "for more details." ) tags_to_write: Dict[str, str] = {} for tag_name, tag_formatter in self.plugin_options.tags.dict.items(): tag_value = self.overrides.apply_formatter(formatter=tag_formatter, entry=entry) tags_to_write[tag_name] = tag_value # write the actual tags if its not a dry run if not self.is_dry_run: add_ffmpeg_metadata_key_values( file_path=entry.get_download_file_path(), key_values=tags_to_write, ) # report the tags written return FileMetadata.from_dict(value_dict=tags_to_write, title="Video Tags")
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/video_tags.py
video_tags.py
import collections import re from typing import Dict from typing import List from typing import Optional from typing import Set from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import COMMENTS from ytdl_sub.entries.variables.kwargs import YTDL_SUB_CUSTOM_CHAPTERS from ytdl_sub.utils.chapters import Chapters from ytdl_sub.utils.ffmpeg import set_ffmpeg_metadata_chapters from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.validators.regex_validator import RegexListValidator from ytdl_sub.validators.string_select_validator import StringSelectValidator from ytdl_sub.validators.validators import BoolValidator from ytdl_sub.validators.validators import ListValidator SPONSORBLOCK_HIGHLIGHT_CATEGORIES: Set[str] = {"poi_highlight"} SPONSORBLOCK_CATEGORIES: Set[str] = SPONSORBLOCK_HIGHLIGHT_CATEGORIES | { "sponsor", "intro", "outro", "selfpromo", "preview", "filler", "interaction", "music_offtopic", } def _chapters(entry: Entry) -> List[Dict]: if entry.kwargs_contains("chapters"): return entry.kwargs("chapters") or [] return [] def _sponsorblock_chapters(entry: Entry) -> List[Dict]: if entry.kwargs_contains("sponsorblock_chapters"): return entry.kwargs("sponsorblock_chapters") or [] return [] def _contains_any_chapters(entry: Entry) -> bool: return len(_chapters(entry)) > 0 or len(_sponsorblock_chapters(entry)) > 0 class SponsorBlockCategoriesValidator(StringSelectValidator): _expected_value_type_name = "sponsorblock category" _select_values = {"all"} | SPONSORBLOCK_CATEGORIES class SponsorBlockCategoryListValidator(ListValidator[SponsorBlockCategoriesValidator]): _expected_value_type_name = "sponsorblock category" _inner_list_type = SponsorBlockCategoriesValidator class ChaptersOptions(OptionsDictValidator): """ Embeds chapters to video files if they are present. Additional options to add SponsorBlock chapters and remove specific ones. Can also remove chapters using regex. Usage: .. code-block:: yaml presets: my_example_preset: chapters: # Embedded Chapter Fields embed_chapters: True allow_chapters_from_comments: False remove_chapters_regex: - "Intro" - "Outro" # Sponsorblock Fields sponsorblock_categories: - "outro" - "selfpromo" - "preview" - "interaction" - "sponsor" - "music_offtopic" - "intro" remove_sponsorblock_categories: "all" force_key_frames: False """ _optional_keys = { "embed_chapters", "allow_chapters_from_comments", "sponsorblock_categories", "remove_sponsorblock_categories", "remove_chapters_regex", "force_key_frames", } def __init__(self, name, value): super().__init__(name, value) self._embed_chapters = self._validate_key_if_present( key="embed_chapters", validator=BoolValidator, default=True ).value self._sponsorblock_categories = self._validate_key_if_present( key="sponsorblock_categories", validator=SponsorBlockCategoryListValidator ) self._remove_sponsorblock_categories = self._validate_key_if_present( key="remove_sponsorblock_categories", validator=SponsorBlockCategoryListValidator ) self._remove_chapters_regex = self._validate_key_if_present( key="remove_chapters_regex", validator=RegexListValidator ) self._force_key_frames = self._validate_key_if_present( key="force_key_frames", validator=BoolValidator, default=False ).value self._allow_chapters_from_comments = self._validate_key_if_present( key="allow_chapters_from_comments", validator=BoolValidator, default=False ).value if self._remove_sponsorblock_categories and not self._sponsorblock_categories: raise self._validation_exception( "Must specify sponsorblock_categories if you are going to remove any of them" ) if self._remove_sponsorblock_categories and self._allow_chapters_from_comments: raise self._validation_exception( "Cannot remove sponsorblock categories and embed chapters from comments" ) @property def embed_chapters(self) -> Optional[bool]: """ Optional. Embed chapters into the file. Defaults to True. """ return self._embed_chapters @property def allow_chapters_from_comments(self) -> bool: """ Optional. If chapters do not exist in the video/description itself, attempt to scrape comments to find the chapters. Defaults to False. """ return self._allow_chapters_from_comments @property def remove_chapters_regex(self) -> Optional[List[re.Pattern]]: """ Optional. List of regex patterns to match chapter titles against and remove them from the entry. """ if self._remove_chapters_regex: return [validator.compiled_regex for validator in self._remove_chapters_regex.list] return None @property def sponsorblock_categories(self) -> Optional[List[str]]: """ Optional. List of SponsorBlock categories to embed as chapters. Supports "sponsor", "intro", "outro", "selfpromo", "preview", "filler", "interaction", "music_offtopic", "poi_highlight", or "all" to include all categories. """ if self._sponsorblock_categories: category_list = [validator.value for validator in self._sponsorblock_categories.list] if "all" in category_list: return list(SPONSORBLOCK_CATEGORIES) return category_list return None @property def remove_sponsorblock_categories(self) -> Optional[List[str]]: """ Optional. List of SponsorBlock categories to remove from the output file. Can only remove categories that are specified in ``sponsorblock_categories`` or "all", which removes everything specified in ``sponsorblock_categories``. """ if self._remove_sponsorblock_categories: category_list = [ validator.value for validator in self._remove_sponsorblock_categories.list ] if "all" in category_list: return list(set(self.sponsorblock_categories) - SPONSORBLOCK_HIGHLIGHT_CATEGORIES) return category_list return None @property def force_key_frames(self) -> bool: """ Optional. Force keyframes at cuts when removing sections. This is slow due to needing a re-encode, but the resulting video may have fewer artifacts around the cuts. Defaults to False. """ return self._force_key_frames class ChaptersPlugin(Plugin[ChaptersOptions]): plugin_options_type = ChaptersOptions @property def _is_removing_chapters(self) -> bool: return ( self.plugin_options.remove_chapters_regex is not None or self.plugin_options.remove_sponsorblock_categories is not None ) def ytdl_options(self) -> Optional[Dict]: """ Returns ------- YTDL options to embed chapters, add/remove SponsorBlock segments, remove chapters via regex """ builder = YTDLOptionsBuilder() if self.plugin_options.sponsorblock_categories: builder.add( { "postprocessors": [ { "key": "SponsorBlock", "when": "pre_process", "categories": self.plugin_options.sponsorblock_categories, }, {"key": "ModifyChapters"}, ] } ) if self.plugin_options.embed_chapters: builder.add( { "postprocessors": [ {"key": "FFmpegMetadata", "add_chapters": True, "add_metadata": False} ] } ) if self.plugin_options.allow_chapters_from_comments: builder.add({"getcomments": True}) if self._is_removing_chapters: remove_chapters_post_processor = { "key": "ModifyChapters", "force_keyframes": self.plugin_options.force_key_frames, } if self.plugin_options.remove_sponsorblock_categories is not None: remove_chapters_post_processor[ "remove_sponsor_segments" ] = self.plugin_options.remove_sponsorblock_categories if self.plugin_options.remove_chapters_regex is not None: remove_chapters_post_processor[ "remove_chapters_patterns" ] = self.plugin_options.remove_chapters_regex if self.plugin_options.embed_chapters: builder.add( { # re-add chapters "postprocessors": [ remove_chapters_post_processor, {"key": "FFmpegMetadata", "add_chapters": True, "add_metadata": False}, ] } ) return builder.to_dict() def _get_removed_chapters(self, entry: Entry) -> List[str]: removed_chapters: List[str] = [] for pattern in self.plugin_options.remove_chapters_regex or []: for chapter in _chapters(entry): if pattern.search(chapter["title"]): removed_chapters.append(chapter["title"]) return removed_chapters def _get_removed_sponsorblock_category_counts(self, entry: Entry) -> Dict: removed_category_counts = collections.Counter() for category in self.plugin_options.remove_sponsorblock_categories or []: for chapter in _sponsorblock_chapters(entry): if chapter["category"] == category: removed_category_counts.update({chapter["title"]: 1}) # To make this reproducible, we must sort categories with equal counts by name, return dict( sorted( removed_category_counts.most_common(), key=lambda name_count: (-name_count[1], name_count[0]), ) ) def modify_entry(self, entry: Entry) -> Entry: """ Parameters ---------- entry Entry to add custom chapters using timestamps if present Returns ------- entry """ chapters = Chapters.from_empty() # If there are no embedded chapters, and comment chapters are allowed... if not _contains_any_chapters(entry) and self.plugin_options.allow_chapters_from_comments: # Try to get chapters from comments for comment in entry.kwargs_get(COMMENTS, []): chapters = Chapters.from_string(comment.get("text", "")) if chapters.contains_any_chapters(): break # If some are actually found, add a special kwarg and embed them if chapters.contains_any_chapters(): entry.add_kwargs({YTDL_SUB_CUSTOM_CHAPTERS: chapters.to_file_metadata_dict()}) if not self.is_dry_run: set_ffmpeg_metadata_chapters( file_path=entry.get_download_file_path(), chapters=chapters, file_duration_sec=entry.kwargs("duration"), ) return entry def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Parameters ---------- entry: Entry with possibly removed chapters Returns ------- FileMetadata outlining which chapters/SponsorBlock segments got removed """ if custom_chapters_metadata := entry.kwargs_get(YTDL_SUB_CUSTOM_CHAPTERS): title: str = "Chapters from comments" return FileMetadata.from_dict( value_dict=custom_chapters_metadata, title=title, sort_dict=False, # timestamps + titles are already sorted ) if self.plugin_options.embed_chapters: metadata_dict = {} removed_chapters = self._get_removed_chapters(entry) removed_sponsorblock = self._get_removed_sponsorblock_category_counts(entry) # If no chapters are on the entry, do not report any embedded chapters if not _contains_any_chapters(entry): return None if removed_chapters: metadata_dict["Removed Chapter(s)"] = ", ".join(removed_chapters) if removed_sponsorblock: metadata_dict["Removed SponsorBlock Category Count(s)"] = removed_sponsorblock # TODO: check if file actually has embedded chapters return FileMetadata.from_dict( value_dict=metadata_dict, title="Embedded Chapters", sort_dict=False ) return None
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/chapters.py
chapters.py
from typing import List from typing import Optional import mediafile from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import PluginPriority from ytdl_sub.config.preset_options import OptionsValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.ffmpeg import FFMPEG from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.logger import Logger from ytdl_sub.validators.audo_codec_validator import AUDIO_CODEC_EXTS from ytdl_sub.validators.validators import BoolValidator logger = Logger.get("embed_thumbnail") class EmbedThumbnailOptions(BoolValidator, OptionsValidator): """ Whether to embed thumbnails to the audio/video file or not. Usage: .. code-block:: yaml presets: my_example_preset: embed_thumbnail: True """ class EmbedThumbnailPlugin(Plugin[EmbedThumbnailOptions]): plugin_options_type = EmbedThumbnailOptions priority = PluginPriority(post_process=PluginPriority.POST_PROCESS_AFTER_FILE_CONVERT) @property def _embed_thumbnail(self) -> bool: return self.plugin_options.value @classmethod def _embed_video_thumbnail(cls, entry: Entry) -> None: file_path = entry.get_download_file_path() thumbnail_path = entry.get_download_thumbnail_path() tmp_file_path = FFMPEG.tmp_file_path(file_path) try: ffmpeg_args: List[str] = [ "-i", file_path, "-i", thumbnail_path, "-map", "1", "-map", "0", "-dn", # ignore data streams "-c", "copy", "-bitexact", # for reproducibility "-disposition:0", "attached_pic", tmp_file_path, ] FFMPEG.run(ffmpeg_args) FileHandler.move(tmp_file_path, file_path) finally: FileHandler.delete(tmp_file_path) @classmethod def _embed_audio_file(cls, entry: Entry) -> None: audio_file = mediafile.MediaFile(entry.get_download_file_path()) with open(entry.get_download_thumbnail_path(), "rb") as thumb: mediafile_img = mediafile.Image( data=thumb.read(), desc="cover", type=mediafile.ImageType.front ) audio_file.images = [mediafile_img] audio_file.save() def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Maybe embed the thumbnail """ if not self._embed_thumbnail: return None if entry.ext == "webm": logger.warning("webm does not support embedded thumbnails, skipping") return None if not self.is_dry_run: if not entry.is_thumbnail_downloaded(): logger.warning( "Cannot embed thumbnail for '%s' because it is not available", entry.title ) return None if entry.ext in AUDIO_CODEC_EXTS: self._embed_audio_file(entry) else: self._embed_video_thumbnail(entry) return FileMetadata("Embedded thumbnail")
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/embed_thumbnail.py
embed_thumbnail.py
import copy from pathlib import Path from typing import Any from typing import List from typing import Optional from typing import Tuple from yt_dlp.utils import sanitize_filename from ytdl_sub.config.plugin import SplitPlugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import CHAPTERS from ytdl_sub.entries.variables.kwargs import SPLIT_BY_CHAPTERS_PARENT_ENTRY from ytdl_sub.entries.variables.kwargs import SPONSORBLOCK_CHAPTERS from ytdl_sub.entries.variables.kwargs import UID from ytdl_sub.utils.chapters import Chapters from ytdl_sub.utils.chapters import Timestamp from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.ffmpeg import FFMPEG from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.validators.string_select_validator import StringSelectValidator def _split_video_ffmpeg_cmd( input_file: str, output_file: str, timestamps: List[Timestamp], idx: int ) -> List[str]: timestamp_begin = timestamps[idx].standardized_str timestamp_end = timestamps[idx + 1].standardized_str if idx + 1 < len(timestamps) else "" cmd = ["-i", input_file, "-ss", timestamp_begin] if timestamp_end: cmd += ["-to", timestamp_end] cmd += ["-vcodec", "copy", "-acodec", "copy", output_file] return cmd def _split_video_uid(source_uid: str, idx: int) -> str: return f"{source_uid}___{idx}" class WhenNoChaptersValidator(StringSelectValidator): _expected_value_type_name = "when no chapters option" _select_values = {"pass", "drop", "error"} class SplitByChaptersOptions(OptionsDictValidator): """ Splits a file by chapters into multiple files. Each file becomes its own entry with the new source variables ``chapter_title``, ``chapter_title_sanitized``, ``chapter_index``, ``chapter_index_padded``, ``chapter_count``. If a file has no chapters, and ``when_no_chapters`` is set to "pass", then ``chapter_title`` is set to the entry's title and ``chapter_index``, ``chapter_count`` are both set to 1. Note that when using this plugin and performing dry-run, it assumes embedded chapters are being used with no modifications. Usage: .. code-block:: yaml presets: my_example_preset: split_by_chapters: when_no_chapters: "pass" """ _required_keys = {"when_no_chapters"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: if isinstance(value, dict): value["when_no_chapters"] = value.get("when_no_chapters", "pass") _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) self._when_no_chapters = self._validate_key( key="when_no_chapters", validator=WhenNoChaptersValidator ).value def added_source_variables(self) -> List[str]: return [ "chapter_title", "chapter_title_sanitized", "chapter_index", "chapter_index_padded", "chapter_count", ] @property def when_no_chapters(self) -> str: """ Behavior to perform when no chapters are present. Supports "pass" (continue processing), "drop" (exclude it from output), and "error" (stop processing for everything). """ return self._when_no_chapters class SplitByChaptersPlugin(SplitPlugin[SplitByChaptersOptions]): plugin_options_type = SplitByChaptersOptions def _create_split_entry( self, source_entry: Entry, title: str, idx: int, chapters: Chapters ) -> Tuple[Entry, FileMetadata]: """ Runs ffmpeg to create the split video """ entry = copy.deepcopy(source_entry) entry.add_variables( { "chapter_title": title, "chapter_title_sanitized": sanitize_filename(title), "chapter_index": idx + 1, "chapter_index_padded": f"{(idx + 1):02d}", "chapter_count": len(chapters.timestamps), } ) # pylint: disable=protected-access entry.add_kwargs( { UID: _split_video_uid(source_uid=entry.uid, idx=idx), SPLIT_BY_CHAPTERS_PARENT_ENTRY: source_entry._kwargs, } ) if entry.kwargs_contains(CHAPTERS): del entry._kwargs[CHAPTERS] if entry.kwargs_contains(SPONSORBLOCK_CHAPTERS): del entry._kwargs[SPONSORBLOCK_CHAPTERS] # pylint: enable=protected-access timestamp_begin = chapters.timestamps[idx].readable_str timestamp_end = Timestamp(entry.kwargs("duration")).readable_str if idx + 1 < len(chapters.timestamps): timestamp_end = chapters.timestamps[idx + 1].readable_str metadata_value_dict = {} if self.is_dry_run: metadata_value_dict[ "Warning" ] = "Dry-run assumes embedded chapters with no modifications" metadata_value_dict["Source Title"] = entry.title metadata_value_dict["Segment"] = f"{timestamp_begin} - {timestamp_end}" metadata = FileMetadata.from_dict( value_dict=metadata_value_dict, title="From Chapter Split", sort_dict=False, ) return entry, metadata def split(self, entry: Entry) -> Optional[List[Tuple[Entry, FileMetadata]]]: """ Tags the entry's audio file using values defined in the metadata options """ split_videos_and_metadata: List[Tuple[Entry, FileMetadata]] = [] chapters = Chapters.from_entry_chapters(entry=entry) # If no chapters, do not split anything if not chapters.contains_any_chapters(): if self.plugin_options.when_no_chapters == "pass": entry.add_variables( { "chapter_title": entry.title, "chapter_index": 1, "chapter_index_padded": "01", "chapter_count": 1, } ) return [(entry, FileMetadata())] if self.plugin_options.when_no_chapters == "drop": return [] raise ValidationException( f"Tried to split '{entry.title}' by chapters but it has no chapters" ) for idx, title in enumerate(chapters.titles): new_uid = _split_video_uid(source_uid=entry.uid, idx=idx) if not self.is_dry_run: # Get the input/output file paths input_file = entry.get_download_file_path() output_file = str(Path(self.working_directory) / f"{new_uid}.{entry.ext}") # Run ffmpeg to create the split the video FFMPEG.run( _split_video_ffmpeg_cmd( input_file=input_file, output_file=output_file, timestamps=chapters.timestamps, idx=idx, ) ) # Copy the original vid thumbnail to the working directory with the new uid. This so # downstream logic thinks this split video has its own thumbnail if entry.is_thumbnail_downloaded(): FileHandler.copy( src_file_path=entry.get_download_thumbnail_path(), dst_file_path=Path(self.working_directory) / f"{new_uid}.{entry.thumbnail_ext}", ) # Format the split video split_videos_and_metadata.append( self._create_split_entry( source_entry=entry, title=title, idx=idx, chapters=chapters, ) ) return split_videos_and_metadata
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/split_by_chapters.py
split_by_chapters.py
import copy from collections import defaultdict from typing import Any from typing import Dict from typing import List import mediafile from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.logger import Logger from ytdl_sub.validators.audo_codec_validator import AUDIO_CODEC_EXTS from ytdl_sub.validators.strict_dict_validator import StrictDictValidator from ytdl_sub.validators.string_formatter_validators import ListFormatterValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.validators import BoolValidator logger = Logger.get("music_tags") class MusicTagsValidator(StrictDictValidator): """ Validator for the music_tag's `tags` field. Treat each value as a list. Can still specify it like a single value but under-the-hood it's a list of a single element. """ _optional_keys = set(list(mediafile.MediaFile.sorted_fields())) def __init__(self, name, value): super().__init__(name, value) self._tags: Dict[str, List[StringFormatterValidator]] = {} for key in self._keys: self._tags[key] = self._validate_key(key=key, validator=ListFormatterValidator).list @property def as_lists(self) -> Dict[str, List[StringFormatterValidator]]: """ Returns ------- Tag formatter(s) as a list """ return self._tags class MusicTagsOptions(OptionsDictValidator): """ Adds tags to every download audio file using `MediaFile <https://mediafile.readthedocs.io/en/latest/>`_, the same audio file tagging package used by `beets <https://beets.readthedocs.io/en/stable/>`_. It supports basic tags like ``title``, ``album``, ``artist`` and ``albumartist``. You can find a full list of tags for various file types in MediaFile's `source code <https://github.com/beetbox/mediafile/blob/v0.9.0/mediafile.py#L1770>`_. Usage: .. code-block:: yaml presets: my_example_preset: music_tags: tags: artist: "{artist}" album: "{album}" # Supports id3v2.4 multi-tags genres: - "{genre}" - "ytdl-sub" albumartists: - "{artist}" - "ytdl-sub" """ _optional_keys = {"tags", "embed_thumbnail"} _allow_extra_keys = True def __init__(self, name, value): super().__init__(name, value) self._embed_thumbnail = self._validate_key_if_present( key="embed_thumbnail", validator=BoolValidator ) new_tags_dict: Dict[str, Any] = copy.deepcopy(value) old_tags_dict = new_tags_dict.pop("tags", {}) new_tags_dict.pop("embed_thumbnail", None) self._is_old_format = len(old_tags_dict) > 0 or self._embed_thumbnail is not None self._tags = MusicTagsValidator(name=name, value=dict(old_tags_dict, **new_tags_dict)) @property def tags(self) -> MusicTagsValidator: """ Key, values of tag names, tag values. Supports source and override variables. Supports lists which will get written to MP3s as id3v2.4 multi-tags. """ return self._tags @property def embed_thumbnail(self) -> bool: """ Optional. Whether to embed the thumbnail into the audio file. """ if self._embed_thumbnail is None: return False return self._embed_thumbnail.value class MusicTagsPlugin(Plugin[MusicTagsOptions]): plugin_options_type = MusicTagsOptions def post_process_entry(self, entry: Entry) -> FileMetadata: """ Tags the entry's audio file using values defined in the metadata options """ if entry.ext not in AUDIO_CODEC_EXTS: raise self.plugin_options.validation_exception( f"music_tags plugin received a video with the extension '{entry.ext}'. Only audio " f"files are supported for setting music tags. Ensure you are converting the video " f"to audio using the audio_extract plugin." ) # pylint: disable=protected-access if self.plugin_options._is_old_format: logger.warning( "music_tags.tags is now deprecated. Place your tags directly under music_tags " "instead. The old format will be removed in October of 2023. See " "https://ytdl-sub.readthedocs.io/en/latest/deprecation_notices.html#music-tags " "for more details." ) if self.plugin_options.embed_thumbnail: logger.warning( "music_tags.embed_thumbnail is also deprecated. Use the dedicated " "embed_thumbnail plugin instead. This will be removed in October of 2023." ) # Resolve the tags into this dict tags_to_write: Dict[str, List[str]] = defaultdict(list) for tag_name, tag_formatters in self.plugin_options.tags.as_lists.items(): for tag_formatter in tag_formatters: tag_value = self.overrides.apply_formatter(formatter=tag_formatter, entry=entry) tags_to_write[tag_name].append(tag_value) # write the actual tags if its not a dry run if not self.is_dry_run: audio_file = mediafile.MediaFile(entry.get_download_file_path()) for tag_name, tag_value in tags_to_write.items(): # If the attribute is a List-type, set it as the list type if isinstance(getattr(audio_file, tag_name), list): setattr(audio_file, tag_name, tag_value) # Otherwise, set as single value else: if len(tag_value) > 1: logger.warning( "Music tag '%s' does not support lists. " "Only setting the first element", tag_name, ) setattr(audio_file, tag_name, tag_value[0]) if self.plugin_options.embed_thumbnail and entry.is_thumbnail_downloaded(): with open(entry.get_download_thumbnail_path(), "rb") as thumb: mediafile_img = mediafile.Image( data=thumb.read(), desc="cover", type=mediafile.ImageType.front ) audio_file.images = [mediafile_img] audio_file.save() # report the tags written title = f"{'Embedded Thumbnail, ' if self.plugin_options.embed_thumbnail else ''}Music Tags" return FileMetadata.from_dict( value_dict=tags_to_write, title=title, )
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/music_tags.py
music_tags.py
import os from typing import Any from typing import Dict from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import PluginPriority from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import EXT from ytdl_sub.utils.exceptions import FileNotDownloadedException from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.ffmpeg import FFMPEG from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.validators.audo_codec_validator import FileTypeValidator from ytdl_sub.validators.string_formatter_validators import OverridesStringFormatterValidator from ytdl_sub.validators.string_select_validator import StringSelectValidator class FileConvertWithValidator(StringSelectValidator): _select_values = {"yt-dlp", "ffmpeg"} class FileConvertOptions(OptionsDictValidator): """ Converts video files from one extension to another. Usage: .. code-block:: yaml presets: my_example_preset: file_convert: convert_to: "mp4" Supports custom ffmpeg conversions: .. code-block:: yaml presets: my_example_preset: file_convert: convert_to: "mkv" convert_with: "ffmpeg" ffmpeg_post_process_args: > -bitexact -vcodec copy -acodec copy -scodec mov_text """ _required_keys = {"convert_to"} _optional_keys = {"convert_with", "ffmpeg_post_process_args"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate file_convert """ if isinstance(value, dict): value["convert_to"] = value.get("convert_to", "mp3") _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) self._convert_to: str = self._validate_key( key="convert_to", validator=FileTypeValidator ).value self._convert_with: str = self._validate_key_if_present( key="convert_with", validator=FileConvertWithValidator, default="yt-dlp" ).value self._ffmpeg_post_process_args = self._validate_key_if_present( key="ffmpeg_post_process_args", validator=OverridesStringFormatterValidator ) if self._convert_to == "ffmpeg" and not self._ffmpeg_post_process_args: raise self._validation_exception( "Must specify 'ffmpeg_post_process_args' if 'convert_with' is set to ffmpeg" ) @property def convert_to(self) -> str: """ Convert to a desired file type. Supports: * Video: avi, flv, mkv, mov, mp4, webm * Audio: aac, flac, mp3, m4a, opus, vorbis, wav """ return self._convert_to @property def convert_with(self) -> Optional[str]: """ Optional. Supports ``yt-dlp`` and ``ffmpeg``. ``yt-dlp`` will convert files within yt-dlp whereas ``ffmpeg`` specifies it will be converted using a custom command specified with ``ffmpeg_post_process_args``. Defaults to ``yt-dlp``. """ return self._convert_with @property def ffmpeg_post_process_args(self) -> Optional[OverridesStringFormatterValidator]: """ Optional. ffmpeg args to post-process an entry file with. The args will be inserted in the form of: .. code-block:: bash ffmpeg -i input_file.ext {ffmpeg_post_process_args) output_file.output_ext The output file will use the extension specified in ``convert_to``. Post-processing args can still be set with ``convert_with`` set to ``yt-dlp``. """ return self._ffmpeg_post_process_args class FileConvertPlugin(Plugin[FileConvertOptions]): plugin_options_type = FileConvertOptions # Perform this after regex priority: PluginPriority = PluginPriority( modify_entry=PluginPriority.MODIFY_ENTRY_AFTER_SPLIT + 1 ) def ytdl_options(self) -> Optional[Dict]: """ Returns ------- ffmpeg video remuxing post processing dict """ if self.plugin_options.convert_with == "yt-dlp": return { "merge_output_format": self.plugin_options.convert_to, "postprocessors": [ { "key": "FFmpegVideoRemuxer", "when": "post_process", "preferedformat": self.plugin_options.convert_to, } ], } return None def modify_entry(self, entry: Entry) -> Optional[Entry]: """ Parameters ---------- entry Entry with extracted audio Returns ------- Entry with updated 'ext' source variable Raises ------ FileNotDownloadedException If the downloaded file is not found ValidationException User ffmpeg arguments errored """ # Get original_ext here since there is mkv/yt-dlp shenanigans original_ext = entry.ext new_ext = self.plugin_options.convert_to input_video_file_path = entry.get_download_file_path() converted_video_file_path = entry.get_download_file_path().removesuffix(entry.ext) + new_ext # FFMpeg input video file should already be converted if self.plugin_options.convert_with == "yt-dlp": input_video_file_path = converted_video_file_path if not self.is_dry_run: if not os.path.isfile(input_video_file_path): raise FileNotDownloadedException("Failed to find the input file") if self.plugin_options.ffmpeg_post_process_args: tmp_output_file = converted_video_file_path.removesuffix(new_ext) + f"tmp.{new_ext}" ffmpeg_args_list = self.overrides.apply_formatter( self.plugin_options.ffmpeg_post_process_args ).split() ffmpeg_args = ["-i", input_video_file_path] + ffmpeg_args_list + [tmp_output_file] try: FFMPEG.run(ffmpeg_args) except Exception as exc: raise ValidationException( f"ffmpeg_post_process_args {' '.join(ffmpeg_args)} result in an error" ) from exc if not os.path.isfile(tmp_output_file): raise ValidationException( "file_convert ffmpeg_post_process_args did not produce an output file" ) FileHandler.move(tmp_output_file, converted_video_file_path) FileHandler.delete(tmp_output_file) FileHandler.delete(input_video_file_path) if original_ext != new_ext: entry.add_kwargs( { "__converted_from": original_ext, } ) entry.add_kwargs({EXT: new_ext}) return entry def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Add metadata about conversion if it happened """ if converted_from := entry.kwargs_get("__converted_from"): return FileMetadata(f"Converted from {converted_from}") return None
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/file_convert.py
file_convert.py
import os from abc import ABC from collections import defaultdict from pathlib import Path from typing import Any from typing import Dict from typing import List from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.xml import XmlElement from ytdl_sub.utils.xml import to_max_3_byte_utf8_dict from ytdl_sub.utils.xml import to_max_3_byte_utf8_string from ytdl_sub.utils.xml import to_xml from ytdl_sub.validators.file_path_validators import StringFormatterFileNameValidator from ytdl_sub.validators.nfo_validators import NfoTagsValidator from ytdl_sub.validators.string_formatter_validators import DictFormatterValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.validators import BoolValidator class SharedNfoTagsOptions(OptionsDictValidator): """ Shared code between NFO tags and Ouptut Directory NFO Tags """ _required_keys = {"nfo_name", "nfo_root", "tags"} _optional_keys = {"kodi_safe"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate NFO tag options """ if isinstance(value, dict): value["nfo_name"] = value.get("nfo_name", "placeholder") value["nfo_root"] = value.get("nfo_root", "placeholder") value["tags"] = value.get("tags", {}) _ = cls(name=name, value=value) def __init__(self, name, value): super().__init__(name, value) self._nfo_name = self._validate_key_if_present( key="nfo_name", validator=StringFormatterFileNameValidator ) self._nfo_root = self._validate_key_if_present( key="nfo_root", validator=StringFormatterValidator ) self._tags = self._validate_key_if_present(key="tags", validator=NfoTagsValidator) self._kodi_safe = self._validate_key_if_present( key="kodi_safe", validator=BoolValidator, default=False ).value @property def nfo_name(self) -> StringFormatterFileNameValidator: """ The NFO file name. """ return self._nfo_name @property def nfo_root(self) -> StringFormatterValidator: """ OVERRIDE DOC IN CHILD CLASSES """ return self._nfo_root @property def tags(self) -> NfoTagsValidator: """ OVERRIDE DOC IN CHILD CLASSES """ return self._tags @property def kodi_safe(self) -> Optional[bool]: """ Optional. Kodi does not support > 3-byte unicode characters, which include emojis and some foreign language characters. Setting this to True will replace those characters with '□'. Defaults to False. """ return self._kodi_safe class SharedNfoTagsPlugin(Plugin[SharedNfoTagsOptions], ABC): """ Shared code between NFO tags and Ouptut Directory NFO Tags """ def _get_xml_element_dict(self, entry: Entry) -> Dict[str, List[XmlElement]]: nfo_tags: Dict[str, List[XmlElement]] = defaultdict(list) for key, string_tags in self.plugin_options.tags.string_tags.items(): nfo_tags[key].extend( XmlElement( text=self.overrides.apply_formatter(formatter=string_tag, entry=entry), attributes={}, ) for string_tag in string_tags ) for key, attribute_tags in self.plugin_options.tags.attribute_tags.items(): nfo_tags[key].extend( XmlElement( text=self.overrides.apply_formatter(formatter=attribute_tag.tag, entry=entry), attributes={ attr_name: self.overrides.apply_formatter( formatter=attr_formatter, entry=entry ) for attr_name, attr_formatter in attribute_tag.attributes.dict.items() }, ) for attribute_tag in attribute_tags ) return nfo_tags def _create_nfo(self, entry: Entry, save_to_entry: bool = True) -> None: # Write the nfo tags to XML with the nfo_root nfo_root = self.overrides.apply_formatter( formatter=self.plugin_options.nfo_root, entry=entry ) nfo_tags = self._get_xml_element_dict(entry=entry) if self.plugin_options.kodi_safe: nfo_root = to_max_3_byte_utf8_string(nfo_root) nfo_tags = { to_max_3_byte_utf8_string(key): [ XmlElement( text=to_max_3_byte_utf8_string(xml_elem.text), attributes=to_max_3_byte_utf8_dict(xml_elem.attributes), ) for xml_elem in xml_elems ] for key, xml_elems in nfo_tags.items() } xml = to_xml(nfo_dict=nfo_tags, nfo_root=nfo_root) nfo_file_name = self.overrides.apply_formatter( formatter=self.plugin_options.nfo_name, entry=entry ) # Save the nfo's XML to file nfo_file_path = Path(self.working_directory) / nfo_file_name os.makedirs(os.path.dirname(nfo_file_path), exist_ok=True) with open(nfo_file_path, "wb") as nfo_file: nfo_file.write(xml) # Save the nfo file and log its metadata nfo_metadata = FileMetadata.from_dict( value_dict={ nfo_root: { key: ( xml_elems[0].to_dict_value() if len(xml_elems) == 1 else [xml_elem.to_dict_value() for xml_elem in xml_elems] ) for key, xml_elems in nfo_tags.items() } }, title="NFO tags", ) if save_to_entry: self.save_file(file_name=nfo_file_name, file_metadata=nfo_metadata, entry=entry) else: self.save_file(file_name=nfo_file_name, file_metadata=nfo_metadata) FileHandler.delete(nfo_file_path) class NfoTagsOptions(SharedNfoTagsOptions): """ Adds an NFO file for every download file. An NFO file is simply an XML file with a ``.nfo`` extension. You can add any values into the NFO. Usage: .. code-block:: yaml presets: my_example_preset: nfo_tags: # required nfo_name: "{title_sanitized}.nfo" nfo_root: "episodedetails" tags: title: "{title}" season: "{upload_year}" episode: "{upload_month}{upload_day_padded}" # optional kodi_safe: False """ _formatter_validator = StringFormatterValidator _dict_formatter_validator = DictFormatterValidator _tags_validator = NfoTagsValidator @property def nfo_root(self) -> StringFormatterValidator: """ The root tag of the NFO's XML. In the usage above, it would look like .. code-block:: xml <?xml version="1.0" encoding="UTF-8" standalone="yes"?> <episodedetails> </episodedetails> """ return self._nfo_root @property def tags(self) -> NfoTagsValidator: """ Tags within the nfo_root tag. In the usage above, it would look like .. code-block:: xml <?xml version="1.0" encoding="UTF-8" standalone="yes"?> <episodedetails> <title>Awesome Youtube Video</title> <season>2022</season> <episode>502</episode> </episodedetails> Also supports xml attributes and duplicate keys: .. code-block:: yaml tags: season: attributes: name: "Best Year" tag: "{upload_year}" genre: - "Comedy" - "Drama" Which translates to .. code-block:: xml <season name="Best Year">2022</season> <genre>Comedy</genre> <genre>Drama</genre> """ return self._tags class NfoTagsPlugin(SharedNfoTagsPlugin): plugin_options_type = NfoTagsOptions def post_process_entry(self, entry: Entry) -> None: """ Creates an entry's NFO file using values defined in the metadata options Parameters ---------- entry: Entry to create an NFO file for """ self._create_nfo(entry=entry)
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/nfo_tags.py
nfo_tags.py
from typing import Any from typing import Dict from typing import List from typing import Optional from yt_dlp.utils import sanitize_filename from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import PluginPriority from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import YTDL_SUB_REGEX_SOURCE_VARS from ytdl_sub.utils.exceptions import RegexNoMatchException from ytdl_sub.utils.exceptions import StringFormattingVariableNotFoundException from ytdl_sub.utils.logger import Logger from ytdl_sub.validators.regex_validator import RegexListValidator from ytdl_sub.validators.source_variable_validator import SourceVariableNameListValidator from ytdl_sub.validators.strict_dict_validator import StrictDictValidator from ytdl_sub.validators.string_formatter_validators import ListFormatterValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.validators import BoolValidator logger = Logger.get(name="regex") class VariableRegex(StrictDictValidator): _optional_keys = {"match", "exclude", "capture_group_defaults", "capture_group_names"} def __init__(self, name, value): super().__init__(name, value) self._match = self._validate_key_if_present(key="match", validator=RegexListValidator) self._exclude = self._validate_key_if_present(key="exclude", validator=RegexListValidator) self._capture_group_defaults = self._validate_key_if_present( key="capture_group_defaults", validator=ListFormatterValidator ) self._capture_group_names = self._validate_key_if_present( key="capture_group_names", validator=SourceVariableNameListValidator, default=[] ) if self._match is None and self._exclude is None: raise self._validation_exception("must specify either `match` or `exclude`") if self._match is None and (self._capture_group_defaults or self._capture_group_names.list): raise self._validation_exception( "capture group parameters requires at least one `match` to be specified" ) # If defaults are to be used, ensure there are the same number of defaults as there are # capture groups if self._capture_group_defaults is not None and self._match.num_capture_groups != len( self._capture_group_defaults.list ): raise self._validation_exception( f"number of defaults must match number of capture groups, " f"{len(self._capture_group_defaults.list)} != {self._match.num_capture_groups}" ) # If there are capture groups, ensure there are capture group names if self._match and (len(self._capture_group_names.list) != self._match.num_capture_groups): raise self._validation_exception( f"number of capture group names must match number of capture groups, " f"{len(self._capture_group_names.list)} != {self._match.num_capture_groups}" ) @property def match(self) -> Optional[RegexListValidator]: """ List of regex strings to try to match against a source or override variable. Each regex string must have the same number of capture groups. """ return self._match @property def exclude(self) -> Optional[RegexListValidator]: """ List of regex strings to try to match against a source or override variable. If one of the regex strings match, then the entry will be skipped. If both ``exclude`` and ``match`` are specified, entries will get skipped if the regex matches against both ``exclude`` and ``match``. """ return self._exclude @property def capture_group_names(self) -> Optional[List[str]]: """ Optional (only when no capture groups are in the regex string). List of names to store the capture group values to. These and ``_sanitized`` versions will be available to use as source variables. The list's length must be equal to the number of match capture groups. """ return [validator.value for validator in self._capture_group_names.list] @property def capture_group_defaults(self) -> Optional[List[StringFormatterValidator]]: """ Optional. List of string format validators to use for capture group defaults if a source variable cannot be matched. The list's length must be equal to the number of match capture groups. """ return self._capture_group_defaults.list if self.has_defaults else None @property def has_defaults(self) -> bool: """ Returns ------- True if a validation exception should be raised if not captured. False otherwise. """ return self._capture_group_defaults is not None class FromSourceVariablesRegex(StrictDictValidator): _optional_keys = Entry.source_variables() _allow_extra_keys = True def __init__(self, name, value): super().__init__(name, value) self.variable_capture_dict: Dict[str, VariableRegex] = { key: self._validate_key(key=key, validator=VariableRegex) for key in self._keys } class RegexOptions(OptionsDictValidator): r""" Performs regex matching on an entry's source or override variables. Regex can be used to filter entries from proceeding with download or capture groups to create new source variables. NOTE to use backslashes anywhere in your regex, i.e. ``\d``, you must add another backslash escape. This means ``\d`` should be written as ``\\d``. This is because YAML requires an escape for any backslash usage. If you want to regex-search multiple source variables to create a logical OR effect, you can create an override variable that contains the concatenation of them, and search that with regex. For example, creating the override variable ``"title_and_description": "{title} {description}"`` and using ``title_and_description`` can regex match/exclude from either ``title`` or ``description``. Usage: .. code-block:: yaml presets: my_example_preset: regex: # By default, if any match fails and has no defaults, the entry will # be skipped. If False, ytdl-sub will error and stop all downloads # from proceeding. skip_if_match_fails: True from: # For each entry's `title` value... title: # Perform this regex match on it to act as a filter. # This will only download videos with "[Official Video]" in it. Note that we # double backslash to make YAML happy match: - '\\[Official Video\\]' # For each entry's `description` value... description: # Match with capture groups and defaults. # This tries to scrape a date from the description and produce new # source variables match: - "([0-9]{4})-([0-9]{2})-([0-9]{2})" # Exclude any entry where the description contains #short exclude: - "#short" # Each capture group creates these new source variables, respectively, # as well a sanitized version, i.e. `captured_upload_year_sanitized` capture_group_names: - "captured_upload_year" - "captured_upload_month" - "captured_upload_day" # And if the string does not match, use these as respective default # values for the new source variables. capture_group_defaults: - "{upload_year}" - "{upload_month}" - "{upload_day}" """ _required_keys = {"from"} _optional_keys = {"skip_if_match_fails"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate regex """ if isinstance(value, dict): value["from"] = value.get("from", {}) _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) self._from = self._validate_key(key="from", validator=FromSourceVariablesRegex) self._skip_if_match_fails: bool = self._validate_key_if_present( key="skip_if_match_fails", validator=BoolValidator, default=True ).value @property def skip_if_match_fails(self) -> Optional[bool]: """ Defaults to True. If True, when any match fails and has no defaults, the entry will be skipped. If False, ytdl-sub will error and all downloads will not proceed. """ return self._skip_if_match_fails def validate_with_variables( self, source_variables: List[str], override_variables: Dict[str, str] ) -> None: """ Ensures each source variable capture group is valid Parameters ---------- source_variables Available source variables when running the plugin override_variables Available override variables when running the plugin """ for key, regex_options in self.source_variable_capture_dict.items(): # Ensure each variable getting captured is a source variable if key not in source_variables and key not in override_variables: raise self._validation_exception( f"cannot regex capture '{key}' because it is not a source or override variable" ) # Ensure the capture group names are not existing source/override variables for capture_group_name in regex_options.capture_group_names: if capture_group_name in source_variables: raise self._validation_exception( f"'{capture_group_name}' cannot be used as a capture group name because it " f"is a source variable" ) if capture_group_name in override_variables: raise self._validation_exception( f"'{capture_group_name}' cannot be used as a capture group name because it " f"is an override variable" ) @property def source_variable_capture_dict(self) -> Dict[str, VariableRegex]: """ Returns ------- Dict of { source variable: capture options } """ return self._from.variable_capture_dict def added_source_variables(self) -> List[str]: """ Returns ------- List of new source variables created via regex capture """ added_source_vars: List[str] = [] for regex_options in self.source_variable_capture_dict.values(): added_source_vars.extend(regex_options.capture_group_names) added_source_vars.extend( f"{capture_group_name}_sanitized" for capture_group_name in regex_options.capture_group_names ) return added_source_vars class RegexPlugin(Plugin[RegexOptions]): plugin_options_type = RegexOptions priority = PluginPriority( modify_entry=PluginPriority.MODIFY_ENTRY_AFTER_SPLIT + 0, ) @classmethod def _add_processed_regex_variable_name(cls, entry: Entry, source_var: str) -> None: if not entry.kwargs_contains(YTDL_SUB_REGEX_SOURCE_VARS): entry.add_kwargs({YTDL_SUB_REGEX_SOURCE_VARS: []}) entry.kwargs(YTDL_SUB_REGEX_SOURCE_VARS).append(source_var) @classmethod def _contains_processed_regex_variable(cls, entry: Entry, variable_name: str) -> bool: return variable_name in entry.kwargs_get(YTDL_SUB_REGEX_SOURCE_VARS, []) def _try_skip_entry(self, entry: Entry, variable_name: str) -> None: # Skip the entry if toggled if self.plugin_options.skip_if_match_fails: logger.info( "Regex failed to match '%s' from '%s', skipping.", variable_name, entry.title, ) return None # Otherwise, error raise RegexNoMatchException(f"Regex failed to match '{variable_name}' from '{entry.title}'") def _can_process_at_metadata_stage(self, entry: Entry, variable_name: str) -> bool: # If the variable is an override... if variable_name in self.overrides.dict: # Try to see if it can resolve try: self.overrides.apply_formatter( formatter=self.overrides.dict[variable_name], entry=entry, ) # If it can not from missing variables (from post-metadata stage), return False except StringFormattingVariableNotFoundException: return False # If it is a source variable and not present, return false elif variable_name not in entry.to_dict(): return False return True def _get_regex_input_string(self, entry: Entry, variable_name: str) -> str: # Apply override formatter if it's an override if variable_name in self.overrides.dict: return self.overrides.apply_formatter( formatter=self.overrides.dict[variable_name], entry=entry, ) # Otherwise pluck from the entry's source variable return entry.to_dict()[variable_name] def _modify_entry_metadata(self, entry: Entry, is_metadata_stage: bool) -> Optional[Entry]: """ Parameters ---------- entry Entry to add source variables to is_metadata_stage Whether this is called at the metadata stage or modify stage Returns ------- Entry with regex capture variables added to its source variables Raises ------ ValidationException If no capture and no defaults """ # Iterate each source var to capture and add to the entry for ( variable_name, regex_options, ) in self.plugin_options.source_variable_capture_dict.items(): # Record which regex source variables are processed, to # process as many variables as possible in the metadata stage, then the rest # after the media file has been downloaded. if self._contains_processed_regex_variable(entry, variable_name): continue # If it's the metadata stage, and it can't be processed, skip until post-metadata if is_metadata_stage and not self._can_process_at_metadata_stage( entry=entry, variable_name=variable_name ): continue self._add_processed_regex_variable_name(entry, variable_name) regex_input_str = self._get_regex_input_string( entry=entry, variable_name=variable_name, ) if ( regex_options.exclude is not None and regex_options.exclude.match_any(input_str=regex_input_str) is not None ): return self._try_skip_entry(entry=entry, variable_name=variable_name) # If match is present if regex_options.match is not None: maybe_capture = regex_options.match.match_any(input_str=regex_input_str) # And nothing matched if maybe_capture is None: # and no defaults if not regex_options.has_defaults: return self._try_skip_entry(entry=entry, variable_name=variable_name) # otherwise, use defaults (apply them using the original entry source dict) source_variables_and_overrides_dict = dict( entry.to_dict(), **self.overrides.dict_with_format_strings ) # add both the default... entry.add_variables( variables_to_add={ regex_options.capture_group_names[i]: default.apply_formatter( variable_dict=source_variables_and_overrides_dict ) for i, default in enumerate(regex_options.capture_group_defaults) }, ) # and sanitized default entry.add_variables( variables_to_add={ f"{regex_options.capture_group_names[i]}_sanitized": sanitize_filename( default.apply_formatter( variable_dict=source_variables_and_overrides_dict ) ) for i, default in enumerate(regex_options.capture_group_defaults) }, ) # There is a capture, add the source variables to the entry as # {source_var}_capture_1, {source_var}_capture_2, ... else: # Add the value... entry.add_variables( variables_to_add={ regex_options.capture_group_names[i]: capture for i, capture in enumerate(maybe_capture) }, ) # And the sanitized value entry.add_variables( variables_to_add={ f"{regex_options.capture_group_names[i]}_sanitized": sanitize_filename( capture ) for i, capture in enumerate(maybe_capture) }, ) return entry def modify_entry_metadata(self, entry: Entry) -> Optional[Entry]: """ Perform regex at the metadata stage """ return self._modify_entry_metadata(entry, is_metadata_stage=True) def modify_entry(self, entry: Entry) -> Optional[Entry]: """ Perform regex at the metadata stage """ return self._modify_entry_metadata(entry, is_metadata_stage=False)
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/regex.py
regex.py
from typing import Optional from ytdl_sub.config.preset_options import Overrides from ytdl_sub.entries.entry import Entry from ytdl_sub.plugins.nfo_tags import NfoTagsValidator from ytdl_sub.plugins.nfo_tags import SharedNfoTagsOptions from ytdl_sub.plugins.nfo_tags import SharedNfoTagsPlugin from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.ytdl_additions.enhanced_download_archive import EnhancedDownloadArchive class OutputDirectoryNfoTagsOptions(SharedNfoTagsOptions): """ Adds a single NFO file in the output directory. An NFO file is simply an XML file with a ``.nfo`` extension. It uses the last entry's source variables which can change per download invocation. Be cautious of which variables you use. Usage: .. code-block:: yaml presets: my_example_preset: output_directory_nfo_tags: # required nfo_name: "tvshow.nfo" nfo_root: "tvshow" tags: title: "Sweet youtube TV show" # optional kodi_safe: False """ # Hack to make it so collection named seasons do not error # when adding output_directory_nfo info for plex _required_keys = set() _optional_keys = {"kodi_safe", "nfo_name", "nfo_root", "tags"} @property def nfo_root(self) -> StringFormatterValidator: """ The root tag of the NFO's XML. In the usage above, it would look like .. code-block:: xml <?xml version="1.0" encoding="UTF-8" standalone="yes"?> <tvshow> </tvshow> """ return self._nfo_root @property def tags(self) -> NfoTagsValidator: """ Tags within the nfo_root tag. In the usage above, it would look like .. code-block:: xml <?xml version="1.0" encoding="UTF-8" standalone="yes"?> <tvshow> <title>Sweet youtube TV show</title> </tvshow> Also supports xml attributes and duplicate keys: .. code-block:: yaml tags: named_season: - tag: "{source_title}" attributes: number: "{collection_index}" behavior: "merge" genre: - tag: "Comedy" behavior: "overwrite" - "Comedy" - "Drama" Which translates to .. code-block:: xml <title year="2022">Sweet youtube TV show</season> <genre>Comedy</genre> <genre>Drama</genre> """ return self._tags class OutputDirectoryNfoTagsPlugin(SharedNfoTagsPlugin): plugin_options_type = OutputDirectoryNfoTagsOptions def __init__( self, options: OutputDirectoryNfoTagsOptions, overrides: Overrides, enhanced_download_archive: EnhancedDownloadArchive, ): super().__init__(options, overrides, enhanced_download_archive) self._last_entry: Optional[Entry] = None def post_process_entry(self, entry: Entry) -> None: """ Tracks the last entry processed """ self._last_entry = entry def post_process_subscription(self): """ Creates an NFO file in the root of the output directory using the last entry """ if ( self.plugin_options.nfo_name is None or self.plugin_options.nfo_root is None or self._last_entry is None ): return self._create_nfo(entry=self._last_entry, save_to_entry=False)
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/output_directory_nfo_tags.py
output_directory_nfo_tags.py
from pathlib import Path from typing import Dict from typing import List from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.logger import Logger from ytdl_sub.utils.subtitles import SUBTITLE_EXTENSIONS from ytdl_sub.validators.file_path_validators import StringFormatterFileNameValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.string_select_validator import StringSelectValidator from ytdl_sub.validators.validators import BoolValidator from ytdl_sub.validators.validators import StringListValidator logger = Logger.get(name="subtitles") class SubtitlesTypeValidator(StringSelectValidator): _expected_value_type_name = "subtitles type" _select_values = SUBTITLE_EXTENSIONS class SubtitleOptions(OptionsDictValidator): """ Defines how to download and store subtitles. Using this plugin creates two new variables: ``lang`` and ``subtitles_ext``. ``lang`` is dynamic since you can download multiple subtitles. It will set the respective language to the correct subtitle file. Usage: .. code-block:: yaml presets: my_example_preset: subtitles: subtitles_name: "{title_sanitized}.{lang}.{subtitles_ext}" subtitles_type: "srt" embed_subtitles: False languages: "en" # supports list of multiple languages allow_auto_generated_subtitles: False """ _optional_keys = { "subtitles_name", "subtitles_type", "embed_subtitles", "languages", "allow_auto_generated_subtitles", } def __init__(self, name, value): super().__init__(name, value) self._subtitles_name = self._validate_key_if_present( key="subtitles_name", validator=StringFormatterFileNameValidator ) self._subtitles_type = self._validate_key_if_present( key="subtitles_type", validator=SubtitlesTypeValidator, default="srt" ).value self._embed_subtitles = self._validate_key_if_present( key="embed_subtitles", validator=BoolValidator, default=False, ).value self._languages = self._validate_key_if_present( key="languages", validator=StringListValidator, default=["en"] ).list self._allow_auto_generated_subtitles = self._validate_key_if_present( key="allow_auto_generated_subtitles", validator=BoolValidator, default=False ).value @property def subtitles_name(self) -> Optional[StringFormatterValidator]: """ Optional. The file name for the media's subtitles if they are present. This can include directories such as ``"Season {upload_year}/{title_sanitized}.{lang}.{subtitles_ext}"``, and will be placed in the output directory. ``lang`` is dynamic since you can download multiple subtitles. It will set the respective language to the correct subtitle file. """ return self._subtitles_name @property def subtitles_type(self) -> Optional[str]: """ Optional. One of the subtitle file types "srt", "vtt", "ass", "lrc". Defaults to "srt" """ return self._subtitles_type @property def embed_subtitles(self) -> Optional[bool]: """ Optional. Whether to embed the subtitles into the video file. Defaults to False. NOTE: webm files can only embed "vtt" subtitle types. """ return self._embed_subtitles @property def languages(self) -> Optional[List[str]]: """ Optional. Language code(s) to download for subtitles. Supports a single or list of multiple language codes. Defaults to "en". """ return [lang.value for lang in self._languages] @property def allow_auto_generated_subtitles(self) -> Optional[bool]: """ Optional. Whether to allow auto generated subtitles. Defaults to False. """ return self._allow_auto_generated_subtitles def added_source_variables(self) -> List[str]: """ Returns ------- List of new source variables created by using the subtitles plugin """ return ["lang", "subtitles_ext"] class SubtitlesPlugin(Plugin[SubtitleOptions]): plugin_options_type = SubtitleOptions def ytdl_options(self) -> Optional[Dict]: builder = YTDLOptionsBuilder().add({"writesubtitles": True}) if self.plugin_options.embed_subtitles: builder.add( {"postprocessors": [{"key": "FFmpegEmbedSubtitle", "already_have_subtitle": True}]} ) if self.plugin_options.subtitles_name: builder.add( { "postprocessors": [ { "key": "FFmpegSubtitlesConvertor", "format": self.plugin_options.subtitles_type, } ], } ) # If neither subtitles_name or embed_subtitles is set, do not set any other flags if not builder.to_dict(): return {} builder.add( { "writeautomaticsub": self.plugin_options.allow_auto_generated_subtitles, "subtitleslangs": self.plugin_options.languages, } ) return builder.to_dict() def modify_entry(self, entry: Entry) -> Optional[Entry]: if not (requested_subtitles := entry.kwargs_get("requested_subtitles", None)): return entry languages = sorted(requested_subtitles.keys()) entry.add_variables( variables_to_add={ "subtitles_ext": self.plugin_options.subtitles_type, "lang": ",".join(languages), } ) return entry def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Creates an entry's NFO file using values defined in the metadata options Parameters ---------- entry: Entry to create subtitles for """ requested_subtitles = entry.kwargs("requested_subtitles") if not requested_subtitles: logger.debug("subtitles not found for %s", entry.title) return None file_metadata: Optional[FileMetadata] = None langs = list(requested_subtitles.keys()) if self.plugin_options.embed_subtitles: file_metadata = FileMetadata(f"Embedded subtitles with lang(s) {', '.join(langs)}") if self.plugin_options.subtitles_name: for lang in langs: subtitle_file_name = f"{entry.uid}.{lang}.{self.plugin_options.subtitles_type}" output_subtitle_file_name = self.overrides.apply_formatter( formatter=self.plugin_options.subtitles_name, entry=entry, function_overrides={"lang": lang}, ) self.save_file( file_name=subtitle_file_name, output_file_name=output_subtitle_file_name, entry=entry, ) # Delete any possible original subtitle files before conversion # Can happen for both file and embedded subs for lang in langs: for possible_ext in SUBTITLE_EXTENSIONS: possible_subs_file = ( Path(self.working_directory) / f"{entry.uid}.{lang}.{possible_ext}" ) FileHandler.delete(possible_subs_file) return file_metadata
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/subtitles.py
subtitles.py
import os.path from typing import Any from typing import Dict from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.exceptions import FileNotDownloadedException from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.validators.audo_codec_validator import AUDIO_CODEC_EXTS from ytdl_sub.validators.audo_codec_validator import AUDIO_CODEC_TYPES_EXTENSION_MAPPING from ytdl_sub.validators.audo_codec_validator import AudioTypeValidator from ytdl_sub.validators.validators import FloatValidator class AudioExtractOptions(OptionsDictValidator): """ Extracts audio from a video file. Usage: .. code-block:: yaml presets: my_example_preset: audio_extract: codec: "mp3" quality: 128 """ _required_keys = {"codec"} _optional_keys = {"quality"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate audio extract options """ if isinstance(value, dict): value["codec"] = value.get("codec", "mp3") _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) self._codec = self._validate_key(key="codec", validator=AudioTypeValidator).value self._quality = self._validate_key_if_present(key="quality", validator=FloatValidator) @property def codec(self) -> str: """ The codec to output after extracting the audio. Supported codecs are aac, flac, mp3, m4a, opus, vorbis, wav, and best to grab the best possible format at runtime. """ return self._codec @property def quality(self) -> Optional[float]: """ Optional. Specify ffmpeg audio quality. Insert a value between ``0`` (better) and ``9`` (worse) for variable bitrate, or a specific bitrate like ``128`` for 128k. """ if self._quality is not None: return self._quality.value return None class AudioExtractPlugin(Plugin[AudioExtractOptions]): plugin_options_type = AudioExtractOptions def ytdl_options(self) -> Optional[Dict]: """ Returns ------- YTDL options for extracting audio """ ytdl_options_builder = YTDLOptionsBuilder() postprocessor_dict = { "key": "FFmpegExtractAudio", "when": "post_process", "preferredcodec": self.plugin_options.codec, } if self.plugin_options.quality is not None: postprocessor_dict["preferredquality"] = self.plugin_options.quality return ytdl_options_builder.add( { "postprocessors": [postprocessor_dict], } ).to_dict() def modify_entry(self, entry: Entry) -> Optional[Entry]: """ Parameters ---------- entry Entry with extracted audio Returns ------- Entry with updated 'ext' source variable Raises ------ FileNotDownloadedException If the audio file is not found """ extracted_audio_file = entry.get_download_file_path() # yt-dlp doesn't record which ext is used, so try to find it if self.plugin_options.codec == "best": new_ext = "m4a" for possible_ext in AUDIO_CODEC_EXTS: extracted_audio_file = ( entry.get_download_file_path().removesuffix(entry.ext) + possible_ext ) if os.path.isfile(extracted_audio_file): new_ext = possible_ext break else: new_ext = AUDIO_CODEC_TYPES_EXTENSION_MAPPING[self.plugin_options.codec] extracted_audio_file = entry.get_download_file_path().removesuffix(entry.ext) + new_ext entry.add_kwargs({"ext": new_ext}) if not self.is_dry_run: if not os.path.isfile(extracted_audio_file): raise FileNotDownloadedException("Failed to find the extracted audio file") return entry def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Warn the user that best cannot infer the format that will be used at run-time. """ if self.plugin_options.codec == "best" and self.is_dry_run: return FileMetadata( "Caution: extracted audio with 'best' format is not known during dry-run. " "Defaulting to m4a." ) return None
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/audio_extract.py
audio_extract.py
from typing import Any from typing import Dict from typing import List from typing import Optional from yt_dlp import match_filter_func from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import PluginPriority from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import YTDL_SUB_MATCH_FILTER_REJECT from ytdl_sub.utils.logger import Logger from ytdl_sub.validators.validators import StringListValidator logger = Logger.get("match_filters") class MatchFiltersOptions(OptionsDictValidator): """ Set ``--match-filters``` to pass into yt-dlp to filter entries from being downloaded. Uses the same syntax as yt-dlp. Usage: .. code-block:: yaml presets: my_example_preset: match_filters: filters: "original_url!*=/shorts/" Supports one or multiple filters: .. code-block:: yaml presets: my_example_preset: match_filters: filters: - "age_limit<?18" - "like_count>?100" # Other common match-filters # - "original_url!*=/shorts/ & !is_live" # - "age_limit<?18" # - "availability=?public" """ _required_keys = {"filters"} @classmethod def partial_validate(cls, name: str, value: Any) -> None: """Ensure filters looks right""" if isinstance(value, dict): value["filters"] = value.get("filters", [""]) _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) self._filters = self._validate_key(key="filters", validator=StringListValidator).list @property def filters(self) -> List[str]: """ The filters themselves. If used multiple times, the filter matches if at least one of the conditions are met. For logical AND's between match filters, use the ``&`` operator in a single match filter. """ return [validator.value for validator in self._filters] class MatchFiltersPlugin(Plugin[MatchFiltersOptions]): plugin_options_type = MatchFiltersOptions priority = PluginPriority(modify_entry=PluginPriority.MODIFY_ENTRY_FIRST) def ytdl_options(self) -> Optional[Dict]: """ Returns ------- match_filter after calling the utility function for it """ match_filters: List[str] = [] for filter_str in self.plugin_options.filters: logger.debug("Adding match-filter %s", filter_str) match_filters.append(filter_str) return { "match_filter": match_filter_func(match_filters), } def modify_entry(self, entry: Entry) -> Optional[Entry]: """ If an entry is marked as not being downloaded due to a match_filter reject, do not propagate the entry further (especially since there is no entry file!) """ if entry.kwargs_get(YTDL_SUB_MATCH_FILTER_REJECT, False): logger.info("Entry rejected by match-filter, skipping ..") return None return entry
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/match_filters.py
match_filters.py
from typing import Dict from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.utils.datetime import to_date_range from ytdl_sub.validators.string_datetime import StringDatetimeValidator class DateRangeOptions(OptionsDictValidator): """ Only download files uploaded within the specified date range. Usage: .. code-block:: yaml presets: my_example_preset: date_range: before: "now" after: "today-2weeks" """ _optional_keys = {"before", "after"} def __init__(self, name, value): super().__init__(name, value) self._before = self._validate_key_if_present("before", StringDatetimeValidator) self._after = self._validate_key_if_present("after", StringDatetimeValidator) @property def before(self) -> Optional[StringDatetimeValidator]: """ Optional. Only download videos before this datetime. """ return self._before @property def after(self) -> Optional[StringDatetimeValidator]: """ Optional. Only download videos after this datetime. """ return self._after class DateRangePlugin(Plugin[DateRangeOptions]): plugin_options_type = DateRangeOptions def ytdl_options(self) -> Optional[Dict]: """ Returns ------- YTDL options for setting a date range """ ytdl_options_builder = YTDLOptionsBuilder() source_date_range = to_date_range( before=self.plugin_options.before, after=self.plugin_options.after, overrides=self.overrides, ) if source_date_range: ytdl_options_builder.add({"daterange": source_date_range}) # Only add break_on_reject if after is specified, but not before. # Otherwise, it can break on first metadata pull if it's after the 'before' if self.plugin_options.after and not self.plugin_options.before: ytdl_options_builder.add({"break_on_reject": True}) return ytdl_options_builder.to_dict()
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/date_range.py
date_range.py
import copy from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import PluginPriority from ytdl_sub.config.preset_options import OptionsDictValidator from ytdl_sub.config.preset_options import Overrides from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.ytdl_additions.enhanced_download_archive import EnhancedDownloadArchive class ViewOptions(OptionsDictValidator): """ INTERNAL PLUGIN. Do not expose in documentation """ _optional_keys = {"_placeholder"} class ViewPlugin(Plugin[ViewOptions]): plugin_options_type = ViewOptions priority: PluginPriority = PluginPriority(modify_entry=PluginPriority.MODIFY_ENTRY_AFTER_SPLIT) _MAX_LINE_WIDTH: int = 80 def __init__( self, options: ViewOptions, overrides: Overrides, enhanced_download_archive: EnhancedDownloadArchive, ): super().__init__( options=options, overrides=overrides, enhanced_download_archive=enhanced_download_archive, ) self._first_entry: Optional[Entry] = None @classmethod def _truncate_value(cls, value: str) -> str: """No new lines and cut off after 80 characters""" value = " <newline> ".join(str(value).split("\n")) if len(value) > cls._MAX_LINE_WIDTH: value = value[:77] + "..." return value def modify_entry(self, entry: Entry) -> Optional[Entry]: """Only process the first entry received""" if self._first_entry is None: self._first_entry = entry return entry return None def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ Adds all source variables to the entry """ source_var_dict = copy.deepcopy(entry.to_dict()) for key in source_var_dict.keys(): source_var_dict[key] = self._truncate_value(source_var_dict[key]) return FileMetadata.from_dict(title="Source Variables", value_dict=source_var_dict)
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/plugins/internal/view.py
view.py
import copy import json import os.path from dataclasses import dataclass from datetime import datetime from pathlib import Path from typing import Any from typing import Dict from typing import List from typing import Optional from typing import Set from yt_dlp import DateRange from yt_dlp.utils import make_archive_id from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import SPLIT_BY_CHAPTERS_PARENT_ENTRY from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileHandlerTransactionLog from ytdl_sub.utils.file_handler import FileMetadata @dataclass class DownloadMapping: upload_date: str extractor: str file_names: Set[str] @property def dict(self) -> Dict[str, Any]: """ :return: DownloadMapping as a dict that is serializable """ return { "upload_date": self.upload_date, "extractor": self.extractor, "file_names": sorted(list(self.file_names)), } @classmethod def from_dict(cls, mapping_dict: dict) -> "DownloadMapping": """ Parameters ---------- mapping_dict Download mapping in dict format Returns ------- Instantiated DownloadMapping class """ return DownloadMapping( upload_date=mapping_dict["upload_date"], extractor=mapping_dict["extractor"], file_names=set(mapping_dict["file_names"]), ) @classmethod def from_entry(cls, entry: Entry) -> "DownloadMapping": """ Parameters ---------- entry Entry to create a download mapping for Returns ------- DownloadMapping for the entry """ return DownloadMapping( upload_date=entry.upload_date_standardized, extractor=entry.extractor, file_names=set(), ) class DownloadArchive: """ Class to handle any operations to the ytdl download archive. Try to keep it as barebones as possible in case of future changes. """ def __init__(self, download_archive_lines: List[str]): """ Parameters ---------- download_archive_lines Lines found in a YTDL download archive file, i.e. youtube id-32342343423 """ self._download_archive_lines = download_archive_lines @classmethod def from_file(cls, file_path: str) -> "DownloadArchive": """ Parameters ---------- file_path Path to a download archive file Returns ------- Instantiated DownloadArchive class """ # If no download archive file exists, instantiate an empty one if not os.path.isfile(file_path): return cls(download_archive_lines=[]) with open(file_path, "r", encoding="utf8") as file: return cls(download_archive_lines=file.readlines()) def to_file(self, file_path: str) -> "DownloadArchive": """ Parameters ---------- file_path File path to store this download archive to Returns ------- self """ with open(file_path, "w", encoding="utf8") as file: for line in self._download_archive_lines: file.write(f"{line}\n") return self def remove_entry(self, entry_id: str) -> "DownloadArchive": """ Parameters ---------- entry_id Entry ID to remove if it exists in this download archive Returns ------- self """ self._download_archive_lines = [ line for line in self._download_archive_lines if entry_id not in line ] return self class DownloadMappings: _strptime_format = "%Y-%m-%d" def __init__(self): """ Initializes an empty mapping """ self._entry_mappings: Dict[str, DownloadMapping] = {} @classmethod def from_file(cls, json_file_path: str) -> "DownloadMappings": """ Parameters ---------- json_file_path Path to a json file that contains download mappings Returns ------- Instantiated DownloadMappings class """ with open(json_file_path, "r", encoding="utf8") as json_file: entry_mappings_json = json.load(json_file) for uid in entry_mappings_json.keys(): entry_mappings_json[uid] = DownloadMapping.from_dict( mapping_dict=entry_mappings_json[uid] ) download_mappings = DownloadMappings() download_mappings._entry_mappings = entry_mappings_json return download_mappings @property def entry_mappings(self) -> Dict[str, DownloadMapping]: """ Returns ------- Mapping of entries to files """ return self._entry_mappings @property def entry_ids(self) -> List[str]: """ Returns ------- List of entry ids in the mapping """ return list(self._entry_mappings.keys()) @property def is_empty(self) -> bool: """ Returns ------- True if there are no entry mappings. False otherwise. """ return self.get_num_entries() == 0 def add_entry(self, entry: Entry, entry_file_path: str) -> "DownloadMappings": """ Adds a file path for the entry. An entry can map to multiple file paths. Parameters ---------- entry Entry that this file belongs to entry_file_path Relative path to the file that lives in the output directory Returns ------- self """ if entry.uid not in self.entry_ids: self._entry_mappings[entry.uid] = DownloadMapping.from_entry(entry=entry) self._entry_mappings[entry.uid].file_names.add(entry_file_path) return self def remove_entry(self, entry_id: str) -> "DownloadMappings": """ Parameters ---------- entry_id Id of the entry to remove Returns ------- self """ if entry_id in self.entry_ids: del self._entry_mappings[entry_id] return self def get_num_entries_with_upload_date(self, upload_date_standardized: str) -> int: """ Parameters ---------- upload_date_standardized A standardized upload date Returns ------- Number of entries in the mapping with this upload date """ return len( [_ for _ in self._entry_mappings.values() if _.upload_date == upload_date_standardized] ) def get_num_entries(self) -> int: """ Returns ------- Number of entries in the mapping """ return len(self._entry_mappings) def get_entries_out_of_range(self, date_range: DateRange) -> Dict[str, DownloadMapping]: """ Parameters ---------- date_range Range of dates that entries' upload dates must be within Returns ------- Dict of entry_id: mapping if the upload date is not in the date range """ out_of_range_entry_mappings = copy.deepcopy(self._entry_mappings) for uid in list(out_of_range_entry_mappings.keys()): upload_date = datetime.strptime( out_of_range_entry_mappings[uid].upload_date, self._strptime_format, ).date() if upload_date in date_range: del out_of_range_entry_mappings[uid] return out_of_range_entry_mappings def to_file(self, output_json_file: str) -> "DownloadMappings": """ Parameters ---------- output_json_file Output json file path to write the download mappings to Returns ------- self """ # Create json string first to ensure it is valid before writing anything to file json_str = json.dumps( obj={ uid: mapping.dict for uid, mapping in sorted( self._entry_mappings.items(), key=lambda item: item[1].upload_date, reverse=True, ) }, indent=2, sort_keys=True, ) with open(output_json_file, "w", encoding="utf8") as file: file.write(json_str) return self def to_download_archive(self) -> DownloadArchive: """ Returns ------- A DownloadArchive created from the DownloadMappings' ids and extractors. YTDL will use this to avoid redownloading entries already downloaded. """ lines: List[str] = [] for entry_id, metadata in self._entry_mappings.items(): lines.append(make_archive_id(ie=metadata.extractor, video_id=entry_id)) return DownloadArchive(download_archive_lines=lines) class EnhancedDownloadArchive: """ Maintains ytdl's download archive file as well as create an additional mapping file to map ytdl ids to multiple files. Used to delete 'stale' files that are out of range based on the file's entry's upload date. Should be used in this order: 1. self.prepare_download_archive() Internally calls... a. self._load() Checks the output directory to see if an existing enhanced download archive file exists. If so, load it into the class. Otherwise, initialize an empty instance of one. b. self._move_to_working_directory() If the download archive was loaded successfully, create a ytdl download archive in the working directory. This will let ytdl know which files are already downloaded. 2. ( Perform the ytdlp download using a download archive with the same name ) a. An existing archive should have been copied into the working directory for reuse 3. self.mapping.add_entry(entry, file_path) a. Should be called for any file created for the given entry that gets moved to the output directory 4. OPTIONAL: self.remove_stale_files() a. After all files have been moved over in the output directory, remove any stale files that exist in there. 5. self.save_download_archive() a. Save the updated mapping file to the output directory. 6. ( Delete the working directory ) """ @classmethod def _maybe_load_download_mappings(cls, mapping_file_path: str) -> DownloadMappings: """ Tries to load download mappings if a file exists. Otherwise returns empty mappings. """ # If a mapping file exists in the output directory, load it up. if os.path.isfile(mapping_file_path): return DownloadMappings.from_file(json_file_path=mapping_file_path) return DownloadMappings() def __init__( self, file_name: str, working_directory: str, output_directory: str, dry_run: bool = False, ): self._file_name = file_name self._file_handler = FileHandler( working_directory=working_directory, output_directory=output_directory, dry_run=dry_run ) self._download_mapping = self._maybe_load_download_mappings( mapping_file_path=self.output_file_path ) self.num_entries_added: int = 0 self.num_entries_modified: int = 0 self.num_entries_removed: int = 0 @property def num_entries(self) -> int: """ Returns ------- Total number of entries in the mapping """ return self.mapping.get_num_entries() def reinitialize(self, dry_run: bool) -> "EnhancedDownloadArchive": """ Re-initialize the enhanced download archive for successive downloads w/the same subscription. Parameters ---------- dry_run Whether to actually move files to the output directory Returns ------- self """ self._file_handler = FileHandler( working_directory=self.working_directory, output_directory=self.output_directory, dry_run=dry_run, ) self._download_mapping = self._maybe_load_download_mappings( mapping_file_path=self.output_file_path ) return self @property def is_dry_run(self) -> bool: """ Returns ------- True if this session is a dry-run. False otherwise. """ return self._file_handler.dry_run @property def working_directory(self) -> str: """ Returns ------- Path to the working directory """ return self._file_handler.working_directory @property def output_directory(self) -> str: """ Returns ------- Path to the output directory """ return self._file_handler.output_directory @property def file_name(self) -> str: """ Returns ------- The download mapping's file name (no path) """ return self._file_name @property def output_file_path(self) -> str: """ Returns ------- The download mapping's file path in the output directory. """ return str(Path(self.output_directory) / self.file_name) @property def working_file_path(self) -> str: """ Returns ------- The download mapping's file path in the working directory. """ return str(Path(self.working_directory) / self.file_name) @property def mapping(self) -> DownloadMappings: """ Returns ------- Loaded DownloadMappings Raises ------ ValueError If the download mappings was not loaded """ if self._download_mapping is None: raise ValueError("Tried to use download mapping before it was loaded") return self._download_mapping def prepare_download_archive(self) -> "EnhancedDownloadArchive": """ If the mapping is not empty, create a download archive from it and save it into the working directory. This will tell YTDL to not redownload already downloaded entries. Returns ------- self """ # If the download mapping is empty, do nothing since the ytdl downloader will create a new # download archive file if self.mapping.is_empty: return self # Otherwise, create a ytdl download archive file in the working directory. self.mapping.to_download_archive().to_file(self.working_file_path) return self def remove_stale_files(self, date_range: DateRange) -> "EnhancedDownloadArchive": """ Checks all entries within the mappings. If any entries' upload dates are not within the provided date range, delete them. Parameters ---------- date_range Date range the upload date must be in to not get deleted Returns ------- self """ stale_mappings: Dict[str, DownloadMapping] = self.mapping.get_entries_out_of_range( date_range=date_range ) for uid, mapping in stale_mappings.items(): for file_name in mapping.file_names: self._file_handler.delete_file_from_output_directory(file_name=file_name) self.mapping.remove_entry(entry_id=uid) self.num_entries_removed += 1 return self def save_download_mappings(self) -> "EnhancedDownloadArchive": """ Saves the updated download mappings to the output directory if any files were changed. Returns ------- self """ if not self.get_file_handler_transaction_log().is_empty: self._download_mapping.to_file(output_json_file=self.working_file_path) self.save_file_to_output_directory(file_name=self.file_name) return self def delete_file_from_output_directory(self, file_name: str): """ Deletes a file from the output directory Parameters ---------- file_name Name of the file, relative to the output directory """ return self._file_handler.delete_file_from_output_directory(file_name=file_name) def save_file_to_output_directory( self, file_name: str, file_metadata: Optional[FileMetadata] = None, output_file_name: Optional[str] = None, entry: Optional[Entry] = None, copy_file: bool = False, ): """ Saves a file from the working directory to the output directory and record it in the transaction log. Parameters ---------- file_name Name of the file to move (does not include working directory path) file_metadata Optional. Metadata to record to the transaction log for this file output_file_name Optional. Final name of the file in the output directory (does not include output directory path). If None, use the same working_directory file_name entry Optional. Entry that this file belongs to copy_file Optional. If True, copy the file. Move otherwise """ if output_file_name is None: output_file_name = file_name # If the entry is created from splitting via chapters, store it to the mapping # using its parent entry if entry and entry.kwargs_contains(SPLIT_BY_CHAPTERS_PARENT_ENTRY): parent_entry = Entry( entry_dict=entry.kwargs(SPLIT_BY_CHAPTERS_PARENT_ENTRY), working_directory=entry.working_directory(), ) self.mapping.add_entry(parent_entry, entry_file_path=output_file_name) elif entry: self.mapping.add_entry(entry=entry, entry_file_path=output_file_name) is_modified = self._file_handler.move_file_to_output_directory( file_name=file_name, file_metadata=file_metadata, output_file_name=output_file_name, copy_file=copy_file, ) # Determine if it's the entry file by seeing if the file_name to move matches the entry # download file name is_entry_file = entry and entry.get_download_file_name() == file_name if is_entry_file and is_modified: self.num_entries_modified += 1 elif is_entry_file: self.num_entries_added += 1 def get_file_handler_transaction_log(self) -> FileHandlerTransactionLog: """ Returns ------- File handler transaction log for this session """ return self._file_handler.file_handler_transaction_log class DownloadArchiver: """ Used for any class that saves files. Does not allow direct access to output_directory, forcing the user of the class to use ``save_file`` so it gets archived and avoids any writes during dry-run. """ def __init__(self, enhanced_download_archive: EnhancedDownloadArchive): self._enhanced_download_archive = enhanced_download_archive @property def working_directory(self) -> str: """ Returns ------- Path to the working directory """ return self._enhanced_download_archive.working_directory @property def is_dry_run(self) -> bool: """ Returns ------- True if this session is a dry-run. False otherwise. """ return self._enhanced_download_archive.is_dry_run def save_file( self, file_name: str, file_metadata: Optional[FileMetadata] = None, output_file_name: Optional[str] = None, entry: Optional[Entry] = None, copy_file: bool = False, ) -> None: """ Saves a file in the working directory to the output directory. Parameters ---------- file_name Name of the file relative to the working directory file_metadata Optional. Metadata to record to the transaction log for this file output_file_name Optional. Final name of the file in the output directory (does not include output directory path). If None, use the same working_directory file_name entry Optional. Entry that the file belongs to copy_file Optional. If True, copy the file. Move otherwise """ self._enhanced_download_archive.save_file_to_output_directory( file_name=file_name, file_metadata=file_metadata, output_file_name=output_file_name, entry=entry, copy_file=copy_file, )
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/ytdl_additions/enhanced_download_archive.py
enhanced_download_archive.py
import copy from typing import Any from typing import Dict from typing import Iterable from typing import List from typing import Optional from typing import Tuple from typing import Type from typing import Union from mergedeep import mergedeep from ytdl_sub.config.config_validator import ConfigValidator from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset_class_mappings import PluginMapping from ytdl_sub.config.preset_options import OptionsValidator from ytdl_sub.config.preset_options import OutputOptions from ytdl_sub.config.preset_options import Overrides from ytdl_sub.config.preset_options import TOptionsValidator from ytdl_sub.config.preset_options import YTDLOptions from ytdl_sub.downloaders.url.validators import MultiUrlValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.prebuilt_presets import PREBUILT_PRESET_NAMES from ytdl_sub.prebuilt_presets import PUBLISHED_PRESET_NAMES from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.logger import Logger from ytdl_sub.utils.yaml import dump_yaml from ytdl_sub.validators.strict_dict_validator import StrictDictValidator from ytdl_sub.validators.string_formatter_validators import DictFormatterValidator from ytdl_sub.validators.string_formatter_validators import OverridesDictFormatterValidator from ytdl_sub.validators.string_formatter_validators import OverridesStringFormatterValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.validators import DictValidator from ytdl_sub.validators.validators import ListValidator from ytdl_sub.validators.validators import StringListValidator from ytdl_sub.validators.validators import Validator from ytdl_sub.validators.validators import validation_exception PRESET_KEYS = { "preset", "download", "output_options", "ytdl_options", "overrides", *PluginMapping.plugins(), } logger = Logger.get() def _parent_preset_error_message( current_preset_name: str, parent_preset_name: str, presets: List[str] ) -> ValidationException: user_defined_presets = set(presets) - PREBUILT_PRESET_NAMES - {current_preset_name} return validation_exception( name=current_preset_name, error_message=f"preset '{parent_preset_name}' does not exist in the provided config.\n" f"Available prebuilt presets: {', '.join(sorted(PUBLISHED_PRESET_NAMES))}\n" f"Your presets: {', '.join(sorted(user_defined_presets))}", ) class PresetPlugins: def __init__(self): self.plugin_types: List[Type[Plugin]] = [] self.plugin_options: List[OptionsValidator] = [] def add(self, plugin_type: Type[Plugin], plugin_options: OptionsValidator) -> "PresetPlugins": """ Add a pair of plugin type and options to the list """ self.plugin_types.append(plugin_type) self.plugin_options.append(plugin_options) return self def zipped(self) -> Iterable[Tuple[Type[Plugin], OptionsValidator]]: """ Returns ------- Plugin and PluginOptions zipped """ return zip(self.plugin_types, self.plugin_options) def get(self, plugin_type: Type[TOptionsValidator]) -> Optional[TOptionsValidator]: """ Parameters ---------- plugin_type Fetch the plugin options for this type Returns ------- Options of this plugin if they exit. Otherwise, return None. """ plugin_option_types = [type(plugin_options) for plugin_options in self.plugin_options] if plugin_type in plugin_option_types: return self.plugin_options[plugin_option_types.index(plugin_type)] return None class _PresetShell(StrictDictValidator): # Have all present keys optional since parent presets could not have all the # required keys. They will get validated in the init after the mergedeep of dicts # and ensure required keys are present. _optional_keys = PRESET_KEYS class Preset(_PresetShell): @classmethod def preset_partial_validate(cls, config: ConfigValidator, name: str, value: Any) -> None: """ Partially validates a preset. Used to ensure every preset in a ConfigFile looks sane. Cannot fully validate each preset using the Preset init because required fields could be missing, which become filled in a child preset. Parameters ---------- config Config that this preset belongs to name Preset name value Preset value Raises ------ ValidationException If validation fails """ # Ensure value is a dict _ = _PresetShell(name=name, value=value) assert isinstance(value, dict) parent_presets = StringListValidator(name=f"{name}.preset", value=value.get("preset", [])) for parent_preset_name in parent_presets.list: if parent_preset_name.value not in config.presets.keys: raise _parent_preset_error_message( current_preset_name=name, parent_preset_name=parent_preset_name.value, presets=config.presets.keys, ) cls._partial_validate_key(name, value, "download", MultiUrlValidator) cls._partial_validate_key(name, value, "output_options", OutputOptions) cls._partial_validate_key(name, value, "ytdl_options", YTDLOptions) cls._partial_validate_key(name, value, "overrides", Overrides) for plugin_name in PluginMapping.plugins(): cls._partial_validate_key( name, value, key=plugin_name, validator=PluginMapping.get(plugin_name).plugin_options_type, ) @property def _source_variables(self) -> List[str]: return Entry.source_variables() def __validate_and_get_plugins(self) -> PresetPlugins: preset_plugins = PresetPlugins() for key in self._keys: if key not in PluginMapping.plugins(): continue plugin = PluginMapping.get(plugin=key) plugin_options = self._validate_key(key=key, validator=plugin.plugin_options_type) preset_plugins.add(plugin_type=plugin, plugin_options=plugin_options) return preset_plugins def __validate_added_variables(self): source_variables = copy.deepcopy(self._source_variables) # Validate added download option variables here since plugins could subsequently use them self.downloader_options.validate_with_variables( source_variables=source_variables, override_variables=self.overrides.dict_with_format_strings, ) source_variables.extend(self.downloader_options.added_source_variables()) for _, plugin_options in sorted( self.plugins.zipped(), key=lambda pl: pl[0].priority.modify_entry ): # Validate current plugin using source + added plugin variables plugin_options.validate_with_variables( source_variables=source_variables, override_variables=self.overrides.dict_with_format_strings, ) # Extend existing source variables with ones created from this plugin source_variables.extend(plugin_options.added_source_variables()) def __validate_override_string_formatter_validator( self, formatter_validator: Union[StringFormatterValidator, OverridesStringFormatterValidator], ): # Set the formatter variables to be the overrides variable_dict = copy.deepcopy(self.overrides.dict_with_format_strings) # If the formatter supports source variables, set the formatter variables to include # both source and override variables if not isinstance(formatter_validator, OverridesStringFormatterValidator): source_variables = { source_var: "dummy_string" for source_var in self._source_variables + self.downloader_options.added_source_variables() } variable_dict = dict(source_variables, **variable_dict) # For all plugins, add in any extra added source variables for plugin_options in self.plugins.plugin_options: added_plugin_variables = { source_var: "dummy_string" for source_var in plugin_options.added_source_variables() } # sanity check plugin variables do not override source variables expected_len = len(variable_dict) + len(added_plugin_variables) variable_dict = dict(variable_dict, **added_plugin_variables) assert ( len(variable_dict) == expected_len ), "plugin variables overwrote source variables" _ = formatter_validator.apply_formatter(variable_dict=variable_dict) def __recursive_preset_validate( self, validator: Optional[Validator] = None, ) -> None: """ Ensure all OverridesStringFormatterValidator's only contain variables from the overrides and resolve. """ if validator is None: validator = self if isinstance(validator, DictValidator): # pylint: disable=protected-access # Usage of protected variables in other validators is fine. The reason to keep # them protected is for readability when using them in subscriptions. for validator_value in validator._validator_dict.values(): self.__recursive_preset_validate(validator_value) # pylint: enable=protected-access elif isinstance(validator, ListValidator): for list_value in validator.list: self.__recursive_preset_validate(list_value) elif isinstance(validator, (StringFormatterValidator, OverridesStringFormatterValidator)): self.__validate_override_string_formatter_validator(validator) elif isinstance(validator, (DictFormatterValidator, OverridesDictFormatterValidator)): for validator_value in validator.dict.values(): self.__validate_override_string_formatter_validator(validator_value) def _get_presets_to_merge( self, parent_presets: str | List[str], seen_presets: List[str], config: ConfigValidator ) -> List[Dict]: presets_to_merge: List[Dict] = [] if isinstance(parent_presets, str): parent_presets = [parent_presets] for parent_preset in reversed(parent_presets): # Make sure we do not hit an infinite loop if parent_preset in seen_presets: raise self._validation_exception( f"preset loop detected with the preset '{parent_preset}'" ) # Make sure the parent preset actually exists if parent_preset not in config.presets.keys: raise _parent_preset_error_message( current_preset_name=self._name, parent_preset_name=parent_preset, presets=config.presets.keys, ) parent_preset_dict = copy.deepcopy(config.presets.dict[parent_preset]) presets_to_merge.append(parent_preset_dict) if "preset" in parent_preset_dict: presets_to_merge.extend( self._get_presets_to_merge( parent_presets=parent_preset_dict["preset"], seen_presets=seen_presets + [parent_preset], config=config, ) ) return presets_to_merge def __merge_parent_preset_dicts_if_present(self, config: ConfigValidator): parent_preset_validator = self._validate_key_if_present( key="preset", validator=StringListValidator ) if parent_preset_validator is None: return # Get list of all parent presets in depth-first search order, beginning with this preset presets_to_merge: List[Dict] = [copy.deepcopy(self._value)] + self._get_presets_to_merge( parent_presets=[preset.value for preset in parent_preset_validator.list], seen_presets=[], config=config, ) # Merge all presets self._value = dict( mergedeep.merge({}, *reversed(presets_to_merge), strategy=mergedeep.Strategy.ADDITIVE) ) def __init__(self, config: ConfigValidator, name: str, value: Any): super().__init__(name=name, value=value) # Perform the merge of parent presets before validating any keys self.__merge_parent_preset_dicts_if_present(config=config) self.downloader_options: MultiUrlValidator = self._validate_key( key="download", validator=MultiUrlValidator ) self.output_options = self._validate_key( key="output_options", validator=OutputOptions, ) self.ytdl_options = self._validate_key( key="ytdl_options", validator=YTDLOptions, default={} ) self.overrides = self._validate_key(key="overrides", validator=Overrides, default={}) self.plugins: PresetPlugins = self.__validate_and_get_plugins() self.__validate_added_variables() # After all options are initialized, perform a recursive post-validate that requires # values from multiple validators self.__recursive_preset_validate() @property def name(self) -> str: """ Returns ------- Name of the preset """ return self._name @classmethod def from_dict(cls, config: ConfigValidator, preset_name: str, preset_dict: Dict) -> "Preset": """ Parameters ---------- config: Validated instance of the config preset_name: Name of the preset preset_dict: The preset config in dict format Returns ------- The Subscription validator """ return cls(config=config, name=preset_name, value=preset_dict) @property def yaml(self) -> str: """ Returns ------- Preset in YAML format """ return dump_yaml({"presets": {self._name: self._value}})
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/preset.py
preset.py
from abc import ABC from typing import Any from typing import Dict from typing import List from typing import Optional from typing import TypeVar from yt_dlp.utils import sanitize_filename from ytdl_sub.config.defaults import DEFAULT_DOWNLOAD_ARCHIVE_NAME from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.validators.file_path_validators import OverridesStringFormatterFilePathValidator from ytdl_sub.validators.file_path_validators import StringFormatterFileNameValidator from ytdl_sub.validators.strict_dict_validator import StrictDictValidator from ytdl_sub.validators.string_datetime import StringDatetimeValidator from ytdl_sub.validators.string_formatter_validators import DictFormatterValidator from ytdl_sub.validators.string_formatter_validators import OverridesStringFormatterValidator from ytdl_sub.validators.string_formatter_validators import StringFormatterValidator from ytdl_sub.validators.validators import BoolValidator from ytdl_sub.validators.validators import LiteralDictValidator from ytdl_sub.validators.validators import Validator # pylint: disable=no-self-use # pylint: disable=unused-argument class OptionsValidator(Validator, ABC): """ Abstract class that validates options for preset sections (plugins, downloaders) """ def validation_exception( self, error_message: str | Exception, ) -> ValidationException: """ Parameters ---------- error_message Error message to include in the validation exception Returns ------- Validation exception that points to the location in the config. To be used to throw good validation exceptions at runtime from code outside this class. """ return self._validation_exception(error_message=error_message) def added_source_variables(self) -> List[str]: """ If the plugin adds source variables, list them here. Returns ------- List of added source variables this plugin creates """ return [] def validate_with_variables( self, source_variables: List[str], override_variables: Dict[str, str] ) -> None: """ Optional validation after init with the session's source and override variables. Parameters ---------- source_variables Available source variables when running the plugin override_variables Available override variables when running the plugin """ return None TOptionsValidator = TypeVar("TOptionsValidator", bound=OptionsValidator) class OptionsDictValidator(StrictDictValidator, OptionsValidator, ABC): pass # pylint: enable=no-self-use # pylint: enable=unused-argument class YTDLOptions(LiteralDictValidator): """ Optional. This section allows you to add any ytdl argument to ytdl-sub's downloader. The argument names can differ slightly from the command-line argument names. See `this docstring <https://github.com/yt-dlp/yt-dlp/blob/2022.04.08/yt_dlp/YoutubeDL.py#L197>`_ for more details. ytdl_options should be formatted like: .. code-block:: yaml presets: my_example_preset: ytdl_options: # Ignore any download related errors and continue ignoreerrors: True # Stop downloading additional metadata/videos if it # exists in your download archive break_on_existing: True # Stop downloading additional metadata/videos if it # is out of your date range break_on_reject: True # Path to your YouTube cookies file to download 18+ restricted content cookiefile: "/path/to/cookies/file.txt" # Only download this number of videos/audio max_downloads: 10 # Download and use English title/description/etc YouTube metadata extractor_args: youtube: lang: - "en" where each key is a ytdl argument. Include in the example are some popular ytdl_options. """ class OverridesVariables(DictFormatterValidator): """ Override variables that are automatically added to every subscription. """ def _add_override_variable(self, key_name: str, format_string: str, sanitize: bool = False): if sanitize: key_name = f"{key_name}_sanitized" format_string = sanitize_filename(format_string) self._value[key_name] = StringFormatterValidator( name="__should_never_fail__", value=format_string, ) def __init__(self, name, value): super().__init__(name, value) # Add sanitized and non-sanitized override variables for sanitize in [True, False]: self._add_override_variable( key_name="subscription_name", format_string=self.subscription_name, sanitize=sanitize, ) @property def subscription_name(self) -> str: """ Returns ------- Name of the subscription """ return self._root_name # Disable for proper docstring formatting # pylint: disable=line-too-long class Overrides(OverridesVariables): """ Optional. This section allows you to define variables that can be used in any string formatter. For example, if you want your file and thumbnail files to match without copy-pasting a large format string, you can define something like: .. code-block:: yaml presets: my_example_preset: overrides: output_directory: "/path/to/media" custom_file_name: "{upload_year}.{upload_month_padded}.{upload_day_padded}.{title_sanitized}" # Then use the override variables in the output options output_options: output_directory: "{output_directory}" file_name: "{custom_file_name}.{ext}" thumbnail_name: "{custom_file_name}.{thumbnail_ext}" Override variables can contain explicit values and other variables, including both override and source variables. In addition, any override variable defined will automatically create a ``sanitized`` variable for use. In the example above, ``output_directory_sanitized`` will exist and perform sanitization on the value when used. """ # pylint: enable=line-too-long def __init__(self, name, value): super().__init__(name, value) # Add sanitized overrides for key in self._keys: self._add_override_variable( key_name=key, format_string=self._value[key].format_string, sanitize=True, ) def apply_formatter( self, formatter: StringFormatterValidator, entry: Optional[Entry] = None, function_overrides: Dict[str, str] = None, ) -> str: """ Parameters ---------- formatter Formatter to apply entry Optional. Entry to add source variables to the formatter function_overrides Optional. Explicit values to override the overrides themselves and source variables Returns ------- The format_string after .format has been called """ variable_dict = self.dict_with_format_strings if entry: variable_dict = dict(entry.to_dict(), **variable_dict) if function_overrides: variable_dict = dict(variable_dict, **function_overrides) return formatter.apply_formatter(variable_dict) class OutputOptions(StrictDictValidator): """ Defines where to output files and thumbnails after all post-processing has completed. Usage: .. code-block:: yaml presets: my_example_preset: output_options: # required output_directory: "/path/to/videos_or_music" file_name: "{title_sanitized}.{ext}" # optional thumbnail_name: "{title_sanitized}.{thumbnail_ext}" info_json_name: "{title_sanitized}.{info_json_ext}" download_archive_name: ".ytdl-sub-{subscription_name}-download-archive.json" maintain_download_archive: True keep_files_before: now keep_files_after: 19000101 """ _required_keys = {"output_directory", "file_name"} _optional_keys = { "thumbnail_name", "info_json_name", "download_archive_name", "maintain_download_archive", "keep_files_before", "keep_files_after", } @classmethod def partial_validate(cls, name: str, value: Any) -> None: """ Partially validate output options """ if isinstance(value, dict): value["output_directory"] = value.get("output_directory", "placeholder") value["file_name"] = value.get("file_name", "placeholder") # Set this to True by default in partial validate to avoid failing from keep_files value["maintain_download_archive"] = value.get("maintain_download_archive", True) _ = cls(name, value) def __init__(self, name, value): super().__init__(name, value) # Output directory should resolve without any entry variables. # This is to check the directory for any download-archives before any downloads begin self._output_directory = self._validate_key( key="output_directory", validator=OverridesStringFormatterFilePathValidator ) # file name and thumbnails however can use entry variables self._file_name = self._validate_key( key="file_name", validator=StringFormatterFileNameValidator ) self._thumbnail_name = self._validate_key_if_present( key="thumbnail_name", validator=StringFormatterFileNameValidator ) self._info_json_name = self._validate_key_if_present( key="info_json_name", validator=StringFormatterFileNameValidator ) self._download_archive_name = self._validate_key_if_present( key="download_archive_name", validator=OverridesStringFormatterValidator, default=DEFAULT_DOWNLOAD_ARCHIVE_NAME, ) self._maintain_download_archive = self._validate_key_if_present( key="maintain_download_archive", validator=BoolValidator, default=False ) self._keep_files_before = self._validate_key_if_present( "keep_files_before", StringDatetimeValidator ) self._keep_files_after = self._validate_key_if_present( "keep_files_after", StringDatetimeValidator ) if ( self._keep_files_before or self._keep_files_after ) and not self.maintain_download_archive: raise self._validation_exception( "keep_files requires maintain_download_archive set to True" ) @property def output_directory(self) -> OverridesStringFormatterValidator: """ Required. The output directory to store all media files downloaded. """ return self._output_directory @property def file_name(self) -> StringFormatterValidator: """ Required. The file name for the media file. This can include directories such as ``"Season {upload_year}/{title}.{ext}"``, and will be placed in the output directory. """ return self._file_name @property def thumbnail_name(self) -> Optional[StringFormatterValidator]: """ Optional. The file name for the media's thumbnail image. This can include directories such as ``"Season {upload_year}/{title}.{thumbnail_ext}"``, and will be placed in the output directory. Can be set to empty string or `null` to disable thumbnail writes. """ return self._thumbnail_name @property def info_json_name(self) -> Optional[StringFormatterValidator]: """ Optional. The file name for the media's info json file. This can include directories such as ``"Season {upload_year}/{title}.{info_json_ext}"``, and will be placed in the output directory. Can be set to empty string or `null` to disable info json writes. """ return self._info_json_name @property def download_archive_name(self) -> Optional[OverridesStringFormatterValidator]: """ Optional. The file name to store a subscriptions download archive placed relative to the output directory. Defaults to ``.ytdl-sub-{subscription_name}-download-archive.json`` """ return self._download_archive_name @property def maintain_download_archive(self) -> bool: """ Optional. Maintains a download archive file in the output directory for a subscription. It is named ``.ytdl-sub-{subscription_name}-download-archive.json``, stored in the output directory. The download archive contains a mapping of ytdl IDs to downloaded files. This is used to create a ytdl download-archive file when invoking a download on a subscription. This will prevent ytdl from redownloading media already downloaded. Defaults to False. """ return self._maintain_download_archive.value @property def keep_files_before(self) -> Optional[StringDatetimeValidator]: """ Optional. Requires ``maintain_download_archive`` set to True. Only keeps files that are uploaded before this datetime. By default, ytdl-sub will keep files before ``now``, which implies all files. """ return self._keep_files_before @property def keep_files_after(self) -> Optional[StringDatetimeValidator]: """ Optional. Requires ``maintain_download_archive`` set to True. Only keeps files that are uploaded after this datetime. By default, ytdl-sub will keep files after ``19000101``, which implies all files. """ return self._keep_files_after
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/preset_options.py
preset_options.py
import os from typing import Any from typing import Dict from ytdl_sub.config.config_validator import ConfigValidator from ytdl_sub.config.preset import Preset from ytdl_sub.utils.ffmpeg import FFMPEG from ytdl_sub.utils.yaml import load_yaml from ytdl_sub.validators.file_path_validators import FilePathValidatorMixin class ConfigFile(ConfigValidator): _required_keys = {"configuration", "presets"} def __init__(self, name: str, value: Any): super().__init__(name, value) for preset_name, preset_dict in self.presets.dict.items(): Preset.preset_partial_validate(config=self, name=preset_name, value=preset_dict) # After validation, perform initialization self._initialize() def _initialize(self): """ Configures things (umask, pgid, etc) prior to any downloading Returns ------- self """ if self.config_options.umask: os.umask(int(self.config_options.umask, 8)) FFMPEG.set_paths( ffmpeg_path=self.config_options.ffmpeg_path, ffprobe_path=self.config_options.ffprobe_path, ) FilePathValidatorMixin.set_max_file_name_bytes( max_file_name_bytes=self.config_options.file_name_max_bytes ) return self @classmethod def from_dict(cls, config_dict: dict) -> "ConfigFile": """ Parameters ---------- config_dict: The config in dictionary format Returns ------- Config file validator """ return ConfigFile(name="", value=config_dict) @classmethod def from_file_path(cls, config_path: str) -> "ConfigFile": """ Parameters ---------- config_path: Path to the config yaml Returns ------- Config file validator """ config_dict = load_yaml(file_path=config_path) return ConfigFile.from_dict(config_dict) def as_dict(self) -> Dict[str, Any]: """ Returns ------- The config in its dict form """ return self._value
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/config_file.py
config_file.py
from abc import ABC from abc import abstractmethod from typing import Dict from typing import Generic from typing import List from typing import Optional from typing import Tuple from typing import Type from ytdl_sub.config.preset_options import Overrides from ytdl_sub.config.preset_options import TOptionsValidator from ytdl_sub.entries.entry import Entry from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.ytdl_additions.enhanced_download_archive import DownloadArchiver from ytdl_sub.ytdl_additions.enhanced_download_archive import EnhancedDownloadArchive class PluginPriority: """ Defines priority for plugins, 0 is highest priority """ # If modify_entry priority is >= to this value, run after split MODIFY_ENTRY_AFTER_SPLIT = 10 # if post_process is >= to this value, run after file_convert POST_PROCESS_AFTER_FILE_CONVERT = 10 MODIFY_ENTRY_FIRST = 0 def __init__( self, modify_entry_metadata: int = 5, modify_entry: int = 5, post_process: int = 5 ): self.modify_entry_metadata = modify_entry_metadata self.modify_entry = modify_entry self.post_process = post_process @property def modify_entry_after_split(self) -> bool: """ Returns ------- True if the plugin should modify an entry after a potential split. False otherwise. """ return self.modify_entry >= PluginPriority.MODIFY_ENTRY_AFTER_SPLIT # pylint: disable=no-self-use,unused-argument class BasePlugin(DownloadArchiver, Generic[TOptionsValidator], ABC): """ Shared code amongst all SourcePlugins (downloaders) and Plugins (post-download modification) """ priority: PluginPriority = PluginPriority() plugin_options_type: Type[TOptionsValidator] def __init__( self, options: TOptionsValidator, overrides: Overrides, enhanced_download_archive: EnhancedDownloadArchive, ): DownloadArchiver.__init__(self=self, enhanced_download_archive=enhanced_download_archive) self.plugin_options = options self.overrides = overrides class Plugin(BasePlugin[TOptionsValidator], Generic[TOptionsValidator], ABC): """ Class to define the new plugin functionality """ def ytdl_options(self) -> Optional[Dict]: """ Returns ------- ytdl options to enable/disable when downloading entries for this specific plugin """ def modify_entry_metadata(self, entry: Entry) -> Optional[Entry]: """ After entry metadata has been gathered, perform preprocessing on the metadata Parameters ---------- entry Entry metadata to modify Returns ------- The entry or None, indicating not to download it. """ return entry def modify_entry(self, entry: Entry) -> Optional[Entry]: """ After each entry is downloaded, modify the entry in some way before sending it to post-processing. Parameters ---------- entry Entry to modify Returns ------- The entry or None, indicating not to move it to the output directory """ return entry def post_process_entry(self, entry: Entry) -> Optional[FileMetadata]: """ For each entry downloaded, apply post processing to it. Parameters ---------- entry Entry to post process Returns ------- Optional file metadata for the entry media file. """ return None def post_process_subscription(self): """ After all downloaded files have been post-processed, apply a subscription-wide post process """ class SplitPlugin(Plugin[TOptionsValidator], Generic[TOptionsValidator], ABC): """ Plugin that splits entries into zero or more entries """ @abstractmethod def split(self, entry: Entry) -> List[Tuple[Entry, FileMetadata]]: """ Very specialized function that takes an entry and creates multiple entries from it. Should mark ``is_split_plugin`` on the plugin class. Parameters ---------- entry Entry to create multiple entries from Returns ------- List of entries and metadata created from the source entry """ return []
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/plugin.py
plugin.py
from typing import Dict from typing import List from typing import Type from ytdl_sub.config.plugin import Plugin from ytdl_sub.plugins.audio_extract import AudioExtractPlugin from ytdl_sub.plugins.chapters import ChaptersPlugin from ytdl_sub.plugins.date_range import DateRangePlugin from ytdl_sub.plugins.embed_thumbnail import EmbedThumbnailPlugin from ytdl_sub.plugins.file_convert import FileConvertPlugin from ytdl_sub.plugins.internal.view import ViewPlugin from ytdl_sub.plugins.match_filters import MatchFiltersPlugin from ytdl_sub.plugins.music_tags import MusicTagsPlugin from ytdl_sub.plugins.nfo_tags import NfoTagsPlugin from ytdl_sub.plugins.output_directory_nfo_tags import OutputDirectoryNfoTagsPlugin from ytdl_sub.plugins.regex import RegexPlugin from ytdl_sub.plugins.split_by_chapters import SplitByChaptersPlugin from ytdl_sub.plugins.subtitles import SubtitlesPlugin from ytdl_sub.plugins.video_tags import VideoTagsPlugin class PluginMapping: """ Maps plugins defined in the preset to its respective plugin class """ _MAPPING: Dict[str, Type[Plugin]] = { "_view": ViewPlugin, "audio_extract": AudioExtractPlugin, "date_range": DateRangePlugin, "embed_thumbnail": EmbedThumbnailPlugin, "file_convert": FileConvertPlugin, "match_filters": MatchFiltersPlugin, "music_tags": MusicTagsPlugin, "video_tags": VideoTagsPlugin, "nfo_tags": NfoTagsPlugin, "output_directory_nfo_tags": OutputDirectoryNfoTagsPlugin, "regex": RegexPlugin, "subtitles": SubtitlesPlugin, "chapters": ChaptersPlugin, "split_by_chapters": SplitByChaptersPlugin, } @classmethod def plugins(cls) -> List[str]: """ Returns ------- Available download sources """ return sorted(list(cls._MAPPING.keys())) @classmethod def get(cls, plugin: str) -> Type[Plugin]: """ Parameters ---------- plugin Name of the plugin Returns ------- The plugin class Raises ------ ValueError Raised if the plugin does not exist """ if plugin not in cls.plugins(): raise ValueError( f"Tried to use plugin '{plugin}' that does not exist. Available plugins: " f"{', '.join(cls.plugins())}" ) return cls._MAPPING[plugin]
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/preset_class_mappings.py
preset_class_mappings.py
from typing import Any from typing import Dict from typing import Optional from mergedeep import mergedeep from yt_dlp.utils import datetime_from_str from ytdl_sub.config.defaults import DEFAULT_FFMPEG_PATH from ytdl_sub.config.defaults import DEFAULT_FFPROBE_PATH from ytdl_sub.config.defaults import DEFAULT_LOCK_DIRECTORY from ytdl_sub.config.defaults import MAX_FILE_NAME_BYTES from ytdl_sub.prebuilt_presets import PREBUILT_PRESETS from ytdl_sub.validators.file_path_validators import FFmpegFileValidator from ytdl_sub.validators.file_path_validators import FFprobeFileValidator from ytdl_sub.validators.strict_dict_validator import StrictDictValidator from ytdl_sub.validators.validators import BoolValidator from ytdl_sub.validators.validators import IntValidator from ytdl_sub.validators.validators import LiteralDictValidator from ytdl_sub.validators.validators import StringValidator class ExperimentalValidator(StrictDictValidator): _optional_keys = {"enable_update_with_info_json"} _allow_extra_keys = True def __init__(self, name: str, value: Any): super().__init__(name, value) self._enable_update_with_info_json = self._validate_key( key="enable_update_with_info_json", validator=BoolValidator, default=False ) @property def enable_update_with_info_json(self) -> bool: """ Enables modifying subscription files using info.json files using the argument ``--update-with-info-json``. This feature is still being tested and has the ability to destroy files. Ensure you have a full backup before usage. You have been warned! """ return self._enable_update_with_info_json.value class PersistLogsValidator(StrictDictValidator): _required_keys = {"logs_directory"} _optional_keys = {"keep_logs_after", "keep_successful_logs"} def __init__(self, name: str, value: Any): super().__init__(name, value) self._logs_directory = self._validate_key(key="logs_directory", validator=StringValidator) self._keep_logs_after: Optional[str] = None if keep_logs_validator := self._validate_key_if_present( key="keep_logs_after", validator=StringValidator ): try: self._keep_logs_after = datetime_from_str(keep_logs_validator.value) except Exception as exc: raise self._validation_exception(f"Invalid datetime string: {str(exc)}") self._keep_successful_logs = self._validate_key( key="keep_successful_logs", validator=BoolValidator, default=True ) @property def logs_directory(self) -> str: """ Required. The directory to store the logs in. """ return self._logs_directory.value # pylint: disable=line-too-long # @property # def keep_logs_after(self) -> Optional[str]: # """ # Optional. Keep logs after this date, in yt-dlp datetime format. # # .. code-block:: Markdown # # A string in the format YYYYMMDD or # (now|today|yesterday|date)[+-][0-9](microsecond|second|minute|hour|day|week|month|year)(s) # # For example, ``today-1week`` means keep 1 week's worth of logs. By default, ytdl-sub will # keep all log files. # """ # return self._keep_logs_after # pylint: enable=line-too-long @property def keep_successful_logs(self) -> bool: """ Optional. Whether to store logs when downloading is successful. Defaults to True. """ return self._keep_successful_logs.value class ConfigOptions(StrictDictValidator): _required_keys = {"working_directory"} _optional_keys = { "umask", "dl_aliases", "persist_logs", "lock_directory", "ffmpeg_path", "ffprobe_path", "file_name_max_bytes", "experimental", } def __init__(self, name: str, value: Any): super().__init__(name, value) self._working_directory = self._validate_key( key="working_directory", validator=StringValidator ) self._umask = self._validate_key_if_present( key="umask", validator=StringValidator, default="022" ) self._dl_aliases = self._validate_key_if_present( key="dl_aliases", validator=LiteralDictValidator ) self._persist_logs = self._validate_key_if_present( key="persist_logs", validator=PersistLogsValidator ) self._lock_directory = self._validate_key( key="lock_directory", validator=StringValidator, default=DEFAULT_LOCK_DIRECTORY ) self._ffmpeg_path = self._validate_key( key="ffmpeg_path", validator=FFmpegFileValidator, default=DEFAULT_FFMPEG_PATH ) self._ffprobe_path = self._validate_key( key="ffprobe_path", validator=FFprobeFileValidator, default=DEFAULT_FFPROBE_PATH ) self._experimental = self._validate_key( key="experimental", validator=ExperimentalValidator, default={} ) self._file_name_max_bytes = self._validate_key( key="file_name_max_bytes", validator=IntValidator, default=MAX_FILE_NAME_BYTES ) @property def working_directory(self) -> str: """ The directory to temporarily store downloaded files before moving them into their final directory. """ return self._working_directory.value @property def umask(self) -> Optional[str]: """ Optional. Umask (octal format) to apply to every created file. Defaults to "022". """ return self._umask.value @property def dl_aliases(self) -> Optional[Dict[str, str]]: """ .. _dl_aliases: Optional. Alias definitions to shorten ``ytdl-sub dl`` arguments. For example, .. code-block:: yaml configuration: dl_aliases: mv: "--preset music_video" u: "--download.url" Simplifies .. code-block:: bash ytdl-sub dl --preset "music_video" --download.url "youtube.com/watch?v=a1b2c3" to .. code-block:: bash ytdl-sub dl --mv --u "youtube.com/watch?v=a1b2c3" """ if self._dl_aliases: return self._dl_aliases.dict return {} @property def persist_logs(self) -> Optional[PersistLogsValidator]: """ Persist logs validator. readthedocs in the validator itself! """ return self._persist_logs @property def file_name_max_bytes(self) -> int: """ Optional. Max file name size in bytes. Most OS's typically default to 255 bytes. """ return self._file_name_max_bytes.value @property def experimental(self) -> ExperimentalValidator: """ Experimental validator. readthedocs in the validator itself! """ return self._experimental @property def lock_directory(self) -> str: """ Optional. The directory to temporarily store file locks, which prevents multiple instances of ``ytdl-sub`` from running. Note that file locks do not work on network-mounted directories. Ensure that this directory resides on the host machine. Defaults to ``/tmp``. """ return self._lock_directory.value @property def ffmpeg_path(self) -> str: """ Optional. Path to ffmpeg executable. Defaults to ``/usr/bin/ffmpeg`` for Linux, and ``ffmpeg.exe`` for Windows (in the same directory as ytdl-sub). """ return self._ffmpeg_path.value @property def ffprobe_path(self) -> str: """ Optional. Path to ffprobe executable. Defaults to ``/usr/bin/ffprobe`` for Linux, and ``ffprobe.exe`` for Windows (in the same directory as ytdl-sub). """ return self._ffprobe_path.value class ConfigValidator(StrictDictValidator): _required_keys = {"configuration", "presets"} def __init__(self, name: str, value: Any): super().__init__(name, value) self.config_options = self._validate_key("configuration", ConfigOptions) # Make sure presets is a dictionary. Will be validated in `PresetValidator` self.presets = self._validate_key("presets", LiteralDictValidator) # Ensure custom presets do not collide with prebuilt presets for preset_name in self.presets.keys: if preset_name in PREBUILT_PRESETS: raise self._validation_exception( f"preset name '{preset_name}' conflicts with a prebuilt preset" ) # Merge prebuilt presets into the config so custom presets can use them mergedeep.merge(self.presets._value, PREBUILT_PRESETS)
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/config/config_validator.py
config_validator.py
from typing import Any from typing import Dict from typing import List from typing import Optional from typing import Set from ytdl_sub.entries.variables.entry_variables import pad Preset = Dict[str, Any] #################################################### # TV SHOW TYPES KODI_TV_SHOW = "_kodi_tv_show" JELLYFIN_TV_SHOW = "_jellyfin_tv_show" PLEX_TV_SHOW = "_plex_tv_show" ##################################################### # TV SHOW URL PRESETS TV_SHOW_BY_DATE = "_tv_show_by_date" SEASON_YEAR__EPISODE_MONTH_DAY = "season_by_year__episode_by_month_day" SEASON_YEAR__EPISODE_MONTH_DAY_REVERSED = "season_by_year__episode_by_month_day_reversed" SEASON_YEAR_MONTH__EPISODE_DAY = "season_by_year_month__episode_by_day" ##################################################### # TV SHOW COLLECTION PRESETS TV_SHOW_COLLECTION = "_tv_show_collection" SEASON_COLLECTION__EPISODE_Y_M_D = "season_by_collection__episode_by_year_month_day" SEASON_COLLECTION__EPISODE_Y_M_D_REV = "season_by_collection__episode_by_year_month_day_reversed" class PrebuiltPresets: @classmethod def _build_preset(cls, name: str, parent_presets: List[str]) -> Preset: return {"presets": {name: {"preset": parent_presets}}} @classmethod def _document_preset(cls) -> Preset: return {} @classmethod def get_preset_names(cls) -> Set[str]: """ Returns ------- Preset names in the set """ preset_names = [prop for prop in dir(cls) if isinstance(getattr(cls, prop), property)] return set(preset_names) @classmethod def get_presets(cls) -> List[Preset]: """ Returns ------- Preset dicts in the set if they are not added in other yamls """ return [getattr(cls(), preset_name) for preset_name in cls.get_preset_names()] class TvShowByDatePresets(PrebuiltPresets): """ TV Show by Date presets create a TV show from a single URL using upload dates as season/episode numbers. """ @property def kodi_tv_show_by_date(self): """ Formats a TV show organized by date for Kodi """ return self._build_preset( name="kodi_tv_show_by_date", parent_presets=[KODI_TV_SHOW, TV_SHOW_BY_DATE] ) @property def jellyfin_tv_show_by_date(self): """ Formats a TV show organized by date for Jellyfin """ return self._build_preset( name="jellyfin_tv_show_by_date", parent_presets=[JELLYFIN_TV_SHOW, TV_SHOW_BY_DATE] ) @property def plex_tv_show_by_date(self): """ Formats a TV show organized by date for Plex """ return self._build_preset( name="plex_tv_show_by_date", parent_presets=[PLEX_TV_SHOW, TV_SHOW_BY_DATE] ) class TvShowByDateEpisodeFormattingPresets(PrebuiltPresets): @property def season_by_year__episode_by_month_day(self) -> Preset: """ DOC """ return self._document_preset() @property def season_by_year__episode_by_month_day_reversed(self) -> Preset: """ DOC """ return self._document_preset() @property def season_by_year_month__episode_by_day(self) -> Preset: """ DOC """ return self._document_preset() class TvShowCollectionPresets(PrebuiltPresets): """ Docstring for all TV SHOW URL presets """ @property def kodi_tv_show_collection(self) -> Preset: """ Kodi TV Show with seasons as years, episodes ordered by upload date """ return self._build_preset( name="kodi_tv_show_collection", parent_presets=[KODI_TV_SHOW, TV_SHOW_COLLECTION] ) @property def jellyfin_tv_show_collection(self) -> Preset: """ Kodi TV Show with seasons as years, episodes ordered by upload date """ return self._build_preset( name="jellyfin_tv_show_collection", parent_presets=[JELLYFIN_TV_SHOW, TV_SHOW_COLLECTION], ) @property def plex_tv_show_collection(self) -> Preset: """ Kodi TV Show with seasons as years, episodes ordered by upload date """ return self._build_preset( name="plex_tv_show_collection", parent_presets=[PLEX_TV_SHOW, TV_SHOW_COLLECTION] ) class TvShowCollectionEpisodeFormattingPresets(PrebuiltPresets): @property def season_by_collection__episode_by_year_month_day(self) -> Preset: """ DOC """ return self._document_preset() @property def season_by_collection__episode_by_year_month_day_reversed(self) -> Preset: """ DOC """ return self._document_preset() @property def season_by_collection__episode_by_playlist_index(self) -> Preset: """ DOC """ return self._document_preset() @property def season_by_collection__episode_by_playlist_index_reversed(self) -> Preset: """ DOC """ return self._document_preset() class TvShowCollectionSeasonPresets(PrebuiltPresets): @property def collection_season_1(self): """ DOC """ return self._document_preset() @property def collection_season_2(self): """ DOC """ return self._document_preset() @property def collection_season_3(self): """ DOC """ return self._document_preset() @property def collection_season_4(self): """ DOC """ return self._document_preset() @property def collection_season_5(self): """ DOC """ return self._document_preset()
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/prebuilt_presets/helpers/__init__.py
__init__.py
import contextlib import logging import os import shutil from abc import ABC from pathlib import Path from typing import List from typing import Optional from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.plugin import SplitPlugin from ytdl_sub.downloaders.info_json.info_json_downloader import InfoJsonDownloader from ytdl_sub.downloaders.info_json.info_json_downloader import InfoJsonDownloaderOptions from ytdl_sub.downloaders.source_plugin import SourcePlugin from ytdl_sub.downloaders.url.downloader import MultiUrlDownloader from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.entries.entry import Entry from ytdl_sub.subscriptions.base_subscription import BaseSubscription from ytdl_sub.subscriptions.subscription_ytdl_options import SubscriptionYTDLOptions from ytdl_sub.utils.datetime import to_date_range from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileHandlerTransactionLog from ytdl_sub.utils.file_handler import FileMetadata from ytdl_sub.utils.logger import Logger logger: logging.Logger = Logger.get() def _get_split_plugin(plugins: List[Plugin]) -> Optional[SplitPlugin]: split_plugins = [plugin for plugin in plugins if isinstance(plugin, SplitPlugin)] if len(split_plugins) == 1: return split_plugins[0] if len(split_plugins) > 1: raise ValidationException("Can not use more than one split plugins at a time") return None class SubscriptionDownload(BaseSubscription, ABC): """ Handles the subscription download logic """ def _move_entry_files_to_output_directory( self, dry_run: bool, entry: Entry, entry_metadata: Optional[FileMetadata] = None, ): """ Helper function to move the media file and optionally thumbnail file to the output directory for a single entry. Parameters ---------- dry_run Whether this session is a dry-run or not entry: The entry with files to move entry_metadata Optional. Metadata to record to the transaction log for this entry """ # Move the file after all direct file modifications are complete output_file_name = self.overrides.apply_formatter( formatter=self.output_options.file_name, entry=entry ) self._enhanced_download_archive.save_file_to_output_directory( file_name=entry.get_download_file_name(), file_metadata=entry_metadata, output_file_name=output_file_name, entry=entry, ) # Always pretend to include the thumbnail in a dry-run if self.output_options.thumbnail_name and (dry_run or entry.is_thumbnail_downloaded()): output_thumbnail_name = self.overrides.apply_formatter( formatter=self.output_options.thumbnail_name, entry=entry ) # Copy the thumbnails since they could be used later for other things self._enhanced_download_archive.save_file_to_output_directory( file_name=entry.get_download_thumbnail_name(), output_file_name=output_thumbnail_name, entry=entry, copy_file=True, ) elif not entry.is_thumbnail_downloaded(): logger.warning( "Cannot save thumbnail for '%s' because it is not available", entry.title ) if self.output_options.info_json_name: output_info_json_name = self.overrides.apply_formatter( formatter=self.output_options.info_json_name, entry=entry ) # if not dry-run, write the info json if not dry_run: entry.write_info_json() self._enhanced_download_archive.save_file_to_output_directory( file_name=entry.get_download_info_json_name(), output_file_name=output_info_json_name, entry=entry, ) def _delete_working_directory(self, is_error: bool = False) -> None: _ = is_error if os.path.isdir(self.working_directory): shutil.rmtree(self.working_directory) @contextlib.contextmanager def _prepare_working_directory(self): """ Context manager to create all directories to the working directory. Deletes the entire working directory when cleaning up. """ self._delete_working_directory() os.makedirs(self.working_directory, exist_ok=True) try: yield except Exception as exc: self._delete_working_directory(is_error=True) raise exc else: self._delete_working_directory() @contextlib.contextmanager def _maintain_archive_file(self): """ Context manager to initialize the enhanced download archive """ if self.maintain_download_archive: self._enhanced_download_archive.prepare_download_archive() yield # If output options maintains stale file deletion, perform the delete here prior to saving # the download archive if self.maintain_download_archive: date_range_to_keep = to_date_range( before=self.output_options.keep_files_before, after=self.output_options.keep_files_after, overrides=self.overrides, ) if date_range_to_keep: self._enhanced_download_archive.remove_stale_files(date_range=date_range_to_keep) self._enhanced_download_archive.save_download_mappings() FileHandler.delete(self._enhanced_download_archive.working_file_path) @contextlib.contextmanager def _remove_empty_directories_in_output_directory(self): try: yield finally: if not self._enhanced_download_archive.is_dry_run: for root, dir_names, _ in os.walk(Path(self.output_directory), topdown=False): for dir_name in dir_names: dir_path = Path(root) / dir_name if len(os.listdir(dir_path)) == 0: os.rmdir(dir_path) @contextlib.contextmanager def _subscription_download_context_managers(self) -> None: with ( self._prepare_working_directory(), self._maintain_archive_file(), self._remove_empty_directories_in_output_directory(), ): yield def _initialize_plugins(self) -> List[Plugin]: """ Returns ------- List of plugins defined in the subscription, initialized and ready to use. """ return [ plugin_type( options=plugin_options, overrides=self.overrides, enhanced_download_archive=self._enhanced_download_archive, ) for plugin_type, plugin_options in self.plugins.zipped() ] @classmethod def _cleanup_entry_files(cls, entry: Entry): FileHandler.delete(entry.get_download_file_path()) FileHandler.delete(entry.get_download_thumbnail_path()) FileHandler.delete(entry.get_download_info_json_path()) @classmethod def _preprocess_entry(cls, plugins: List[Plugin], entry: Entry) -> Optional[Entry]: maybe_entry: Optional[Entry] = entry for plugin in sorted(plugins, key=lambda _plugin: _plugin.priority.modify_entry_metadata): if (maybe_entry := plugin.modify_entry_metadata(maybe_entry)) is None: return None return maybe_entry def _post_process_entry( self, plugins: List[Plugin], dry_run: bool, entry: Entry, entry_metadata: FileMetadata ): # Post-process the entry with all plugins for plugin in sorted(plugins, key=lambda _plugin: _plugin.priority.post_process): optional_plugin_entry_metadata = plugin.post_process_entry(entry) if optional_plugin_entry_metadata: entry_metadata.extend(optional_plugin_entry_metadata) # Then, move it to the output directory self._move_entry_files_to_output_directory( dry_run=dry_run, entry=entry, entry_metadata=entry_metadata ) # Re-save the download archive after each entry is moved to the output directory if self.maintain_download_archive: self._enhanced_download_archive.save_download_mappings() def _process_entry( self, plugins: List[Plugin], dry_run: bool, entry: Entry, entry_metadata: FileMetadata ) -> None: entry_: Optional[Entry] = entry # First, modify the entry with all plugins for plugin in sorted(plugins, key=lambda _plugin: _plugin.priority.modify_entry): # Break if it is None, it is indicated to not process any further if (entry_ := plugin.modify_entry(entry_)) is None: break if entry_: self._post_process_entry( plugins=plugins, dry_run=dry_run, entry=entry_, entry_metadata=entry_metadata ) self._cleanup_entry_files(entry) def _process_split_entry( self, split_plugin: SplitPlugin, plugins: List[Plugin], dry_run: bool, entry: Entry ) -> None: entry_: Optional[Entry] = entry plugins_pre_split = sorted( [plugin for plugin in plugins if not plugin.priority.modify_entry_after_split], key=lambda _plugin: _plugin.priority.modify_entry, ) plugins_post_split = sorted( [plugin for plugin in plugins if plugin.priority.modify_entry_after_split], key=lambda _plugin: _plugin.priority.modify_entry, ) # First, modify the entry with pre_split plugins for plugin in plugins_pre_split: # Break if it is None, it is indicated to not process any further if (entry_ := plugin.modify_entry(entry_)) is None: break # Then, perform the split if entry_: for split_entry, split_entry_metadata in split_plugin.split(entry=entry_): split_entry_: Optional[Entry] = split_entry for plugin in plugins_post_split: # Return if it is None, it is indicated to not process any further. # Break out of the plugin loop if (split_entry_ := plugin.modify_entry(split_entry_)) is None: break # If split_entry is None from modify_entry, do not post process if split_entry_: self._post_process_entry( plugins=plugins, dry_run=dry_run, entry=split_entry_, entry_metadata=split_entry_metadata, ) self._cleanup_entry_files(split_entry) self._cleanup_entry_files(entry) def _process_subscription( self, plugins: List[Plugin], downloader: SourcePlugin, dry_run: bool, ) -> FileHandlerTransactionLog: with self._subscription_download_context_managers(): for entry in downloader.download_metadata(): if (entry := self._preprocess_entry(plugins=plugins, entry=entry)) is None: continue entry = downloader.download(entry) entry_metadata = FileMetadata() if isinstance(entry, tuple): entry, entry_metadata = entry if split_plugin := _get_split_plugin(plugins): self._process_split_entry( split_plugin=split_plugin, plugins=plugins, dry_run=dry_run, entry=entry ) else: self._process_entry( plugins=plugins, dry_run=dry_run, entry=entry, entry_metadata=entry_metadata ) for plugin in plugins: plugin.post_process_subscription() return self._enhanced_download_archive.get_file_handler_transaction_log() def download(self, dry_run: bool = False) -> FileHandlerTransactionLog: """ Performs the subscription download Parameters ---------- dry_run If true, do not download any video/audio files or move anything to the output directory. """ self._enhanced_download_archive.reinitialize(dry_run=dry_run) plugins = self._initialize_plugins() subscription_ytdl_options = SubscriptionYTDLOptions( preset=self._preset_options, plugins=plugins, enhanced_download_archive=self._enhanced_download_archive, working_directory=self.working_directory, dry_run=dry_run, ) downloader = MultiUrlDownloader( options=self.downloader_options, enhanced_download_archive=self._enhanced_download_archive, download_ytdl_options=subscription_ytdl_options.download_builder(), metadata_ytdl_options=subscription_ytdl_options.metadata_builder(), overrides=self.overrides, ) plugins.extend(downloader.added_plugins()) return self._process_subscription( plugins=plugins, downloader=downloader, dry_run=dry_run, ) def update_with_info_json(self, dry_run: bool = False) -> FileHandlerTransactionLog: """ Performs the subscription update using local info json files. Parameters ---------- dry_run If true, do not modify any video/audio files or move anything to the output directory. """ self._enhanced_download_archive.reinitialize(dry_run=dry_run) plugins = self._initialize_plugins() subscription_ytdl_options = SubscriptionYTDLOptions( preset=self._preset_options, plugins=plugins, enhanced_download_archive=self._enhanced_download_archive, working_directory=self.working_directory, dry_run=dry_run, ) # Re-add the original downloader class' plugins plugins.extend( MultiUrlDownloader( options=self.downloader_options, enhanced_download_archive=self._enhanced_download_archive, download_ytdl_options=subscription_ytdl_options.download_builder(), metadata_ytdl_options=subscription_ytdl_options.metadata_builder(), overrides=self.overrides, ).added_plugins() ) downloader = InfoJsonDownloader( options=InfoJsonDownloaderOptions(name="no-op", value={}), enhanced_download_archive=self._enhanced_download_archive, download_ytdl_options=YTDLOptionsBuilder(), metadata_ytdl_options=YTDLOptionsBuilder(), overrides=self.overrides, ) return self._process_subscription( plugins=plugins, downloader=downloader, dry_run=dry_run, )
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/subscriptions/subscription_download.py
subscription_download.py
from abc import ABC from pathlib import Path from ytdl_sub.config.config_validator import ConfigOptions from ytdl_sub.config.preset import Preset from ytdl_sub.config.preset import PresetPlugins from ytdl_sub.config.preset_options import OutputOptions from ytdl_sub.config.preset_options import Overrides from ytdl_sub.config.preset_options import YTDLOptions from ytdl_sub.downloaders.url.validators import MultiUrlValidator from ytdl_sub.ytdl_additions.enhanced_download_archive import EnhancedDownloadArchive class BaseSubscription(ABC): """ Subscription classes are the 'controllers' that perform... - Downloading via ytdlp - Adding metadata - Placing files in the output directory while configuring each step with provided configs. Child classes are expected to provide SourceValidator (SourceT), which defines the source and its configurable options. In addition, they should provide in the init an Entry type (EntryT), which is the entry that will be returned after downloading. """ def __init__( self, name: str, config_options: ConfigOptions, preset_options: Preset, ): """ Parameters ---------- name: str Name of the subscription config_options: ConfigOptions preset_options: Preset """ self.name = name self._config_options = config_options self._preset_options = preset_options self._enhanced_download_archive = EnhancedDownloadArchive( file_name=self.overrides.apply_formatter(self.output_options.download_archive_name), working_directory=self.working_directory, output_directory=self.output_directory, ) @property def downloader_options(self) -> MultiUrlValidator: """ Returns ------- The download options for this subscription's downloader """ return self._preset_options.downloader_options @property def plugins(self) -> PresetPlugins: """ Returns ------- List of tuples containing (plugin class, plugin options) """ return self._preset_options.plugins @property def ytdl_options(self) -> YTDLOptions: """ Returns ------- YTDL options for this subscription """ return self._preset_options.ytdl_options @property def output_options(self) -> OutputOptions: """ Returns ------- The output options defined for this subscription """ return self._preset_options.output_options @property def overrides(self) -> Overrides: """ Returns ------- The overrides defined for this subscription """ return self._preset_options.overrides @property def working_directory(self) -> str: """ Returns ------- The directory that the downloader saves files to """ return str(Path(self._config_options.working_directory) / Path(self.name)) @property def output_directory(self) -> str: """ Returns ------- The formatted output directory """ return self.overrides.apply_formatter(formatter=self.output_options.output_directory) @property def maintain_download_archive(self) -> bool: """ Returns ------- Whether to maintain a download archive """ return self.output_options.maintain_download_archive @property def num_entries_added(self) -> int: """ Returns ------- Number of entries added """ return self._enhanced_download_archive.num_entries_added @property def num_entries_modified(self) -> int: """ Returns ------- Number of entries modified """ return self._enhanced_download_archive.num_entries_modified @property def num_entries_removed(self) -> int: """ Returns ------- Number of entries removed """ return self._enhanced_download_archive.num_entries_removed @property def num_entries(self) -> int: """ Returns ------- The number of entries """ return self._enhanced_download_archive.num_entries def as_yaml(self) -> str: """ Returns ------- Subscription in yaml format """ return self._preset_options.yaml
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/subscriptions/base_subscription.py
base_subscription.py
import copy from typing import Dict from typing import List from ytdl_sub.config.config_file import ConfigFile from ytdl_sub.config.preset import Preset from ytdl_sub.subscriptions.subscription_download import SubscriptionDownload from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.yaml import load_yaml from ytdl_sub.validators.validators import LiteralDictValidator FILE_PRESET_APPLY_KEY = "__preset__" FILE_SUBSCRIPTION_VALUE_KEY = "__value__" class Subscription(SubscriptionDownload): @classmethod def from_preset(cls, preset: Preset, config: ConfigFile) -> "Subscription": """ Creates a subscription from a preset Parameters ---------- preset Preset to make the subscription out of config The config file that should contain this preset Returns ------- Initialized subscription """ return cls( name=preset.name, preset_options=preset, config_options=config.config_options, ) @classmethod def from_dict(cls, config: ConfigFile, preset_name: str, preset_dict: Dict) -> "Subscription": """ Creates a subscription from a preset dict Parameters ---------- config: Validated instance of the config preset_name: Name of the preset preset_dict: The preset config in dict format Returns ------- Initialized subscription """ return cls.from_preset( preset=Preset.from_dict( config=config, preset_name=preset_name, preset_dict=preset_dict, ), config=config, ) @classmethod def from_file_path(cls, config: ConfigFile, subscription_path: str) -> List["Subscription"]: """ Loads subscriptions from a file and applies ``__preset__`` to all of them if present. If a subscription is in the form of key: value, it will set value to the override variable defined in ``__value__``. Parameters ---------- config: Validated instance of the config subscription_path: File path to the subscription yaml file Returns ------- List of subscriptions, for each one in the subscription yaml Raises ------ ValidationException If subscription file is misconfigured """ subscriptions: List["Subscription"] = [] subscription_dict = load_yaml(file_path=subscription_path) has_file_preset = FILE_PRESET_APPLY_KEY in subscription_dict has_file_subscription_value = FILE_SUBSCRIPTION_VALUE_KEY in subscription_dict # If a file preset is present... if has_file_preset: # Validate it (make sure it is a dict) file_preset = LiteralDictValidator( name=f"{subscription_path}.{FILE_PRESET_APPLY_KEY}", value=subscription_dict[FILE_PRESET_APPLY_KEY], ) # Deep copy the config and add this file preset to its preset list config = copy.deepcopy(config) config.presets.dict[FILE_PRESET_APPLY_KEY] = file_preset.dict if has_file_subscription_value: if not isinstance(subscription_dict[FILE_SUBSCRIPTION_VALUE_KEY], str): raise ValidationException( f"Using {FILE_SUBSCRIPTION_VALUE_KEY} in a subscription" f"must be a string that corresponds to an override variable" ) for subscription_key, subscription_object in subscription_dict.items(): # Skip file preset or value if subscription_key in [FILE_PRESET_APPLY_KEY, FILE_SUBSCRIPTION_VALUE_KEY]: continue # If the subscription obj is just a string, set it to the override variable # defined in FILE_SUBSCRIPTION_VALUE_KEY if isinstance(subscription_object, str) and has_file_subscription_value: subscription_object = { "overrides": { subscription_dict[FILE_SUBSCRIPTION_VALUE_KEY]: subscription_object } } elif isinstance(subscription_object, dict): pass elif isinstance(subscription_object, str) and not has_file_subscription_value: raise ValidationException( f"Subscription {subscription_key} is a string, but " f"{FILE_SUBSCRIPTION_VALUE_KEY} is not set to an override variable" ) else: raise ValidationException( f"Subscription {subscription_key} should be in the form of a preset" ) # If it has file_preset, inject it as a parent preset if has_file_preset: parent_preset = subscription_object.get("preset", []) # Preset can be a single string if isinstance(parent_preset, str): parent_preset = [parent_preset] # If it's not a string or list, it will fail downstream if isinstance(parent_preset, list): subscription_object["preset"] = parent_preset + [FILE_PRESET_APPLY_KEY] subscriptions.append( cls.from_dict( config=config, preset_name=subscription_key, preset_dict=subscription_object, ) ) return subscriptions
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/subscriptions/subscription.py
subscription.py
from pathlib import Path from typing import Dict from typing import List from typing import Optional from typing import Type from typing import TypeVar from ytdl_sub.config.plugin import Plugin from ytdl_sub.config.preset import Preset from ytdl_sub.downloaders.ytdl_options_builder import YTDLOptionsBuilder from ytdl_sub.plugins.audio_extract import AudioExtractPlugin from ytdl_sub.plugins.chapters import ChaptersPlugin from ytdl_sub.plugins.date_range import DateRangePlugin from ytdl_sub.plugins.file_convert import FileConvertPlugin from ytdl_sub.plugins.match_filters import MatchFiltersPlugin from ytdl_sub.plugins.subtitles import SubtitlesPlugin from ytdl_sub.utils.ffmpeg import FFMPEG from ytdl_sub.ytdl_additions.enhanced_download_archive import EnhancedDownloadArchive PluginT = TypeVar("PluginT", bound=Plugin) class SubscriptionYTDLOptions: def __init__( self, preset: Preset, plugins: List[Plugin], enhanced_download_archive: EnhancedDownloadArchive, working_directory: str, dry_run: bool, ): self._preset = preset self._plugins = plugins self._enhanced_download_archive = enhanced_download_archive self._working_directory = working_directory self._dry_run = dry_run def _get_plugin(self, plugin_type: Type[PluginT]) -> Optional[PluginT]: for plugin in self._plugins: if isinstance(plugin, plugin_type): return plugin return None @property def _global_options(self) -> Dict: """ Returns ------- ytdl-options to apply to every run no matter what """ ytdl_options = { # Download all files in the format of {id}.{ext} "outtmpl": str(Path(self._working_directory) / "%(id)s.%(ext)s"), # Always write thumbnails "writethumbnail": True, "ffmpeg_location": FFMPEG.ffmpeg_path(), } return ytdl_options @property def _dry_run_options(self) -> Dict: return { "skip_download": True, "writethumbnail": False, } @property def _info_json_only_options(self) -> Dict: return { "skip_download": True, "writethumbnail": False, "writeinfojson": True, } @property def _download_only_options(self) -> Dict: return {"break_on_reject": True} @property def _output_options(self) -> Dict: ytdl_options = {} if self._preset.output_options.maintain_download_archive: ytdl_options["download_archive"] = self._enhanced_download_archive.working_file_path return ytdl_options def _plugin_ytdl_options(self, plugin: Type[PluginT]) -> Dict: if not (audio_extract_plugin := self._get_plugin(plugin)): return {} return audio_extract_plugin.ytdl_options() @property def _user_ytdl_options(self) -> Dict: return self._preset.ytdl_options.dict def metadata_builder(self) -> YTDLOptionsBuilder: """ Returns ------- YTDLOptionsBuilder Builder with values set for fetching metadata (.info.json) only """ return YTDLOptionsBuilder().add( self._global_options, self._output_options, self._plugin_ytdl_options(DateRangePlugin), self._user_ytdl_options, # user ytdl options... self._info_json_only_options, # then info_json_only options ) def download_builder(self) -> YTDLOptionsBuilder: """ Returns ------- YTDLOptionsBuilder Builder with values set based on the subscription for actual downloading """ ytdl_options_builder = YTDLOptionsBuilder().add( self._global_options, self._output_options, self._plugin_ytdl_options(MatchFiltersPlugin), self._plugin_ytdl_options(FileConvertPlugin), self._plugin_ytdl_options(SubtitlesPlugin), self._plugin_ytdl_options(ChaptersPlugin), self._plugin_ytdl_options(AudioExtractPlugin), self._user_ytdl_options, # user ytdl options... self._download_only_options, # then download_only options ) # Add dry run options last if enabled if self._dry_run: ytdl_options_builder.add(self._dry_run_options) return ytdl_options_builder
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/subscriptions/subscription_ytdl_options.py
subscription_ytdl_options.py
import gc import os import sys from datetime import datetime from pathlib import Path from typing import List from typing import Optional from typing import Tuple from colorama import Fore from yt_dlp.utils import sanitize_filename from ytdl_sub.cli.download_args_parser import DownloadArgsParser from ytdl_sub.cli.main_args_parser import parser from ytdl_sub.config.config_file import ConfigFile from ytdl_sub.subscriptions.subscription import Subscription from ytdl_sub.utils.exceptions import ExperimentalFeatureNotEnabled from ytdl_sub.utils.exceptions import ValidationException from ytdl_sub.utils.file_handler import FileHandler from ytdl_sub.utils.file_handler import FileHandlerTransactionLog from ytdl_sub.utils.file_lock import working_directory_lock from ytdl_sub.utils.logger import Logger logger = Logger.get() # View is a command to run a simple dry-run on a URL using the `_view` preset. # Use ytdl-sub dl arguments to use the preset _VIEW_EXTRA_ARGS_FORMATTER = "--preset _view --overrides.url {}" def _maybe_write_subscription_log_file( config: ConfigFile, subscription: Subscription, dry_run: bool, exception: Optional[Exception] = None, ) -> None: success: bool = exception is None # If dry-run, do nothing if dry_run: return # If persisting logs is disabled, do nothing if not config.config_options.persist_logs: return # If persisting successful logs is disabled, do nothing if success and not config.config_options.persist_logs.keep_successful_logs: return log_time = datetime.now().strftime("%Y-%m-%d-%H%M%S") log_subscription_name = sanitize_filename(subscription.name).lower().replace(" ", "_") log_success = "success" if success else "error" log_filename = f"{log_time}.{log_subscription_name}.{log_success}.log" persist_log_path = Path(config.config_options.persist_logs.logs_directory) / log_filename if not success: Logger.log_exit_exception(exception=exception, log_filepath=persist_log_path) os.makedirs(os.path.dirname(persist_log_path), exist_ok=True) FileHandler.copy(Logger.debug_log_filename(), persist_log_path) def _download_subscriptions_from_yaml_files( config: ConfigFile, subscription_paths: List[str], update_with_info_json: bool, dry_run: bool ) -> List[Tuple[Subscription, FileHandlerTransactionLog]]: """ Downloads all subscriptions from one or many subscription yaml files. Parameters ---------- config Configuration file subscription_paths Path to subscription files to download update_with_info_json Whether to actually download or update using existing info json dry_run Whether to dry run or not Returns ------- List of (subscription, transaction_log) Raises ------ Exception Any exception during download """ subscriptions: List[Subscription] = [] output: List[Tuple[Subscription, FileHandlerTransactionLog]] = [] # Load all the subscriptions first to perform all validation before downloading for path in subscription_paths: subscriptions += Subscription.from_file_path(config=config, subscription_path=path) for subscription in subscriptions: logger.info( "Beginning subscription %s for %s", ("dry run" if dry_run else "download"), subscription.name, ) logger.debug("Subscription full yaml:\n%s", subscription.as_yaml()) try: if update_with_info_json: transaction_log = subscription.update_with_info_json(dry_run=dry_run) else: transaction_log = subscription.download(dry_run=dry_run) except Exception as exc: # pylint: disable=broad-except _maybe_write_subscription_log_file( config=config, subscription=subscription, dry_run=dry_run, exception=exc ) raise else: output.append((subscription, transaction_log)) _maybe_write_subscription_log_file( config=config, subscription=subscription, dry_run=dry_run ) Logger.cleanup() # Cleanup logger after each successful subscription download finally: gc.collect() # Garbage collect after each subscription download return output def _download_subscription_from_cli( config: ConfigFile, dry_run: bool, extra_args: List[str] ) -> Tuple[Subscription, FileHandlerTransactionLog]: """ Downloads a one-off subscription using the CLI Parameters ---------- config Configuration file dry_run Whether this is a dry-run extra_args Extra arguments from argparse that contain dynamic subscription options Returns ------- Subscription and its download transaction log """ dl_args_parser = DownloadArgsParser( extra_arguments=extra_args, config_options=config.config_options ) subscription_args_dict = dl_args_parser.to_subscription_dict() subscription_name = f"cli-dl-{dl_args_parser.get_args_hash()}" subscription = Subscription.from_dict( config=config, preset_name=subscription_name, preset_dict=subscription_args_dict ) logger.info("Beginning CLI %s", ("dry run" if dry_run else "download")) return subscription, subscription.download(dry_run=dry_run) def _view_url_from_cli( config: ConfigFile, url: str, split_chapters: bool ) -> Tuple[Subscription, FileHandlerTransactionLog]: """ `ytdl-sub view` dry-runs a URL to print its source variables. Use the pre-built `_view` preset, inject the URL argument, and dry-run. """ preset = "_view_split_chapters" if split_chapters else "_view" subscription = Subscription.from_dict( config=config, preset_name="ytdl-sub-view", preset_dict={"preset": preset, "overrides": {"url": url}}, ) logger.info( "Viewing source variables for URL '%s'%s", url, " with split chapters" if split_chapters else "", ) return subscription, subscription.download(dry_run=True) def _maybe_validate_transaction_log_file(transaction_log_file_path: Optional[str]) -> None: if transaction_log_file_path: try: with open(transaction_log_file_path, "w", encoding="utf-8"): pass except Exception as exc: raise ValidationException( f"Transaction log file '{transaction_log_file_path}' cannot be written to. " f"Reason: {str(exc)}" ) from exc def _output_transaction_log( transaction_logs: List[Tuple[Subscription, FileHandlerTransactionLog]], transaction_log_file_path: str, ) -> None: transaction_log_file_contents = "" for subscription, transaction_log in transaction_logs: if transaction_log.is_empty: transaction_log_contents = f"\nNo files changed for {subscription.name}" else: transaction_log_contents = ( f"Transaction log for {subscription.name}:\n" f"{transaction_log.to_output_message(subscription.output_directory)}" ) if transaction_log_file_path: transaction_log_file_contents += transaction_log_contents else: logger.info(transaction_log_contents) if transaction_log_file_contents: with open(transaction_log_file_path, "w", encoding="utf-8") as transaction_log_file: transaction_log_file.write(transaction_log_file_contents) def _green(value: str) -> str: return Fore.GREEN + value + Fore.RESET def _red(value: str) -> str: return Fore.RED + value + Fore.RESET def _no_color(value: str) -> str: return Fore.RESET + value + Fore.RESET def _str_int(value: int) -> str: if value > 0: return f"+{value}" return str(value) def _color_int(value: int) -> str: str_int = _str_int(value) if value > 0: return _green(str_int) if value < 0: return _red(str_int) return _no_color(str_int) def _output_summary(transaction_logs: List[Tuple[Subscription, FileHandlerTransactionLog]]): summary: List[str] = [] # Initialize widths to 0 width_sub_name: int = 0 width_num_entries_added: int = 0 width_num_entries_modified: int = 0 width_num_entries_removed: int = 0 width_num_entries: int = 0 # Calculate min width needed for subscription, _ in transaction_logs: width_sub_name = max(width_sub_name, len(subscription.name)) width_num_entries_added = max( width_num_entries_added, len(_color_int(subscription.num_entries_added)) ) width_num_entries_modified = max( width_num_entries_modified, len(_color_int(subscription.num_entries_modified)) ) width_num_entries_removed = max( width_num_entries_removed, len(_color_int(subscription.num_entries_removed * -1)) ) width_num_entries = max(width_num_entries, len(str(subscription.num_entries))) # Add spacing for aesthetics width_sub_name += 4 width_num_entries += 4 # Build the summary for subscription, _ in transaction_logs: num_entries_added = _color_int(subscription.num_entries_added) num_entries_modified = _color_int(subscription.num_entries_modified) num_entries_removed = _color_int(subscription.num_entries_removed * -1) num_entries = str(subscription.num_entries) status = _green("success") summary.append( f"{subscription.name:<{width_sub_name}} " f"{num_entries_added:>{width_num_entries_added}} " f"{num_entries_modified:>{width_num_entries_modified}} " f"{num_entries_removed:>{width_num_entries_removed}} " f"{num_entries:>{width_num_entries}} " f"{status}" ) return "\n".join(summary) def main() -> List[Tuple[Subscription, FileHandlerTransactionLog]]: """ Entrypoint for ytdl-sub, without the error handling """ # If no args are provided, print help and exit if len(sys.argv) < 2: parser.print_help() return [] args, extra_args = parser.parse_known_args() # Load the config config: ConfigFile = ConfigFile.from_file_path(args.config) transaction_logs: List[Tuple[Subscription, FileHandlerTransactionLog]] = [] # If transaction log file is specified, make sure we can open it _maybe_validate_transaction_log_file(transaction_log_file_path=args.transaction_log) with working_directory_lock(config=config): if args.subparser == "sub": if ( args.update_with_info_json and not config.config_options.experimental.enable_update_with_info_json ): raise ExperimentalFeatureNotEnabled( "--update-with-info-json requires setting" " configuration.experimental.enable_update_with_info_json to True. This" " feature is ", "still being tested and has the ability to destroy files. Ensure you have a ", "full backup before usage. You have been warned!", ) transaction_logs = _download_subscriptions_from_yaml_files( config=config, subscription_paths=args.subscription_paths, update_with_info_json=args.update_with_info_json, dry_run=args.dry_run, ) # One-off download elif args.subparser == "dl": transaction_logs.append( _download_subscription_from_cli( config=config, dry_run=args.dry_run, extra_args=extra_args ) ) elif args.subparser == "view": transaction_logs.append( _view_url_from_cli(config=config, url=args.url, split_chapters=args.split_chapters) ) if not args.suppress_transaction_log: _output_transaction_log( transaction_logs=transaction_logs, transaction_log_file_path=args.transaction_log, ) # Hack to always show download summary, even if logs are set to quiet logger.warning("Download Summary:\n%s", _output_summary(transaction_logs)) return transaction_logs
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/cli/main.py
main.py
import argparse import dataclasses from typing import List from ytdl_sub import __local_version__ from ytdl_sub.utils.logger import LoggerLevels @dataclasses.dataclass class CLIArgument: short: str long: str is_positional: bool = False class MainArguments: CONFIG = CLIArgument( short="-c", long="--config", ) DRY_RUN = CLIArgument( short="-d", long="--dry-run", is_positional=True, ) LOG_LEVEL = CLIArgument( short="-l", long="--log-level", is_positional=True, ) TRANSACTION_LOG = CLIArgument( short="-t", long="--transaction-log", is_positional=True, ) SUPPRESS_TRANSACTION_LOG = CLIArgument( short="-st", long="--suppress-transaction-log", is_positional=True, ) @classmethod def all(cls) -> List[CLIArgument]: """ Returns ------- List of MainArgument classes """ return [ cls.CONFIG, cls.DRY_RUN, cls.LOG_LEVEL, cls.TRANSACTION_LOG, cls.SUPPRESS_TRANSACTION_LOG, ] @classmethod def all_arguments(cls) -> List[str]: """ Returns ------- List of all string args that can be used in the CLI """ all_args = [] for arg in cls.all(): all_args.extend([arg.short, arg.long]) return all_args ################################################################################################### # SHARED OPTIONS def _add_shared_arguments(arg_parser: argparse.ArgumentParser, suppress_defaults: bool) -> None: """ Add shared arguments to sub parsers. Needed to be able to specify args after positional args. i.e. support both ``ytdl-sub --dry-run sub`` and ``ytdl-sub sub --dry-run`` Parameters ---------- arg_parser The parser to add shared args to suppress_defaults bool. Suppress sub parser defaults so they do not override the defaults in the parent parser """ arg_parser.add_argument( MainArguments.CONFIG.short, MainArguments.CONFIG.long, metavar="CONFIGPATH", type=str, help="path to the config yaml, uses config.yaml if not provided", default=argparse.SUPPRESS if suppress_defaults else "config.yaml", ) arg_parser.add_argument( MainArguments.DRY_RUN.short, MainArguments.DRY_RUN.long, action="store_true", help="preview what a download would output, " "does not perform any video downloads or writes to output directories", default=argparse.SUPPRESS if suppress_defaults else False, ) arg_parser.add_argument( MainArguments.LOG_LEVEL.short, MainArguments.LOG_LEVEL.long, metavar="|".join(LoggerLevels.names()), type=str, help="level of logs to print to console, defaults to info", default=argparse.SUPPRESS if suppress_defaults else LoggerLevels.INFO.name, choices=LoggerLevels.names(), dest="ytdl_sub_log_level", ) arg_parser.add_argument( MainArguments.TRANSACTION_LOG.short, MainArguments.TRANSACTION_LOG.long, metavar="TRANSACTIONPATH", type=str, help="path to store the transaction log output of all files added, modified, deleted", default=argparse.SUPPRESS if suppress_defaults else "", ) arg_parser.add_argument( MainArguments.SUPPRESS_TRANSACTION_LOG.short, MainArguments.SUPPRESS_TRANSACTION_LOG.long, action="store_true", help="do not output transaction logs to console or file", default=argparse.SUPPRESS if suppress_defaults else False, ) ################################################################################################### # GLOBAL PARSER parser = argparse.ArgumentParser( description="ytdl-sub: Automate download and adding metadata with YoutubeDL", ) parser.add_argument("-v", "--version", action="version", version="%(prog)s " + __local_version__) _add_shared_arguments(parser, suppress_defaults=False) subparsers = parser.add_subparsers(dest="subparser") ################################################################################################### # SUBSCRIPTION PARSER class SubArguments: UPDATE_WITH_INFO_JSON = CLIArgument( short="-u", long="--update-with-info-json", ) subscription_parser = subparsers.add_parser("sub") _add_shared_arguments(subscription_parser, suppress_defaults=True) subscription_parser.add_argument( "subscription_paths", metavar="SUBPATH", nargs="*", help="path to subscription files, uses subscriptions.yaml if not provided", default=["subscriptions.yaml"], ) subscription_parser.add_argument( SubArguments.UPDATE_WITH_INFO_JSON.short, SubArguments.UPDATE_WITH_INFO_JSON.long, action="store_true", help="update all subscriptions with the current config using info.json files", default=False, ) ################################################################################################### # DOWNLOAD PARSER download_parser = subparsers.add_parser("dl") ################################################################################################### # VIEW PARSER class ViewArguments: SPLIT_CHAPTERS = CLIArgument( short="-sc", long="--split-chapters", ) view_parser = subparsers.add_parser("view") _add_shared_arguments(view_parser, suppress_defaults=True) view_parser.add_argument( ViewArguments.SPLIT_CHAPTERS.short, ViewArguments.SPLIT_CHAPTERS.long, action="store_true", help="View source variables after splitting by chapters", ) view_parser.add_argument("url", help="URL to view source variables for")
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/cli/main_args_parser.py
main_args_parser.py
import hashlib import re import shlex from typing import Dict from typing import List from typing import Tuple from mergedeep import mergedeep from ytdl_sub.cli.main_args_parser import MainArguments from ytdl_sub.config.config_validator import ConfigOptions from ytdl_sub.utils.exceptions import InvalidDlArguments class DownloadArgsParser: """ 'Extra' arguments can be given to `ytdl-sub dl` which are meant to represent fields in a subscription yaml. This class will convert those extra args into a dict that can be passed in to instantiate a :class:`~ytdl_subscribe.validators.config.preset_validator.PresetValidator` """ # pattern to search for the [...] part in the argument name _list_index_pattern = re.compile(r"\[([1-9]\d*)\]$") def __init__(self, extra_arguments: List[str], config_options: ConfigOptions): """ Parameters ---------- extra_arguments List of extra arguments from argparse config_options Configuration portion of config.yaml Raises ------ InvalidDlArguments If extra arguments contains a ytdl-sub arg """ self._unknown_arguments = extra_arguments self._config_options = config_options for arg in extra_arguments: if arg in MainArguments.all_arguments(): raise InvalidDlArguments( f"'{arg}' is a ytdl-sub argument and must placed behind 'dl'" ) @property def _argument_exception(self) -> InvalidDlArguments: """ :return: Exception to raise if a parsing error occurs. """ return InvalidDlArguments( "dl arguments must be in the form of --subscription.option.name 'value'", ) @classmethod def _is_argument_name(cls, arg: str) -> bool: """ :param arg: Arg value from the unknown args list :return: True if it's an argument name, denoted by starting with '--'. False otherwise. """ return arg.startswith("--") @classmethod def _get_argument_name(cls, arg_name: str) -> str: """ Parameters ---------- arg_name Argument name Returns ------- The argument name with the -- removed """ return arg_name[2:] @classmethod def _get_list_index_if_exists(cls, argument_name: str) -> Tuple[str, int]: """ :param argument_name: Argument name :return: Argument name and -1 if argument name does not use list. Argument name and list index (a non-negative integer) otherwise. Examples -------- _get_list_index_if_exists("--key1.key2") -> ("--key1.key2", -1) _get_list_index_if_exists("--key1.key2[5]") -> ("--key1.key2", 5) """ search = cls._list_index_pattern.search(argument_name) if search is None: return argument_name, -1 return argument_name[: search.start()], int(search.group(1)) - 1 @classmethod def _find_largest_consecutive(cls, indices: List[int]) -> int: """ :param indices: List of indices :return: Largest integer n + 1 so that all the integers from 0 up to n exist in the indices. 0 if indices list is empty or the smallest integer in indices is larger than 0. """ largest_consecutive = -1 indices.sort() for idx in indices: if idx - largest_consecutive <= 1: largest_consecutive = idx else: break return largest_consecutive + 1 @classmethod def _argument_name_and_value_to_dict(cls, arg_name: str, arg_value: str) -> Dict: """ :param arg_name: Argument name in the form of 'key1.key2.key3' :param arg_value: Argument value :return: dict containing {'key1':{'key2':{'key3': value}}} """ argument_dict = {} # Remove the argument --'s, then split on period arg_name_split = cls._get_argument_name(arg_name).split(".") next_dict = argument_dict for next_arg_name in arg_name_split[:-1]: next_dict[next_arg_name] = {} next_dict = next_dict[next_arg_name] next_dict[arg_name_split[-1]] = arg_value # TODO: handle ints/floats if arg_value == "True": next_dict[arg_name_split[-1]] = True elif arg_value == "False": next_dict[arg_name_split[-1]] = False return argument_dict @classmethod def _apply_aliases(cls, unknown_arguments: List[str], aliases: Dict) -> List[str]: """ Applies any aliases from the config to the unknown arguments """ applied_alias_arguments: List[str] = [] for arg in unknown_arguments: if cls._is_argument_name(arg) and cls._get_argument_name(arg) in aliases: arg = aliases[cls._get_argument_name(arg)] applied_alias_arguments.extend(shlex.split(arg)) else: applied_alias_arguments.append(arg) return applied_alias_arguments @classmethod def _make_lists(cls, arguments: List[str]) -> List[str]: """ Assemble lists """ list_arguments = {} new_arguments = [] for idx in range(0, len(arguments), 2): argument_name, argument_value = arguments[idx], arguments[idx + 1] argument_name, list_index = cls._get_list_index_if_exists(argument_name=argument_name) if list_index == -1: new_arguments.append(argument_name) new_arguments.append(argument_value) continue if argument_name not in list_arguments: list_arguments[argument_name] = ([], []) list_arguments[argument_name][0].append(list_index) list_arguments[argument_name][1].append(argument_value) for name, (indices, values) in list_arguments.items(): list_length = cls._find_largest_consecutive(indices=indices.copy()) if list_length == 0: raise InvalidDlArguments("Incomplete list") list_value = [""] * list_length for idx, value in zip(indices, values): if idx < list_length: list_value[idx] = value new_arguments.append(name) new_arguments.append(list_value) return new_arguments def to_subscription_dict(self) -> Dict: """ Converts the extra arguments into a dict equivalent to a subscription yaml. :raises InvalidDlArguments: when an argument tries to use both list and non-list values. :return: dict containing argument names and values """ arguments = self._apply_aliases( unknown_arguments=self._unknown_arguments, aliases=self._config_options.dl_aliases ) if len(arguments) % 2 != 0: raise self._argument_exception if not all( (self._is_argument_name(arg=arguments[idx]) for idx in range(0, len(arguments), 2)) ): raise self._argument_exception arguments = self._make_lists(arguments=arguments) subscription_dict = {} for idx in range(0, len(arguments), 2): argument_name, argument_value = arguments[idx], arguments[idx + 1] argument_dict = self._argument_name_and_value_to_dict( arg_name=argument_name, arg_value=argument_value ) try: mergedeep.merge( subscription_dict, argument_dict, strategy=mergedeep.Strategy.TYPESAFE_REPLACE ) except TypeError as exc: raise InvalidDlArguments( f"Invalid dl argument {argument_name}: " "Cannot specify an argument to be two different types" ) from exc return subscription_dict def get_args_hash(self) -> str: """ :return: Hash of the arguments provided """ hash_string = str(sorted(self._unknown_arguments)) return hashlib.sha256(hash_string.encode()).hexdigest()[-8:]
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/cli/download_args_parser.py
download_args_parser.py
from abc import ABC from datetime import datetime from pathlib import Path from typing import Any from typing import Dict from typing import List from typing import Optional from typing import Type from typing import TypeVar from typing import final from yt_dlp.utils import sanitize_filename from ytdl_sub.entries.variables.kwargs import DESCRIPTION from ytdl_sub.entries.variables.kwargs import EPOCH from ytdl_sub.entries.variables.kwargs import EXTRACTOR from ytdl_sub.entries.variables.kwargs import IE_KEY from ytdl_sub.entries.variables.kwargs import TITLE from ytdl_sub.entries.variables.kwargs import UID from ytdl_sub.entries.variables.kwargs import UPLOADER from ytdl_sub.entries.variables.kwargs import UPLOADER_ID from ytdl_sub.entries.variables.kwargs import UPLOADER_URL from ytdl_sub.entries.variables.kwargs import WEBPAGE_URL # pylint: disable=no-member def _sanitize_plex(string: str) -> str: out = "" for char in string: match char: case "0": out += "0" case "1": out += "1" case "2": out += "2" case "3": out += "3" case "4": out += "4" case "5": out += "5" case "6": out += "6" case "7": out += "7" case "8": out += "8" case "9": out += "9" case _: out += char return out class BaseEntryVariables: """ Source variables are ``{variables}`` that contain metadata from downloaded media. These variables can be used with fields that expect :class:`~ytdl_sub.validators.string_formatter_validators.StringFormatterValidator`, but not :class:`~ytdl_sub.validators.string_formatter_validators.OverridesStringFormatterValidator`. """ @property def uid(self: "BaseEntry") -> str: """ Returns ------- str The entry's unique ID """ return str(self.kwargs(UID)) @property def uid_sanitized(self: "BaseEntry") -> str: """ Returns ------- str The sanitized uid of the entry, which is safe to use for Unix and Windows file names. """ return sanitize_filename(self.uid) @property def uid_sanitized_plex(self: "BaseEntry") -> str: """ Returns ------- str The sanitized uid with additional sanitizing for Plex. Replaces numbers with fixed-width numbers so Plex does not recognize them as season or episode numbers. """ return _sanitize_plex(self.uid_sanitized) @property def extractor(self: "BaseEntry") -> str: """ Returns ------- str The ytdl extractor name """ # pylint: disable=line-too-long # Taken from https://github.com/yt-dlp/yt-dlp/blob/e6ab678e36c40ded0aae305bbb866cdab554d417/yt_dlp/YoutubeDL.py#L3514 # pylint: enable=line-too-long return self.kwargs_get(EXTRACTOR) or self.kwargs(IE_KEY) @property def epoch(self: "BaseEntry") -> int: """ Returns ------- int The unix epoch of when the metadata was scraped by yt-dlp. """ return self.kwargs(EPOCH) @property def epoch_date(self: "BaseEntry") -> str: """ Returns ------- str The epoch's date, in YYYYMMDD format. """ return datetime.utcfromtimestamp(self.epoch).strftime("%Y%m%d") @property def epoch_hour(self: "BaseEntry") -> str: """ Returns ------- str The epoch's hour, padded """ return datetime.utcfromtimestamp(self.epoch).strftime("%H") @property def title(self: "BaseEntry") -> str: """ Returns ------- str The title of the entry. If a title does not exist, returns its unique ID. """ return self.kwargs_get(TITLE, self.uid) @property def title_sanitized(self) -> str: """ Returns ------- str The sanitized title of the entry, which is safe to use for Unix and Windows file names. """ return sanitize_filename(self.title) @property def title_sanitized_plex(self) -> str: """ Returns ------- str The sanitized title with additional sanitizing for Plex. Replaces numbers with fixed-width numbers so Plex does not recognize them as season or episode numbers. """ return _sanitize_plex(self.title_sanitized) @property def webpage_url(self: "BaseEntry") -> str: """ Returns ------- str The url to the webpage. """ return self.kwargs(WEBPAGE_URL) @property def info_json_ext(self) -> str: """ Returns ------- str The "info.json" extension """ return "info.json" @property def description(self: "BaseEntry") -> str: """ Returns ------- str The description if it exists. Otherwise, returns an emtpy string. """ return self.kwargs_get(DESCRIPTION, "") @property def uploader_id(self: "BaseEntry") -> str: """ Returns ------- str The uploader id if it exists, otherwise return the unique ID. """ return self.kwargs_get(UPLOADER_ID, self.uid) @property def uploader(self: "BaseEntry") -> str: """ Returns ------- str The uploader if it exists, otherwise return the uploader ID. """ return self.kwargs_get(UPLOADER, self.uploader_id) @property def uploader_url(self: "BaseEntry") -> str: """ Returns ------- str The uploader url if it exists, otherwise returns the webpage_url. """ return self.kwargs_get(UPLOADER_URL, self.webpage_url) # pylint: enable=no-member TBaseEntry = TypeVar("TBaseEntry", bound="BaseEntry") class BaseEntry(BaseEntryVariables, ABC): """ Abstract entry object to represent anything download from ytdl (playlist metadata, media, etc). """ def __init__(self, entry_dict: Dict, working_directory: str): """ Initialize the entry using ytdl metadata Parameters ---------- entry_dict Entry metadata working_directory Optional. Directory that the entry is downloaded to """ self._working_directory = working_directory self._kwargs = entry_dict self._additional_variables: Dict[str, str | int] = {} def kwargs_contains(self, key: str) -> bool: """Returns whether internal kwargs contains the specified key""" return key in self._kwargs def kwargs(self, key) -> Any: """Returns an internal kwarg value supplied from ytdl""" if not self.kwargs_contains(key): raise KeyError(f"Expected '{key}' in {self.__class__.__name__} but does not exist.") output = self._kwargs[key] # Replace curly braces with unicode version to avoid variable shenanigans if isinstance(output, str): return output.replace("{", "{").replace("}", "}") return output def kwargs_get(self, key: str, default: Optional[Any] = None) -> Any: """ Dict get on kwargs """ if not self.kwargs_contains(key) or self.kwargs(key) is None: return default return self.kwargs(key) def working_directory(self) -> str: """ Returns ------- The working directory """ return self._working_directory def add_kwargs(self, variables_to_add: Dict[str, Any]) -> "BaseEntry": """ Adds variables to kwargs. Use with caution since yt-dlp data can be overwritten. Plugins should use ``add_variables``. Parameters ---------- variables_to_add Variables to add to kwargs Returns ------- self """ self._kwargs = dict(self._kwargs, **variables_to_add) return self def add_variables(self, variables_to_add: Dict[str, str]) -> "BaseEntry": """ Parameters ---------- variables_to_add Variables to add to this entry Returns ------- self Raises ------ ValueError If a variable trying to be added already exists as a source variable """ for variable_name in variables_to_add.keys(): if self.kwargs_contains(variable_name): raise ValueError( f"Cannot add variable '{variable_name}': already exists in the kwargs" ) self._additional_variables = dict(self._additional_variables, **variables_to_add) return self def get_download_info_json_name(self) -> str: """ Returns ------- The download info json's file name """ return f"{self.uid}.{self.info_json_ext}" def get_download_info_json_path(self) -> str: """ Returns ------- Entry's downloaded info json file path """ return str(Path(self.working_directory()) / self.get_download_info_json_name()) def _added_variables(self) -> Dict[str, str]: """ Returns ------- Dict of variables added to this entry """ return self._additional_variables @classmethod def source_variables(cls) -> List[str]: """ Returns ------- List of all source variables """ property_names = [prop for prop in dir(cls) if isinstance(getattr(cls, prop), property)] return property_names @final def to_dict(self) -> Dict[str, str]: """ Returns ------- Dictionary containing all variables """ source_variable_dict = { source_var: getattr(self, source_var) for source_var in self.source_variables() } return dict(source_variable_dict, **self._added_variables()) @final def to_type(self, entry_type: Type[TBaseEntry]) -> TBaseEntry: """ Returns ------- Converted EntryParent to Entry-like class """ return entry_type(entry_dict=self._kwargs, working_directory=self._working_directory) @classmethod def is_entry_parent(cls, entry_dict: Dict | TBaseEntry): """ Returns ------- True if it is a parent. False otherwise """ entry_type: Optional[str] = None if isinstance(entry_dict, cls): entry_type = entry_dict.kwargs_get("_type") if isinstance(entry_dict, dict): entry_type = entry_dict.get("_type") return entry_type == "playlist" @classmethod def is_entry(cls, entry_dict: Dict | TBaseEntry): """ Returns ------- True if it is an entry. False otherwise """ entry_ext: Optional[str] = None if isinstance(entry_dict, cls): entry_ext = entry_dict.kwargs_get("ext") if isinstance(entry_dict, dict): entry_ext = entry_dict.get("ext") return entry_ext is not None def ytdl_uid(self) -> str: """ Returns ------- extractor + uid, making this a unique hash for any entry """ return self.extractor + self.uid
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/entries/base_entry.py
base_entry.py
import math from typing import Dict from typing import List from typing import Optional import mergedeep from ytdl_sub.entries.base_entry import BaseEntry from ytdl_sub.entries.base_entry import TBaseEntry from ytdl_sub.entries.entry import Entry from ytdl_sub.entries.variables.kwargs import DESCRIPTION from ytdl_sub.entries.variables.kwargs import PLAYLIST_COUNT from ytdl_sub.entries.variables.kwargs import PLAYLIST_DESCRIPTION from ytdl_sub.entries.variables.kwargs import PLAYLIST_ENTRY from ytdl_sub.entries.variables.kwargs import PLAYLIST_INDEX from ytdl_sub.entries.variables.kwargs import PLAYLIST_MAX_UPLOAD_YEAR from ytdl_sub.entries.variables.kwargs import PLAYLIST_MAX_UPLOAD_YEAR_TRUNCATED from ytdl_sub.entries.variables.kwargs import PLAYLIST_TITLE from ytdl_sub.entries.variables.kwargs import PLAYLIST_UID from ytdl_sub.entries.variables.kwargs import PLAYLIST_UPLOADER from ytdl_sub.entries.variables.kwargs import PLAYLIST_UPLOADER_ID from ytdl_sub.entries.variables.kwargs import PLAYLIST_UPLOADER_URL from ytdl_sub.entries.variables.kwargs import PLAYLIST_WEBPAGE_URL from ytdl_sub.entries.variables.kwargs import SOURCE_COUNT from ytdl_sub.entries.variables.kwargs import SOURCE_DESCRIPTION from ytdl_sub.entries.variables.kwargs import SOURCE_ENTRY from ytdl_sub.entries.variables.kwargs import SOURCE_INDEX from ytdl_sub.entries.variables.kwargs import SOURCE_TITLE from ytdl_sub.entries.variables.kwargs import SOURCE_UID from ytdl_sub.entries.variables.kwargs import SOURCE_UPLOADER from ytdl_sub.entries.variables.kwargs import SOURCE_UPLOADER_ID from ytdl_sub.entries.variables.kwargs import SOURCE_UPLOADER_URL from ytdl_sub.entries.variables.kwargs import SOURCE_WEBPAGE_URL from ytdl_sub.entries.variables.kwargs import TITLE from ytdl_sub.entries.variables.kwargs import UID from ytdl_sub.entries.variables.kwargs import UPLOADER from ytdl_sub.entries.variables.kwargs import UPLOADER_ID from ytdl_sub.entries.variables.kwargs import UPLOADER_URL from ytdl_sub.entries.variables.kwargs import WEBPAGE_URL class ParentType: PLAYLIST = "playlist" SOURCE = "source" def _sort_entries(entries: List[TBaseEntry]) -> List[TBaseEntry]: """Try sorting by playlist_id first, then fall back to uid""" return sorted(entries, key=lambda ent: (ent.kwargs_get(PLAYLIST_INDEX, math.inf), ent.uid)) class EntryParent(BaseEntry): def __init__(self, entry_dict: Dict, working_directory: str): super().__init__(entry_dict=entry_dict, working_directory=working_directory) self._parent_children: List["EntryParent"] = [] self._entry_children: List[Entry] = [] def parent_children(self) -> List["EntryParent"]: """This parent's children that are also parents""" return self._parent_children def entry_children(self) -> List[Entry]: """This parent's children that are entries""" return self._entry_children def num_children(self) -> int: """ Returns ------- Total number of (nested) entry children """ return sum(parent.num_children() for parent in self.parent_children()) + len( self.entry_children() ) def _playlist_variables(self, idx: int, children: List[TBaseEntry], parent_type: str) -> Dict: _count = self.kwargs_get(PLAYLIST_COUNT, len(children)) _index = children[idx].kwargs_get(PLAYLIST_INDEX, idx + 1) if parent_type == ParentType.SOURCE: return {SOURCE_INDEX: _index, SOURCE_COUNT: _count} return { SOURCE_INDEX: self.kwargs_get(SOURCE_INDEX, 1), SOURCE_COUNT: self.kwargs_get(SOURCE_INDEX, 1), PLAYLIST_INDEX: _index, PLAYLIST_COUNT: _count, } def _parent_variables(self, parent_type: str) -> Dict: def _(source_key: str, playlist_key: str) -> str: return playlist_key if parent_type == ParentType.PLAYLIST else source_key def __(key: str) -> Optional[str]: return self.kwargs_get(key=key) return { _(SOURCE_ENTRY, PLAYLIST_ENTRY): self._kwargs, _(SOURCE_TITLE, PLAYLIST_TITLE): __(TITLE), _(SOURCE_WEBPAGE_URL, PLAYLIST_WEBPAGE_URL): __(WEBPAGE_URL), _(SOURCE_UID, PLAYLIST_UID): __(UID), _(SOURCE_DESCRIPTION, PLAYLIST_DESCRIPTION): __(DESCRIPTION), _(SOURCE_UPLOADER, PLAYLIST_UPLOADER): __(UPLOADER), _(SOURCE_UPLOADER_ID, PLAYLIST_UPLOADER_ID): __(UPLOADER_ID), _(SOURCE_UPLOADER_URL, PLAYLIST_UPLOADER_URL): __(UPLOADER_URL), } def _get_entry_children_variable_list(self, variable_name: str) -> List[str | int]: return [getattr(entry_child, variable_name) for entry_child in self.entry_children()] def _entry_aggregate_variables(self) -> Dict: if not self.entry_children(): return {} return { PLAYLIST_MAX_UPLOAD_YEAR: max(self._get_entry_children_variable_list("upload_year")), PLAYLIST_MAX_UPLOAD_YEAR_TRUNCATED: max( self._get_entry_children_variable_list("upload_year_truncated") ), } # pylint: disable=protected-access def _set_child_variables(self, parents: Optional[List["EntryParent"]] = None) -> "EntryParent": if parents is None: parents = [self] self.add_kwargs( self._playlist_variables(idx=0, children=parents, parent_type=ParentType.SOURCE) ) kwargs_to_add: Dict = {} if len(parents) >= 1: mergedeep.merge(kwargs_to_add, parents[-1]._parent_variables(ParentType.PLAYLIST)) if len(parents) >= 2: mergedeep.merge(kwargs_to_add, parents[-2]._parent_variables(ParentType.SOURCE)) if len(parents) >= 3: raise ValueError( "ytdl-sub currently does support more than 3 layers of playlists/entries. " "If you encounter this error, please file a ticket with the URLs used." ) mergedeep.merge(kwargs_to_add, self._entry_aggregate_variables()) for idx, entry_child in enumerate(self.entry_children()): entry_child.add_kwargs( self._playlist_variables( idx=idx, children=self.entry_children(), parent_type=ParentType.PLAYLIST ) ) entry_child.add_kwargs(kwargs_to_add) for idx, parent_child in enumerate(self.parent_children()): parent_child.add_kwargs( self._playlist_variables( idx=idx, children=self.parent_children(), parent_type=ParentType.SOURCE ) ) parent_child._set_child_variables(parents=parents + [parent_child]) return self def _read_children_from_entry_dicts(self, entry_dicts: List[Dict]) -> "EntryParent": """ Populates a tree of EntryParents that belong to this instance """ entries = [ EntryParent( entry_dict=entry_dict, working_directory=self.working_directory(), )._read_children_from_entry_dicts(entry_dicts) for entry_dict in entry_dicts if entry_dict in self ] self._parent_children = _sort_entries([ent for ent in entries if self.is_entry_parent(ent)]) self._entry_children = _sort_entries( [ent.to_type(Entry) for ent in entries if self.is_entry(ent)] ) return self def get_thumbnail_url(self, thumbnail_id: str) -> Optional[str]: """ Downloads a specific thumbnail from a YTDL entry's thumbnail list Parameters ---------- thumbnail_id: Id of the thumbnail defined in the parent's thumbnail Returns ------- Desired thumbnail url if it exists. None if it does not. """ for thumbnail in self.kwargs_get("thumbnails", []): if thumbnail["id"] == thumbnail_id: return thumbnail["url"] return None def __contains__(self, item: Dict | BaseEntry) -> bool: playlist_id: Optional[str] = None if isinstance(item, dict): playlist_id = item.get("playlist_id") elif isinstance(item, BaseEntry): playlist_id = item.kwargs_get("playlist_id") if not playlist_id: return False return self.uid == playlist_id or any(item in child for child in self.parent_children()) @classmethod def _get_disconnected_root_parent( cls, url: str, parents: List["EntryParent"] ) -> Optional["EntryParent"]: """ Sometimes the root-level parent is disconnected via playlist_ids Find it if it exists. """ def _url_matches(parent: "EntryParent"): return parent.webpage_url in url or url in parent.webpage_url def _uid_is_uploader_id(parent: "EntryParent"): return parent.uid == parent.uploader_id top_level_parents = [ parent for parent in parents if parent.num_children() == 0 and _url_matches(parent) ] # If more than 1 parent exists, assume the uploader_id is the root parent if len(top_level_parents) > 1: top_level_parents = [parent for parent in parents if _uid_is_uploader_id(parent)] match len(top_level_parents): case 0: return None case 1: return top_level_parents[0] case 2: # Channels can have two of the same .info.json. Handle it here top0 = top_level_parents[0] top1 = top_level_parents[1] if top0.uploader_id == top1.uploader_id: return top0 if not top0.webpage_url.endswith("/videos") else top1 raise ValueError( "Detected multiple top-level parents. " "Please file an issue on GitHub with the URLs used to produce this error" ) @classmethod def from_entry_dicts( cls, url: str, entry_dicts: List[Dict], working_directory: str ) -> List["EntryParent"]: """ Reads all entry dicts and builds a tree of EntryParents """ parents = [ EntryParent( entry_dict=entry_dict, working_directory=working_directory )._read_children_from_entry_dicts(entry_dicts) for entry_dict in entry_dicts if cls.is_entry_parent(entry_dict) ] if not parents: return [] # If a disconnected root parent exists, connect it here if (root_parent := cls._get_disconnected_root_parent(url, parents)) is not None: parents.remove(root_parent) root_parent._parent_children = parents parents = [root_parent] for parent in parents: parent._set_child_variables() return parents # pylint: enable=protected-access @classmethod def from_entry_dicts_with_no_parents( cls, parents: List["EntryParent"], entry_dicts: List[Dict], working_directory: str ) -> List[Entry]: """ Reads all entries that do not have any parents """ def _in_any_parents(entry_dict: Dict): return any(entry_dict in parent for parent in parents) return [ Entry(entry_dict=entry_dict, working_directory=working_directory) for entry_dict in entry_dicts if cls.is_entry(entry_dict) and not _in_any_parents(entry_dict) ]
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/entries/entry_parent.py
entry_parent.py
import copy import json import os from pathlib import Path from typing import Optional from typing import final from ytdl_sub.entries.base_entry import BaseEntry from ytdl_sub.entries.variables.entry_variables import EntryVariables from ytdl_sub.validators.audo_codec_validator import AUDIO_CODEC_EXTS from ytdl_sub.validators.audo_codec_validator import VIDEO_CODEC_EXTS class Entry(EntryVariables, BaseEntry): """ Entry object to represent a single media object returned from yt-dlp. """ @property def ext(self) -> str: """ With ffmpeg installed, yt-dlp will sometimes merge the file into an mkv file. This is not reflected in the entry. See if the mkv file exists and return "mkv" if so, otherwise, return the original extension. """ for possible_ext in [super().ext, "mkv"]: file_path = str(Path(self.working_directory()) / f"{self.uid}.{possible_ext}") if os.path.isfile(file_path): return possible_ext return super().ext def get_download_file_name(self) -> str: """ Returns ------- The entry's file name """ return f"{self.uid}.{self.ext}" def get_download_file_path(self) -> str: """Returns the entry's file path to where it was downloaded""" return str(Path(self.working_directory()) / self.get_download_file_name()) def get_download_thumbnail_name(self) -> str: """ Returns ------- The download thumbnail's file name """ return f"{self.uid}.{self.thumbnail_ext}" def get_download_thumbnail_path(self) -> str: """Returns the entry's thumbnail's file path to where it was downloaded""" return str(Path(self.working_directory()) / self.get_download_thumbnail_name()) def try_get_ytdlp_download_thumbnail_path(self) -> Optional[str]: """ The source `thumbnail` value and the actual downloaded thumbnail extension sometimes do not match. Return the actual downloaded thumbnail path. """ thumbnails = self.kwargs_get("thumbnails", []) possible_thumbnail_exts = {"jpg", "webp"} # Always check for jpg and webp thumbs for thumbnail in thumbnails: possible_thumbnail_exts.add(thumbnail["url"].split(".")[-1]) for ext in possible_thumbnail_exts: possible_thumbnail_path = str(Path(self.working_directory()) / f"{self.uid}.{ext}") if os.path.isfile(possible_thumbnail_path): return possible_thumbnail_path return None def write_info_json(self) -> None: """ Write the entry's _kwargs back into the info.json file as well as its source variables """ kwargs_dict = copy.deepcopy(self._kwargs) kwargs_dict["ytdl_sub_entry_variables"] = self.to_dict() kwargs_json = json.dumps(kwargs_dict, ensure_ascii=False, sort_keys=True, indent=2) with open(self.get_download_info_json_path(), "w", encoding="utf-8") as file: file.write(kwargs_json) @final def is_thumbnail_downloaded_via_ytdlp(self) -> bool: """ Returns ------- True if ANY thumbnail file exist locally. False otherwise. """ return self.try_get_ytdlp_download_thumbnail_path() is not None @final def is_thumbnail_downloaded(self) -> bool: """ Returns ------- True if the thumbnail file exists and is its proper format. False otherwise. """ return os.path.isfile(self.get_download_thumbnail_path()) @final def is_downloaded(self) -> bool: """ Returns ------- True if the file exist locally. False otherwise. """ file_exists = os.path.isfile(self.get_download_file_path()) # HACK: yt-dlp does not record extracted/converted extensions anywhere. If the file is not # found, try it using all possible extensions if not file_exists: for ext in AUDIO_CODEC_EXTS.union(VIDEO_CODEC_EXTS): if os.path.isfile(self.get_download_file_path().removesuffix(self.ext) + ext): file_exists = True break return file_exists
ytdl-sub
/ytdl_sub-2023.9.2.post4-py3-none-any.whl/ytdl_sub/entries/entry.py
entry.py