Skip to content

instance

sleap_io.model.instance

Data structures for data associated with a single instance such as an animal.

The Instance class is a SLEAP data structure that contains a collection of points that correspond to landmarks within a Skeleton.

PredictedInstance additionally contains metadata associated with how the instance was estimated, such as confidence scores.

Classes:

Name Description
Instance

This class represents a ground truth instance such as an animal.

PointsArray

A specialized array for storing instance points data.

PredictedInstance

A PredictedInstance is an Instance that was predicted using a model.

PredictedPointsArray

A specialized array for storing predicted instance points data with scores.

Track

An object that represents the same animal/object across multiple detections.

Instance

This class represents a ground truth instance such as an animal.

An Instance has a set of landmarks (points) that correspond to a Skeleton. Each point is associated with a Node in the skeleton. The points are stored in a structured numpy array with columns for x, y, visible, complete and name.

The Instance may also be associated with a Track which links multiple instances together across frames or videos.

Attributes:

Name Type Description
points PointsArray

A numpy structured array with columns for xy, visible and complete. The array should have shape (n_nodes,). This representation is useful for performance efficiency when working with large datasets.

skeleton Skeleton

The Skeleton that describes the Nodes and Edges associated with this instance.

track Optional[Track]

An optional Track associated with a unique animal/object across frames or videos.

tracking_score Optional[float]

The score associated with the Track assignment. This is typically the value from the score matrix used in an identity assignment. This is None if the instance is not associated with a track or if the track was assigned manually.

from_predicted Optional[PredictedInstance]

The PredictedInstance (if any) that this instance was initialized from. This is used with human-in-the-loop workflows.

Methods:

Name Description
__attrs_post_init__

Convert the points array after initialization.

__getitem__

Return the point associated with a node.

__len__

Return the number of points in the instance.

__repr__

Return a readable representation of the instance.

__setitem__

Set the point associated with a node.

empty

Create an empty instance with no points.

from_numpy

Create an instance object from a numpy array.

numpy

Return the instance points as a (n_nodes, 2) numpy array.

replace_skeleton

Replace the skeleton associated with the instance.

update_skeleton

Update or replace the skeleton associated with the instance.

Source code in sleap_io/model/instance.py
@attrs.define(auto_attribs=True, slots=True, eq=False)
class Instance:
    """This class represents a ground truth instance such as an animal.

    An `Instance` has a set of landmarks (points) that correspond to a `Skeleton`. Each
    point is associated with a `Node` in the skeleton. The points are stored in a
    structured numpy array with columns for x, y, visible, complete and name.

    The `Instance` may also be associated with a `Track` which links multiple instances
    together across frames or videos.

    Attributes:
        points: A numpy structured array with columns for xy, visible and complete. The
            array should have shape `(n_nodes,)`. This representation is useful for
            performance efficiency when working with large datasets.
        skeleton: The `Skeleton` that describes the `Node`s and `Edge`s associated with
            this instance.
        track: An optional `Track` associated with a unique animal/object across frames
            or videos.
        tracking_score: The score associated with the `Track` assignment. This is
            typically the value from the score matrix used in an identity assignment.
            This is `None` if the instance is not associated with a track or if the
            track was assigned manually.
        from_predicted: The `PredictedInstance` (if any) that this instance was
            initialized from. This is used with human-in-the-loop workflows.
    """

    points: PointsArray = attrs.field(eq=attrs.cmp_using(eq=np.array_equal))
    skeleton: Skeleton
    track: Optional[Track] = None
    tracking_score: Optional[float] = None
    from_predicted: Optional[PredictedInstance] = None

    @classmethod
    def empty(
        cls,
        skeleton: Skeleton,
        track: Optional[Track] = None,
        tracking_score: Optional[float] = None,
        from_predicted: Optional[PredictedInstance] = None,
    ) -> "Instance":
        """Create an empty instance with no points.

        Args:
            skeleton: The `Skeleton` that this `Instance` is associated with.
            track: An optional `Track` associated with a unique animal/object across
                frames or videos.
            tracking_score: The score associated with the `Track` assignment. This is
                typically the value from the score matrix used in an identity
                assignment. This is `None` if the instance is not associated with a
                track or if the track was assigned manually.
            from_predicted: The `PredictedInstance` (if any) that this instance was
                initialized from. This is used with human-in-the-loop workflows.

        Returns:
            An `Instance` with an empty numpy array of shape `(n_nodes,)`.
        """
        points = PointsArray.empty(len(skeleton))
        points["name"] = skeleton.node_names

        return cls(
            points=points,
            skeleton=skeleton,
            track=track,
            tracking_score=tracking_score,
            from_predicted=from_predicted,
        )

    @classmethod
    def _convert_points(
        cls, points_data: np.ndarray | dict | list, skeleton: Skeleton
    ) -> PointsArray:
        """Convert points to a structured numpy array if needed."""
        if isinstance(points_data, dict):
            return PointsArray.from_dict(points_data, skeleton)
        elif isinstance(points_data, (list, np.ndarray)):
            if isinstance(points_data, list):
                points_data = np.array(points_data)

            points = PointsArray.from_array(points_data)
            points["name"] = skeleton.node_names
            return points
        else:
            raise ValueError("points must be a numpy array or dictionary.")

    @classmethod
    def from_numpy(
        cls,
        points_data: np.ndarray,
        skeleton: Skeleton,
        track: Optional[Track] = None,
        tracking_score: Optional[float] = None,
        from_predicted: Optional[PredictedInstance] = None,
    ) -> "Instance":
        """Create an instance object from a numpy array.

        Args:
            points_data: A numpy array of shape `(n_nodes, D)` corresponding to the
                points of the skeleton. Values of `np.nan` indicate "missing" nodes and
                will be reflected in the "visible" field.

                If `D == 2`, the array should have columns for x and y.
                If `D == 3`, the array should have columns for x, y and visible.
                If `D == 4`, the array should have columns for x, y, visible and
                complete.

                If this is provided as a structured array, it will be used without copy
                if it has the correct dtype. Otherwise, a new structured array will be
                created reusing the provided data.
            skeleton: The `Skeleton` that this `Instance` is associated with. It should
                have `n_nodes` nodes.
            track: An optional `Track` associated with a unique animal/object across
                frames or videos.
            tracking_score: The score associated with the `Track` assignment. This is
                typically the value from the score matrix used in an identity
                assignment. This is `None` if the instance is not associated with a
                track or if the track was assigned manually.
            from_predicted: The `PredictedInstance` (if any) that this instance was
                initialized from. This is used with human-in-the-loop workflows.

        Returns:
            An `Instance` object with the specified points.
        """
        return cls(
            points=points_data,
            skeleton=skeleton,
            track=track,
            tracking_score=tracking_score,
            from_predicted=from_predicted,
        )

    def __attrs_post_init__(self):
        """Convert the points array after initialization."""
        if not isinstance(self.points, PointsArray):
            self.points = self._convert_points(self.points, self.skeleton)

        # Ensure points have node names
        if "name" in self.points.dtype.names and not all(self.points["name"]):
            self.points["name"] = self.skeleton.node_names

    def numpy(
        self,
        invisible_as_nan: bool = True,
    ) -> np.ndarray:
        """Return the instance points as a `(n_nodes, 2)` numpy array.

        Args:
            invisible_as_nan: If `True` (the default), points that are not visible will
                be set to `np.nan`. If `False`, they will be whatever the stored value
                of `Instance.points["xy"]` is.

        Returns:
            A numpy array of shape `(n_nodes, 2)` corresponding to the points of the
            skeleton. Values of `np.nan` indicate "missing" nodes.

        Notes:
            This will always return a copy of the array.

            If you need to avoid making a copy, just access the `Instance.points["xy"]`
            attribute directly. This will not replace invisible points with `np.nan`.
        """
        if invisible_as_nan:
            return np.where(
                self.points["visible"].reshape(-1, 1), self.points["xy"], np.nan
            )
        else:
            return self.points["xy"].copy()

    def __getitem__(self, node: Union[int, str, Node]) -> np.ndarray:
        """Return the point associated with a node."""
        if type(node) != int:
            node = self.skeleton.index(node)

        return self.points[node]

    def __setitem__(self, node: Union[int, str, Node], value):
        """Set the point associated with a node.

        Args:
            node: The node to set the point for. Can be an integer index, string name,
                or Node object.
            value: A tuple or array-like of length 2 containing (x, y) coordinates.

        Notes:
            This sets the point coordinates and marks the point as visible.
        """
        if type(node) != int:
            node = self.skeleton.index(node)

        if len(value) < 2:
            raise ValueError("Value must have at least 2 elements (x, y)")

        self.points[node]["xy"] = value[:2]
        self.points[node]["visible"] = True

    def __len__(self) -> int:
        """Return the number of points in the instance."""
        return len(self.points)

    def __repr__(self) -> str:
        """Return a readable representation of the instance."""
        pts = self.numpy().tolist()
        track = f'"{self.track.name}"' if self.track is not None else self.track

        return f"Instance(points={pts}, track={track})"

    @property
    def n_visible(self) -> int:
        """Return the number of visible points in the instance."""
        return sum(self.points["visible"])

    @property
    def is_empty(self) -> bool:
        """Return `True` if no points are visible on the instance."""
        return ~(self.points["visible"].any())

    def update_skeleton(self, names_only: bool = False):
        """Update or replace the skeleton associated with the instance.

        Args:
            names_only: If `True`, only update the node names in the points array. If
                `False`, the points array will be updated to match the new skeleton.
        """
        if names_only:
            # Update the node names.
            self.points["name"] = self.skeleton.node_names
            return

        # Find correspondences.
        new_node_inds, old_node_inds = self.skeleton.match_nodes(self.points["name"])

        # Update the points.
        new_points = PointsArray.empty(len(self.skeleton))
        new_points[new_node_inds] = self.points[old_node_inds]
        new_points["name"] = self.skeleton.node_names
        self.points = new_points

    def replace_skeleton(
        self,
        new_skeleton: Skeleton,
        node_names_map: dict[str, str] | None = None,
    ):
        """Replace the skeleton associated with the instance.

        Args:
            new_skeleton: The new `Skeleton` to associate with the instance.
            node_names_map: Dictionary mapping nodes in the old skeleton to nodes in the
                new skeleton. Keys and values should be specified as lists of strings.
                If not provided, only nodes with identical names will be mapped. Points
                associated with unmapped nodes will be removed.

        Notes:
            This method will update the `Instance.skeleton` attribute and the
            `Instance.points` attribute in place (a copy is made of the points array).

            It is recommended to use `Labels.replace_skeleton` instead of this method if
            more flexible node mapping is required.
        """
        # Update skeleton object.
        # old_skeleton = self.skeleton
        self.skeleton = new_skeleton

        # Get node names with replacements from node map if possible.
        # old_node_names = old_skeleton.node_names
        old_node_names = self.points["name"].tolist()
        if node_names_map is not None:
            old_node_names = [node_names_map.get(node, node) for node in old_node_names]

        # Find correspondences.
        new_node_inds, old_node_inds = self.skeleton.match_nodes(old_node_names)
        # old_node_inds = np.array(old_node_inds).reshape(-1, 1)
        # new_node_inds = np.array(new_node_inds).reshape(-1, 1)

        # Update the points.
        new_points = PointsArray.empty(len(self.skeleton))
        new_points[new_node_inds] = self.points[old_node_inds]
        self.points = new_points
        self.points["name"] = self.skeleton.node_names

is_empty property

Return True if no points are visible on the instance.

n_visible property

Return the number of visible points in the instance.

__attrs_post_init__()

Convert the points array after initialization.

Source code in sleap_io/model/instance.py
def __attrs_post_init__(self):
    """Convert the points array after initialization."""
    if not isinstance(self.points, PointsArray):
        self.points = self._convert_points(self.points, self.skeleton)

    # Ensure points have node names
    if "name" in self.points.dtype.names and not all(self.points["name"]):
        self.points["name"] = self.skeleton.node_names

__getitem__(node)

Return the point associated with a node.

Source code in sleap_io/model/instance.py
def __getitem__(self, node: Union[int, str, Node]) -> np.ndarray:
    """Return the point associated with a node."""
    if type(node) != int:
        node = self.skeleton.index(node)

    return self.points[node]

__len__()

Return the number of points in the instance.

Source code in sleap_io/model/instance.py
def __len__(self) -> int:
    """Return the number of points in the instance."""
    return len(self.points)

__repr__()

Return a readable representation of the instance.

Source code in sleap_io/model/instance.py
def __repr__(self) -> str:
    """Return a readable representation of the instance."""
    pts = self.numpy().tolist()
    track = f'"{self.track.name}"' if self.track is not None else self.track

    return f"Instance(points={pts}, track={track})"

__setitem__(node, value)

Set the point associated with a node.

Parameters:

Name Type Description Default
node Union[int, str, Node]

The node to set the point for. Can be an integer index, string name, or Node object.

required
value

A tuple or array-like of length 2 containing (x, y) coordinates.

required
Notes

This sets the point coordinates and marks the point as visible.

Source code in sleap_io/model/instance.py
def __setitem__(self, node: Union[int, str, Node], value):
    """Set the point associated with a node.

    Args:
        node: The node to set the point for. Can be an integer index, string name,
            or Node object.
        value: A tuple or array-like of length 2 containing (x, y) coordinates.

    Notes:
        This sets the point coordinates and marks the point as visible.
    """
    if type(node) != int:
        node = self.skeleton.index(node)

    if len(value) < 2:
        raise ValueError("Value must have at least 2 elements (x, y)")

    self.points[node]["xy"] = value[:2]
    self.points[node]["visible"] = True

empty(skeleton, track=None, tracking_score=None, from_predicted=None) classmethod

Create an empty instance with no points.

Parameters:

Name Type Description Default
skeleton Skeleton

The Skeleton that this Instance is associated with.

required
track Optional[Track]

An optional Track associated with a unique animal/object across frames or videos.

None
tracking_score Optional[float]

The score associated with the Track assignment. This is typically the value from the score matrix used in an identity assignment. This is None if the instance is not associated with a track or if the track was assigned manually.

None
from_predicted Optional[PredictedInstance]

The PredictedInstance (if any) that this instance was initialized from. This is used with human-in-the-loop workflows.

None

Returns:

Type Description
'Instance'

An Instance with an empty numpy array of shape (n_nodes,).

Source code in sleap_io/model/instance.py
@classmethod
def empty(
    cls,
    skeleton: Skeleton,
    track: Optional[Track] = None,
    tracking_score: Optional[float] = None,
    from_predicted: Optional[PredictedInstance] = None,
) -> "Instance":
    """Create an empty instance with no points.

    Args:
        skeleton: The `Skeleton` that this `Instance` is associated with.
        track: An optional `Track` associated with a unique animal/object across
            frames or videos.
        tracking_score: The score associated with the `Track` assignment. This is
            typically the value from the score matrix used in an identity
            assignment. This is `None` if the instance is not associated with a
            track or if the track was assigned manually.
        from_predicted: The `PredictedInstance` (if any) that this instance was
            initialized from. This is used with human-in-the-loop workflows.

    Returns:
        An `Instance` with an empty numpy array of shape `(n_nodes,)`.
    """
    points = PointsArray.empty(len(skeleton))
    points["name"] = skeleton.node_names

    return cls(
        points=points,
        skeleton=skeleton,
        track=track,
        tracking_score=tracking_score,
        from_predicted=from_predicted,
    )

from_numpy(points_data, skeleton, track=None, tracking_score=None, from_predicted=None) classmethod

Create an instance object from a numpy array.

Parameters:

Name Type Description Default
points_data ndarray

A numpy array of shape (n_nodes, D) corresponding to the points of the skeleton. Values of np.nan indicate "missing" nodes and will be reflected in the "visible" field.

If D == 2, the array should have columns for x and y. If D == 3, the array should have columns for x, y and visible. If D == 4, the array should have columns for x, y, visible and complete.

If this is provided as a structured array, it will be used without copy if it has the correct dtype. Otherwise, a new structured array will be created reusing the provided data.

required
skeleton Skeleton

The Skeleton that this Instance is associated with. It should have n_nodes nodes.

required
track Optional[Track]

An optional Track associated with a unique animal/object across frames or videos.

None
tracking_score Optional[float]

The score associated with the Track assignment. This is typically the value from the score matrix used in an identity assignment. This is None if the instance is not associated with a track or if the track was assigned manually.

None
from_predicted Optional[PredictedInstance]

The PredictedInstance (if any) that this instance was initialized from. This is used with human-in-the-loop workflows.

None

Returns:

Type Description
'Instance'

An Instance object with the specified points.

Source code in sleap_io/model/instance.py
@classmethod
def from_numpy(
    cls,
    points_data: np.ndarray,
    skeleton: Skeleton,
    track: Optional[Track] = None,
    tracking_score: Optional[float] = None,
    from_predicted: Optional[PredictedInstance] = None,
) -> "Instance":
    """Create an instance object from a numpy array.

    Args:
        points_data: A numpy array of shape `(n_nodes, D)` corresponding to the
            points of the skeleton. Values of `np.nan` indicate "missing" nodes and
            will be reflected in the "visible" field.

            If `D == 2`, the array should have columns for x and y.
            If `D == 3`, the array should have columns for x, y and visible.
            If `D == 4`, the array should have columns for x, y, visible and
            complete.

            If this is provided as a structured array, it will be used without copy
            if it has the correct dtype. Otherwise, a new structured array will be
            created reusing the provided data.
        skeleton: The `Skeleton` that this `Instance` is associated with. It should
            have `n_nodes` nodes.
        track: An optional `Track` associated with a unique animal/object across
            frames or videos.
        tracking_score: The score associated with the `Track` assignment. This is
            typically the value from the score matrix used in an identity
            assignment. This is `None` if the instance is not associated with a
            track or if the track was assigned manually.
        from_predicted: The `PredictedInstance` (if any) that this instance was
            initialized from. This is used with human-in-the-loop workflows.

    Returns:
        An `Instance` object with the specified points.
    """
    return cls(
        points=points_data,
        skeleton=skeleton,
        track=track,
        tracking_score=tracking_score,
        from_predicted=from_predicted,
    )

numpy(invisible_as_nan=True)

Return the instance points as a (n_nodes, 2) numpy array.

Parameters:

Name Type Description Default
invisible_as_nan bool

If True (the default), points that are not visible will be set to np.nan. If False, they will be whatever the stored value of Instance.points["xy"] is.

True

Returns:

Type Description
ndarray

A numpy array of shape (n_nodes, 2) corresponding to the points of the skeleton. Values of np.nan indicate "missing" nodes.

Notes

This will always return a copy of the array.

If you need to avoid making a copy, just access the Instance.points["xy"] attribute directly. This will not replace invisible points with np.nan.

Source code in sleap_io/model/instance.py
def numpy(
    self,
    invisible_as_nan: bool = True,
) -> np.ndarray:
    """Return the instance points as a `(n_nodes, 2)` numpy array.

    Args:
        invisible_as_nan: If `True` (the default), points that are not visible will
            be set to `np.nan`. If `False`, they will be whatever the stored value
            of `Instance.points["xy"]` is.

    Returns:
        A numpy array of shape `(n_nodes, 2)` corresponding to the points of the
        skeleton. Values of `np.nan` indicate "missing" nodes.

    Notes:
        This will always return a copy of the array.

        If you need to avoid making a copy, just access the `Instance.points["xy"]`
        attribute directly. This will not replace invisible points with `np.nan`.
    """
    if invisible_as_nan:
        return np.where(
            self.points["visible"].reshape(-1, 1), self.points["xy"], np.nan
        )
    else:
        return self.points["xy"].copy()

replace_skeleton(new_skeleton, node_names_map=None)

Replace the skeleton associated with the instance.

Parameters:

Name Type Description Default
new_skeleton Skeleton

The new Skeleton to associate with the instance.

required
node_names_map dict[str, str] | None

Dictionary mapping nodes in the old skeleton to nodes in the new skeleton. Keys and values should be specified as lists of strings. If not provided, only nodes with identical names will be mapped. Points associated with unmapped nodes will be removed.

None
Notes

This method will update the Instance.skeleton attribute and the Instance.points attribute in place (a copy is made of the points array).

It is recommended to use Labels.replace_skeleton instead of this method if more flexible node mapping is required.

Source code in sleap_io/model/instance.py
def replace_skeleton(
    self,
    new_skeleton: Skeleton,
    node_names_map: dict[str, str] | None = None,
):
    """Replace the skeleton associated with the instance.

    Args:
        new_skeleton: The new `Skeleton` to associate with the instance.
        node_names_map: Dictionary mapping nodes in the old skeleton to nodes in the
            new skeleton. Keys and values should be specified as lists of strings.
            If not provided, only nodes with identical names will be mapped. Points
            associated with unmapped nodes will be removed.

    Notes:
        This method will update the `Instance.skeleton` attribute and the
        `Instance.points` attribute in place (a copy is made of the points array).

        It is recommended to use `Labels.replace_skeleton` instead of this method if
        more flexible node mapping is required.
    """
    # Update skeleton object.
    # old_skeleton = self.skeleton
    self.skeleton = new_skeleton

    # Get node names with replacements from node map if possible.
    # old_node_names = old_skeleton.node_names
    old_node_names = self.points["name"].tolist()
    if node_names_map is not None:
        old_node_names = [node_names_map.get(node, node) for node in old_node_names]

    # Find correspondences.
    new_node_inds, old_node_inds = self.skeleton.match_nodes(old_node_names)
    # old_node_inds = np.array(old_node_inds).reshape(-1, 1)
    # new_node_inds = np.array(new_node_inds).reshape(-1, 1)

    # Update the points.
    new_points = PointsArray.empty(len(self.skeleton))
    new_points[new_node_inds] = self.points[old_node_inds]
    self.points = new_points
    self.points["name"] = self.skeleton.node_names

update_skeleton(names_only=False)

Update or replace the skeleton associated with the instance.

Parameters:

Name Type Description Default
names_only bool

If True, only update the node names in the points array. If False, the points array will be updated to match the new skeleton.

False
Source code in sleap_io/model/instance.py
def update_skeleton(self, names_only: bool = False):
    """Update or replace the skeleton associated with the instance.

    Args:
        names_only: If `True`, only update the node names in the points array. If
            `False`, the points array will be updated to match the new skeleton.
    """
    if names_only:
        # Update the node names.
        self.points["name"] = self.skeleton.node_names
        return

    # Find correspondences.
    new_node_inds, old_node_inds = self.skeleton.match_nodes(self.points["name"])

    # Update the points.
    new_points = PointsArray.empty(len(self.skeleton))
    new_points[new_node_inds] = self.points[old_node_inds]
    new_points["name"] = self.skeleton.node_names
    self.points = new_points

PointsArray

Bases: ndarray

A specialized array for storing instance points data.

This class ensures that the array always uses the correct dtype and provides convenience methods for working with point data.

The structured dtype includes the following fields
  • xy: A float64 array of shape (2,) containing the x, y coordinates
  • visible: A boolean indicating if the point is visible
  • complete: A boolean indicating if the point is complete
  • name: An object dtype containing the name of the node

Methods:

Name Description
empty

Create an empty points array with the appropriate dtype.

from_array

Convert an existing array to a PointsArray with the appropriate dtype.

from_dict

Create a PointsArray from a dictionary of node points.

Source code in sleap_io/model/instance.py
class PointsArray(np.ndarray):
    """A specialized array for storing instance points data.

    This class ensures that the array always uses the correct dtype and provides
    convenience methods for working with point data.

    The structured dtype includes the following fields:
        - xy: A float64 array of shape (2,) containing the x, y coordinates
        - visible: A boolean indicating if the point is visible
        - complete: A boolean indicating if the point is complete
        - name: An object dtype containing the name of the node
    """

    @classmethod
    def _get_dtype(cls):
        """Get the dtype for points array.

        Returns:
            np.dtype: A structured numpy dtype with fields for xy coordinates,
                visible flag, complete flag, and node names.
        """
        return np.dtype(
            [
                ("xy", "<f8", (2,)),  # 64-bit (8-byte) little-endian double, ndim=2
                ("visible", "bool"),
                ("complete", "bool"),
                (
                    "name",
                    "O",
                ),  # object dtype to store pointers to python string objects
            ]
        )

    @classmethod
    def empty(cls, length: int) -> "PointsArray":
        """Create an empty points array with the appropriate dtype.

        Args:
            length: The number of points (nodes) to allocate in the array.

        Returns:
            PointsArray: An empty array of the specified length with the appropriate
                dtype.
        """
        dtype = cls._get_dtype()
        arr = np.empty(length, dtype=dtype).view(cls)
        return arr

    @classmethod
    def from_array(cls, array: np.ndarray) -> "PointsArray":
        """Convert an existing array to a PointsArray with the appropriate dtype.

        Args:
            array: A numpy array to convert. Can be a structured array or a regular
                array. If a regular array, it is assumed to have columns for x, y
                coordinates and optionally visible and complete flags.

        Returns:
            PointsArray: A structured array view of the input data with the appropriate
                dtype.

        Notes:
            If the input is a structured array with fields matching the target dtype,
            those fields will be copied. Otherwise, a best-effort conversion is made:

            - First two columns (or first 2D element) are interpreted as x, y coords
            - Third column (if present) is interpreted as visible flag
            - Fourth column (if present) is interpreted as complete flag

            If visibility is not provided, it is inferred from NaN values in the x
            coordinate.
        """
        dtype = cls._get_dtype()

        # If already the right type, just view as PointsArray
        if isinstance(array, np.ndarray) and array.dtype == dtype:
            return array.view(cls)

        # Otherwise, create a new array with the right dtype
        new_array = np.empty(len(array), dtype=dtype).view(cls)

        # Copy available fields
        if isinstance(array, np.ndarray) and array.dtype.fields is not None:
            # Structured array, copy matching fields
            for field_name in dtype.names:
                if field_name in array.dtype.names:
                    new_array[field_name] = array[field_name]
        elif isinstance(array, np.ndarray):
            # Regular array, assume x, y coordinates
            new_array["xy"] = array[:, 0:2]

            # Default visibility based on NaN
            new_array["visible"] = ~np.isnan(array[:, 0])

            # If there are more columns, assume they are visible and complete
            if array.shape[1] >= 3:
                new_array["visible"] = array[:, 2].astype(bool)

            if array.shape[1] >= 4:
                new_array["complete"] = array[:, 3].astype(bool)

        return new_array

    @classmethod
    def from_dict(cls, points_dict: dict, skeleton: Skeleton) -> "PointsArray":
        """Create a PointsArray from a dictionary of node points.

        Args:
            points_dict: A dictionary mapping nodes (as Node objects, indices, or
                strings) to point data. Each point should be an array-like with at least
                2 elements for x, y coordinates, and optionally visible and complete
                flags.
            skeleton: The Skeleton object that defines the nodes.

        Returns:
            PointsArray: A structured array with the appropriate dtype containing the
                point data from the dictionary.

        Notes:
            For each entry in the points_dict:
            - First two values are treated as x, y coordinates
            - Third value (if present) is treated as visible flag
            - Fourth value (if present) is treated as complete flag

            If visibility is not provided, it is inferred from NaN values in the x
            coordinate.
        """
        points = cls.empty(len(skeleton))

        for node, data in points_dict.items():
            if isinstance(node, (Node, str)):
                node = skeleton.index(node)

            points[node]["xy"] = data[:2]

            idx = 2
            if len(data) > idx:
                points[node]["visible"] = data[idx]
            else:
                points[node]["visible"] = ~np.isnan(data[0])

            idx += 1
            if len(data) > idx:
                points[node]["complete"] = data[idx]

        return points

empty(length) classmethod

Create an empty points array with the appropriate dtype.

Parameters:

Name Type Description Default
length int

The number of points (nodes) to allocate in the array.

required

Returns:

Name Type Description
PointsArray 'PointsArray'

An empty array of the specified length with the appropriate dtype.

Source code in sleap_io/model/instance.py
@classmethod
def empty(cls, length: int) -> "PointsArray":
    """Create an empty points array with the appropriate dtype.

    Args:
        length: The number of points (nodes) to allocate in the array.

    Returns:
        PointsArray: An empty array of the specified length with the appropriate
            dtype.
    """
    dtype = cls._get_dtype()
    arr = np.empty(length, dtype=dtype).view(cls)
    return arr

from_array(array) classmethod

Convert an existing array to a PointsArray with the appropriate dtype.

Parameters:

Name Type Description Default
array ndarray

A numpy array to convert. Can be a structured array or a regular array. If a regular array, it is assumed to have columns for x, y coordinates and optionally visible and complete flags.

required

Returns:

Name Type Description
PointsArray 'PointsArray'

A structured array view of the input data with the appropriate dtype.

Notes

If the input is a structured array with fields matching the target dtype, those fields will be copied. Otherwise, a best-effort conversion is made:

  • First two columns (or first 2D element) are interpreted as x, y coords
  • Third column (if present) is interpreted as visible flag
  • Fourth column (if present) is interpreted as complete flag

If visibility is not provided, it is inferred from NaN values in the x coordinate.

Source code in sleap_io/model/instance.py
@classmethod
def from_array(cls, array: np.ndarray) -> "PointsArray":
    """Convert an existing array to a PointsArray with the appropriate dtype.

    Args:
        array: A numpy array to convert. Can be a structured array or a regular
            array. If a regular array, it is assumed to have columns for x, y
            coordinates and optionally visible and complete flags.

    Returns:
        PointsArray: A structured array view of the input data with the appropriate
            dtype.

    Notes:
        If the input is a structured array with fields matching the target dtype,
        those fields will be copied. Otherwise, a best-effort conversion is made:

        - First two columns (or first 2D element) are interpreted as x, y coords
        - Third column (if present) is interpreted as visible flag
        - Fourth column (if present) is interpreted as complete flag

        If visibility is not provided, it is inferred from NaN values in the x
        coordinate.
    """
    dtype = cls._get_dtype()

    # If already the right type, just view as PointsArray
    if isinstance(array, np.ndarray) and array.dtype == dtype:
        return array.view(cls)

    # Otherwise, create a new array with the right dtype
    new_array = np.empty(len(array), dtype=dtype).view(cls)

    # Copy available fields
    if isinstance(array, np.ndarray) and array.dtype.fields is not None:
        # Structured array, copy matching fields
        for field_name in dtype.names:
            if field_name in array.dtype.names:
                new_array[field_name] = array[field_name]
    elif isinstance(array, np.ndarray):
        # Regular array, assume x, y coordinates
        new_array["xy"] = array[:, 0:2]

        # Default visibility based on NaN
        new_array["visible"] = ~np.isnan(array[:, 0])

        # If there are more columns, assume they are visible and complete
        if array.shape[1] >= 3:
            new_array["visible"] = array[:, 2].astype(bool)

        if array.shape[1] >= 4:
            new_array["complete"] = array[:, 3].astype(bool)

    return new_array

from_dict(points_dict, skeleton) classmethod

Create a PointsArray from a dictionary of node points.

Parameters:

Name Type Description Default
points_dict dict

A dictionary mapping nodes (as Node objects, indices, or strings) to point data. Each point should be an array-like with at least 2 elements for x, y coordinates, and optionally visible and complete flags.

required
skeleton Skeleton

The Skeleton object that defines the nodes.

required

Returns:

Name Type Description
PointsArray 'PointsArray'

A structured array with the appropriate dtype containing the point data from the dictionary.

Notes

For each entry in the points_dict: - First two values are treated as x, y coordinates - Third value (if present) is treated as visible flag - Fourth value (if present) is treated as complete flag

If visibility is not provided, it is inferred from NaN values in the x coordinate.

Source code in sleap_io/model/instance.py
@classmethod
def from_dict(cls, points_dict: dict, skeleton: Skeleton) -> "PointsArray":
    """Create a PointsArray from a dictionary of node points.

    Args:
        points_dict: A dictionary mapping nodes (as Node objects, indices, or
            strings) to point data. Each point should be an array-like with at least
            2 elements for x, y coordinates, and optionally visible and complete
            flags.
        skeleton: The Skeleton object that defines the nodes.

    Returns:
        PointsArray: A structured array with the appropriate dtype containing the
            point data from the dictionary.

    Notes:
        For each entry in the points_dict:
        - First two values are treated as x, y coordinates
        - Third value (if present) is treated as visible flag
        - Fourth value (if present) is treated as complete flag

        If visibility is not provided, it is inferred from NaN values in the x
        coordinate.
    """
    points = cls.empty(len(skeleton))

    for node, data in points_dict.items():
        if isinstance(node, (Node, str)):
            node = skeleton.index(node)

        points[node]["xy"] = data[:2]

        idx = 2
        if len(data) > idx:
            points[node]["visible"] = data[idx]
        else:
            points[node]["visible"] = ~np.isnan(data[0])

        idx += 1
        if len(data) > idx:
            points[node]["complete"] = data[idx]

    return points

PredictedInstance

Bases: Instance

A PredictedInstance is an Instance that was predicted using a model.

Attributes:

Name Type Description
skeleton Skeleton

The Skeleton that this Instance is associated with.

points PredictedPointsArray

A dictionary where keys are Skeleton nodes and values are Points.

track Optional[Track]

An optional Track associated with a unique animal/object across frames or videos.

from_predicted Optional[PredictedInstance]

Not applicable in PredictedInstances (must be set to None).

score float

The instance detection or part grouping prediction score. This is a scalar that represents the confidence with which this entire instance was predicted. This may not always be applicable depending on the model type.

tracking_score Optional[float]

The score associated with the Track assignment. This is typically the value from the score matrix used in an identity assignment.

Methods:

Name Description
__getitem__

Return the point associated with a node.

__repr__

Return a readable representation of the instance.

__setitem__

Set the point associated with a node.

empty

Create an empty instance with no points.

from_numpy

Create a predicted instance object from a numpy array.

numpy

Return the instance points as a (n_nodes, 2) numpy array.

replace_skeleton

Replace the skeleton associated with the instance.

update_skeleton

Update or replace the skeleton associated with the instance.

Source code in sleap_io/model/instance.py
@attrs.define(eq=False)
class PredictedInstance(Instance):
    """A `PredictedInstance` is an `Instance` that was predicted using a model.

    Attributes:
        skeleton: The `Skeleton` that this `Instance` is associated with.
        points: A dictionary where keys are `Skeleton` nodes and values are `Point`s.
        track: An optional `Track` associated with a unique animal/object across frames
            or videos.
        from_predicted: Not applicable in `PredictedInstance`s (must be set to `None`).
        score: The instance detection or part grouping prediction score. This is a
            scalar that represents the confidence with which this entire instance was
            predicted. This may not always be applicable depending on the model type.
        tracking_score: The score associated with the `Track` assignment. This is
            typically the value from the score matrix used in an identity assignment.
    """

    points: PredictedPointsArray = attrs.field(eq=attrs.cmp_using(eq=np.array_equal))
    skeleton: Skeleton
    score: float = 0.0
    track: Optional[Track] = None
    tracking_score: Optional[float] = 0
    from_predicted: Optional[PredictedInstance] = None

    def __repr__(self) -> str:
        """Return a readable representation of the instance."""
        pts = self.numpy().tolist()
        track = f'"{self.track.name}"' if self.track is not None else self.track

        score = str(self.score) if self.score is None else f"{self.score:.2f}"
        tracking_score = (
            str(self.tracking_score)
            if self.tracking_score is None
            else f"{self.tracking_score:.2f}"
        )
        return (
            f"PredictedInstance(points={pts}, track={track}, "
            f"score={score}, tracking_score={tracking_score})"
        )

    @classmethod
    def empty(
        cls,
        skeleton: Skeleton,
        score: float = 0.0,
        track: Optional[Track] = None,
        tracking_score: Optional[float] = None,
        from_predicted: Optional[PredictedInstance] = None,
    ) -> "PredictedInstance":
        """Create an empty instance with no points."""
        points = PredictedPointsArray.empty(len(skeleton))
        points["name"] = skeleton.node_names

        return cls(
            points=points,
            skeleton=skeleton,
            score=score,
            track=track,
            tracking_score=tracking_score,
            from_predicted=from_predicted,
        )

    @classmethod
    def _convert_points(
        cls, points_data: np.ndarray | dict | list, skeleton: Skeleton
    ) -> PredictedPointsArray:
        """Convert points to a structured numpy array if needed."""
        if isinstance(points_data, dict):
            return PredictedPointsArray.from_dict(points_data, skeleton)
        elif isinstance(points_data, (list, np.ndarray)):
            if isinstance(points_data, list):
                points_data = np.array(points_data)

            points = PredictedPointsArray.from_array(points_data)
            points["name"] = skeleton.node_names
            return points
        else:
            raise ValueError("points must be a numpy array or dictionary.")

    @classmethod
    def from_numpy(
        cls,
        points_data: np.ndarray,
        skeleton: Skeleton,
        point_scores: Optional[np.ndarray] = None,
        score: float = 0.0,
        track: Optional[Track] = None,
        tracking_score: Optional[float] = None,
        from_predicted: Optional[PredictedInstance] = None,
    ) -> "PredictedInstance":
        """Create a predicted instance object from a numpy array."""
        points = cls._convert_points(points_data, skeleton)
        if point_scores is not None:
            points["score"] = point_scores

        return cls(
            points=points,
            skeleton=skeleton,
            score=score,
            track=track,
            tracking_score=tracking_score,
            from_predicted=from_predicted,
        )

    def numpy(
        self,
        invisible_as_nan: bool = True,
        scores: bool = False,
    ) -> np.ndarray:
        """Return the instance points as a `(n_nodes, 2)` numpy array.

        Args:
            invisible_as_nan: If `True` (the default), points that are not visible will
                be set to `np.nan`. If `False`, they will be whatever the stored value
                of `PredictedInstance.points["xy"]` is.
            scores: If `True`, the score associated with each point will be
                included in the output.

        Returns:
            A numpy array of shape `(n_nodes, 2)` corresponding to the points of the
            skeleton. Values of `np.nan` indicate "missing" nodes.

            If `scores` is `True`, the array will have shape `(n_nodes, 3)` with the
            third column containing the score associated with each point.

        Notes:
            This will always return a copy of the array.

            If you need to avoid making a copy, just access the
            `PredictedInstance.points["xy"]` attribute directly. This will not replace
            invisible points with `np.nan`.
        """
        if invisible_as_nan:
            pts = np.where(
                self.points["visible"].reshape(-1, 1), self.points["xy"], np.nan
            )
        else:
            pts = self.points["xy"].copy()

        if scores:
            return np.column_stack((pts, self.points["score"]))
        else:
            return pts

    def update_skeleton(self, names_only: bool = False):
        """Update or replace the skeleton associated with the instance.

        Args:
            names_only: If `True`, only update the node names in the points array. If
                `False`, the points array will be updated to match the new skeleton.
        """
        if names_only:
            # Update the node names.
            self.points["name"] = self.skeleton.node_names
            return

        # Find correspondences.
        new_node_inds, old_node_inds = self.skeleton.match_nodes(self.points["name"])

        # Update the points.
        new_points = PredictedPointsArray.empty(len(self.skeleton))
        new_points[new_node_inds] = self.points[old_node_inds]
        new_points["name"] = self.skeleton.node_names
        self.points = new_points

    def replace_skeleton(
        self,
        new_skeleton: Skeleton,
        node_names_map: dict[str, str] | None = None,
    ):
        """Replace the skeleton associated with the instance.

        Args:
            new_skeleton: The new `Skeleton` to associate with the instance.
            node_names_map: Dictionary mapping nodes in the old skeleton to nodes in the
                new skeleton. Keys and values should be specified as lists of strings.
                If not provided, only nodes with identical names will be mapped. Points
                associated with unmapped nodes will be removed.

        Notes:
            This method will update the `PredictedInstance.skeleton` attribute and the
            `PredictedInstance.points` attribute in place (a copy is made of the points
            array).

            It is recommended to use `Labels.replace_skeleton` instead of this method if
            more flexible node mapping is required.
        """
        # Update skeleton object.
        self.skeleton = new_skeleton

        # Get node names with replacements from node map if possible.
        old_node_names = self.points["name"].tolist()
        if node_names_map is not None:
            old_node_names = [node_names_map.get(node, node) for node in old_node_names]

        # Find correspondences.
        new_node_inds, old_node_inds = self.skeleton.match_nodes(old_node_names)

        # Update the points.
        new_points = PredictedPointsArray.empty(len(self.skeleton))
        new_points[new_node_inds] = self.points[old_node_inds]
        self.points = new_points
        self.points["name"] = self.skeleton.node_names

    def __getitem__(self, node: Union[int, str, Node]) -> np.ndarray:
        """Return the point associated with a node."""
        # Inherit from Instance.__getitem__
        return super().__getitem__(node)

    def __setitem__(self, node: Union[int, str, Node], value):
        """Set the point associated with a node.

        Args:
            node: The node to set the point for. Can be an integer index, string name,
                or Node object.
            value: A tuple or array-like of length 2 or 3 containing (x, y) coordinates
                and optionally a confidence score. If the score is not provided, it defaults to 1.0.

        Notes:
            This sets the point coordinates, score, and marks the point as visible.
        """
        if type(node) != int:
            node = self.skeleton.index(node)

        if len(value) < 2:
            raise ValueError("Value must have at least 2 elements (x, y)")

        self.points[node]["xy"] = value[:2]

        # Set score if provided, otherwise default to 1.0
        if len(value) >= 3:
            self.points[node]["score"] = value[2]
        else:
            self.points[node]["score"] = 1.0

        self.points[node]["visible"] = True

__getitem__(node)

Return the point associated with a node.

Source code in sleap_io/model/instance.py
def __getitem__(self, node: Union[int, str, Node]) -> np.ndarray:
    """Return the point associated with a node."""
    # Inherit from Instance.__getitem__
    return super().__getitem__(node)

__repr__()

Return a readable representation of the instance.

Source code in sleap_io/model/instance.py
def __repr__(self) -> str:
    """Return a readable representation of the instance."""
    pts = self.numpy().tolist()
    track = f'"{self.track.name}"' if self.track is not None else self.track

    score = str(self.score) if self.score is None else f"{self.score:.2f}"
    tracking_score = (
        str(self.tracking_score)
        if self.tracking_score is None
        else f"{self.tracking_score:.2f}"
    )
    return (
        f"PredictedInstance(points={pts}, track={track}, "
        f"score={score}, tracking_score={tracking_score})"
    )

__setitem__(node, value)

Set the point associated with a node.

Parameters:

Name Type Description Default
node Union[int, str, Node]

The node to set the point for. Can be an integer index, string name, or Node object.

required
value

A tuple or array-like of length 2 or 3 containing (x, y) coordinates and optionally a confidence score. If the score is not provided, it defaults to 1.0.

required
Notes

This sets the point coordinates, score, and marks the point as visible.

Source code in sleap_io/model/instance.py
def __setitem__(self, node: Union[int, str, Node], value):
    """Set the point associated with a node.

    Args:
        node: The node to set the point for. Can be an integer index, string name,
            or Node object.
        value: A tuple or array-like of length 2 or 3 containing (x, y) coordinates
            and optionally a confidence score. If the score is not provided, it defaults to 1.0.

    Notes:
        This sets the point coordinates, score, and marks the point as visible.
    """
    if type(node) != int:
        node = self.skeleton.index(node)

    if len(value) < 2:
        raise ValueError("Value must have at least 2 elements (x, y)")

    self.points[node]["xy"] = value[:2]

    # Set score if provided, otherwise default to 1.0
    if len(value) >= 3:
        self.points[node]["score"] = value[2]
    else:
        self.points[node]["score"] = 1.0

    self.points[node]["visible"] = True

empty(skeleton, score=0.0, track=None, tracking_score=None, from_predicted=None) classmethod

Create an empty instance with no points.

Source code in sleap_io/model/instance.py
@classmethod
def empty(
    cls,
    skeleton: Skeleton,
    score: float = 0.0,
    track: Optional[Track] = None,
    tracking_score: Optional[float] = None,
    from_predicted: Optional[PredictedInstance] = None,
) -> "PredictedInstance":
    """Create an empty instance with no points."""
    points = PredictedPointsArray.empty(len(skeleton))
    points["name"] = skeleton.node_names

    return cls(
        points=points,
        skeleton=skeleton,
        score=score,
        track=track,
        tracking_score=tracking_score,
        from_predicted=from_predicted,
    )

from_numpy(points_data, skeleton, point_scores=None, score=0.0, track=None, tracking_score=None, from_predicted=None) classmethod

Create a predicted instance object from a numpy array.

Source code in sleap_io/model/instance.py
@classmethod
def from_numpy(
    cls,
    points_data: np.ndarray,
    skeleton: Skeleton,
    point_scores: Optional[np.ndarray] = None,
    score: float = 0.0,
    track: Optional[Track] = None,
    tracking_score: Optional[float] = None,
    from_predicted: Optional[PredictedInstance] = None,
) -> "PredictedInstance":
    """Create a predicted instance object from a numpy array."""
    points = cls._convert_points(points_data, skeleton)
    if point_scores is not None:
        points["score"] = point_scores

    return cls(
        points=points,
        skeleton=skeleton,
        score=score,
        track=track,
        tracking_score=tracking_score,
        from_predicted=from_predicted,
    )

numpy(invisible_as_nan=True, scores=False)

Return the instance points as a (n_nodes, 2) numpy array.

Parameters:

Name Type Description Default
invisible_as_nan bool

If True (the default), points that are not visible will be set to np.nan. If False, they will be whatever the stored value of PredictedInstance.points["xy"] is.

True
scores bool

If True, the score associated with each point will be included in the output.

False

Returns:

Type Description
ndarray

A numpy array of shape (n_nodes, 2) corresponding to the points of the skeleton. Values of np.nan indicate "missing" nodes.

If scores is True, the array will have shape (n_nodes, 3) with the third column containing the score associated with each point.

Notes

This will always return a copy of the array.

If you need to avoid making a copy, just access the PredictedInstance.points["xy"] attribute directly. This will not replace invisible points with np.nan.

Source code in sleap_io/model/instance.py
def numpy(
    self,
    invisible_as_nan: bool = True,
    scores: bool = False,
) -> np.ndarray:
    """Return the instance points as a `(n_nodes, 2)` numpy array.

    Args:
        invisible_as_nan: If `True` (the default), points that are not visible will
            be set to `np.nan`. If `False`, they will be whatever the stored value
            of `PredictedInstance.points["xy"]` is.
        scores: If `True`, the score associated with each point will be
            included in the output.

    Returns:
        A numpy array of shape `(n_nodes, 2)` corresponding to the points of the
        skeleton. Values of `np.nan` indicate "missing" nodes.

        If `scores` is `True`, the array will have shape `(n_nodes, 3)` with the
        third column containing the score associated with each point.

    Notes:
        This will always return a copy of the array.

        If you need to avoid making a copy, just access the
        `PredictedInstance.points["xy"]` attribute directly. This will not replace
        invisible points with `np.nan`.
    """
    if invisible_as_nan:
        pts = np.where(
            self.points["visible"].reshape(-1, 1), self.points["xy"], np.nan
        )
    else:
        pts = self.points["xy"].copy()

    if scores:
        return np.column_stack((pts, self.points["score"]))
    else:
        return pts

replace_skeleton(new_skeleton, node_names_map=None)

Replace the skeleton associated with the instance.

Parameters:

Name Type Description Default
new_skeleton Skeleton

The new Skeleton to associate with the instance.

required
node_names_map dict[str, str] | None

Dictionary mapping nodes in the old skeleton to nodes in the new skeleton. Keys and values should be specified as lists of strings. If not provided, only nodes with identical names will be mapped. Points associated with unmapped nodes will be removed.

None
Notes

This method will update the PredictedInstance.skeleton attribute and the PredictedInstance.points attribute in place (a copy is made of the points array).

It is recommended to use Labels.replace_skeleton instead of this method if more flexible node mapping is required.

Source code in sleap_io/model/instance.py
def replace_skeleton(
    self,
    new_skeleton: Skeleton,
    node_names_map: dict[str, str] | None = None,
):
    """Replace the skeleton associated with the instance.

    Args:
        new_skeleton: The new `Skeleton` to associate with the instance.
        node_names_map: Dictionary mapping nodes in the old skeleton to nodes in the
            new skeleton. Keys and values should be specified as lists of strings.
            If not provided, only nodes with identical names will be mapped. Points
            associated with unmapped nodes will be removed.

    Notes:
        This method will update the `PredictedInstance.skeleton` attribute and the
        `PredictedInstance.points` attribute in place (a copy is made of the points
        array).

        It is recommended to use `Labels.replace_skeleton` instead of this method if
        more flexible node mapping is required.
    """
    # Update skeleton object.
    self.skeleton = new_skeleton

    # Get node names with replacements from node map if possible.
    old_node_names = self.points["name"].tolist()
    if node_names_map is not None:
        old_node_names = [node_names_map.get(node, node) for node in old_node_names]

    # Find correspondences.
    new_node_inds, old_node_inds = self.skeleton.match_nodes(old_node_names)

    # Update the points.
    new_points = PredictedPointsArray.empty(len(self.skeleton))
    new_points[new_node_inds] = self.points[old_node_inds]
    self.points = new_points
    self.points["name"] = self.skeleton.node_names

update_skeleton(names_only=False)

Update or replace the skeleton associated with the instance.

Parameters:

Name Type Description Default
names_only bool

If True, only update the node names in the points array. If False, the points array will be updated to match the new skeleton.

False
Source code in sleap_io/model/instance.py
def update_skeleton(self, names_only: bool = False):
    """Update or replace the skeleton associated with the instance.

    Args:
        names_only: If `True`, only update the node names in the points array. If
            `False`, the points array will be updated to match the new skeleton.
    """
    if names_only:
        # Update the node names.
        self.points["name"] = self.skeleton.node_names
        return

    # Find correspondences.
    new_node_inds, old_node_inds = self.skeleton.match_nodes(self.points["name"])

    # Update the points.
    new_points = PredictedPointsArray.empty(len(self.skeleton))
    new_points[new_node_inds] = self.points[old_node_inds]
    new_points["name"] = self.skeleton.node_names
    self.points = new_points

PredictedPointsArray

Bases: PointsArray

A specialized array for storing predicted instance points data with scores.

This extends the PointsArray class to include score information for each point.

The structured dtype includes the following fields
  • xy: A float64 array of shape (2,) containing the x, y coordinates
  • score: A float64 containing the confidence score for the point
  • visible: A boolean indicating if the point is visible
  • complete: A boolean indicating if the point is complete
  • name: An object dtype containing the name of the node

Methods:

Name Description
from_array

Convert an existing array to a PredictedPointsArray with the appropriate dtype.

from_dict

Create a PredictedPointsArray from a dictionary of node points.

Source code in sleap_io/model/instance.py
class PredictedPointsArray(PointsArray):
    """A specialized array for storing predicted instance points data with scores.

    This extends the PointsArray class to include score information for each point.

    The structured dtype includes the following fields:
        - xy: A float64 array of shape (2,) containing the x, y coordinates
        - score: A float64 containing the confidence score for the point
        - visible: A boolean indicating if the point is visible
        - complete: A boolean indicating if the point is complete
        - name: An object dtype containing the name of the node
    """

    @classmethod
    def _get_dtype(cls):
        """Get the dtype for predicted points array with scores.

        Returns:
            np.dtype: A structured numpy dtype with fields for xy coordinates,
                score, visible flag, complete flag, and node names.
        """
        return np.dtype(
            [
                ("xy", "<f8", (2,)),  # 64-bit (8-byte) little-endian double, ndim=2
                ("score", "<f8"),  # 64-bit (8-byte) little-endian double
                ("visible", "bool"),
                ("complete", "bool"),
                (
                    "name",
                    "O",
                ),  # object dtype to store pointers to python string objects
            ]
        )

    @classmethod
    def from_array(cls, array: np.ndarray) -> "PredictedPointsArray":
        """Convert an existing array to a PredictedPointsArray with the appropriate dtype.

        Args:
            array: A numpy array to convert. Can be a structured array or a regular
                array. If a regular array, it is assumed to have columns for x, y
                coordinates, scores, and optionally visible and complete flags.

        Returns:
            PredictedPointsArray: A structured array view of the input data with the
                appropriate dtype.

        Notes:
            If the input is a structured array with fields matching the target dtype,
            those fields will be copied. Otherwise, a best-effort conversion is made:

            - First two columns (or first 2D element) are interpreted as x, y coords
            - Third column (if present) is interpreted as the score
            - Fourth column (if present) is interpreted as visible flag
            - Fifth column (if present) is interpreted as complete flag

            If visibility is not provided, it is inferred from NaN values in the x coordinate.
        """
        dtype = cls._get_dtype()

        # If already the right type, just view as PredictedPointsArray
        if isinstance(array, np.ndarray) and array.dtype == dtype:
            return array.view(cls)

        # Otherwise, create a new array with the right dtype
        new_array = np.empty(len(array), dtype=dtype).view(cls)

        # Copy available fields
        if isinstance(array, np.ndarray) and array.dtype.fields is not None:
            # Structured array, copy matching fields
            for field_name in dtype.names:
                if field_name in array.dtype.names:
                    new_array[field_name] = array[field_name]
        elif isinstance(array, np.ndarray):
            # Regular array, assume x, y coordinates
            new_array["xy"] = array[:, 0:2]

            # Default visibility based on NaN
            new_array["visible"] = ~np.isnan(array[:, 0])

            # If there's a third column, assume it's the score
            if array.shape[1] >= 3:
                new_array["score"] = array[:, 2]

            # If there are more columns, assume they are visible and complete
            if array.shape[1] >= 4:
                new_array["visible"] = array[:, 3].astype(bool)

            if array.shape[1] >= 5:
                new_array["complete"] = array[:, 4].astype(bool)

        return new_array

    @classmethod
    def from_dict(cls, points_dict: dict, skeleton: Skeleton) -> "PredictedPointsArray":
        """Create a PredictedPointsArray from a dictionary of node points.

        Args:
            points_dict: A dictionary mapping nodes (as Node objects, indices, or
                strings) to point data. Each point should be an array-like with at least
                2 elements for x, y coordinates, and optionally score, visible, and
                complete flags.
            skeleton: The Skeleton object that defines the nodes.

        Returns:
            PredictedPointsArray: A structured array with the appropriate dtype
                containing the point data from the dictionary.

        Notes:
            For each entry in the points_dict:
            - First two values are treated as x, y coordinates
            - Third value (if present) is treated as score
            - Fourth value (if present) is treated as visible flag
            - Fifth value (if present) is treated as complete flag

            If visibility is not provided, it is inferred from NaN values in the x
            coordinate.
        """
        points = cls.empty(len(skeleton))

        for node, data in points_dict.items():
            if isinstance(node, (Node, str)):
                node = skeleton.index(node)

            points[node]["xy"] = data[:2]

            # Score is the third element
            idx = 2
            if len(data) > idx:
                points[node]["score"] = data[idx]
                idx += 1

            # Visibility is the fourth element (or third if no score)
            if len(data) > idx:
                points[node]["visible"] = data[idx]
            else:
                points[node]["visible"] = ~np.isnan(data[0])

            idx += 1
            # Completeness is the fifth element (or fourth if no score)
            if len(data) > idx:
                points[node]["complete"] = data[idx]

        return points

from_array(array) classmethod

Convert an existing array to a PredictedPointsArray with the appropriate dtype.

Parameters:

Name Type Description Default
array ndarray

A numpy array to convert. Can be a structured array or a regular array. If a regular array, it is assumed to have columns for x, y coordinates, scores, and optionally visible and complete flags.

required

Returns:

Name Type Description
PredictedPointsArray 'PredictedPointsArray'

A structured array view of the input data with the appropriate dtype.

Notes

If the input is a structured array with fields matching the target dtype, those fields will be copied. Otherwise, a best-effort conversion is made:

  • First two columns (or first 2D element) are interpreted as x, y coords
  • Third column (if present) is interpreted as the score
  • Fourth column (if present) is interpreted as visible flag
  • Fifth column (if present) is interpreted as complete flag

If visibility is not provided, it is inferred from NaN values in the x coordinate.

Source code in sleap_io/model/instance.py
@classmethod
def from_array(cls, array: np.ndarray) -> "PredictedPointsArray":
    """Convert an existing array to a PredictedPointsArray with the appropriate dtype.

    Args:
        array: A numpy array to convert. Can be a structured array or a regular
            array. If a regular array, it is assumed to have columns for x, y
            coordinates, scores, and optionally visible and complete flags.

    Returns:
        PredictedPointsArray: A structured array view of the input data with the
            appropriate dtype.

    Notes:
        If the input is a structured array with fields matching the target dtype,
        those fields will be copied. Otherwise, a best-effort conversion is made:

        - First two columns (or first 2D element) are interpreted as x, y coords
        - Third column (if present) is interpreted as the score
        - Fourth column (if present) is interpreted as visible flag
        - Fifth column (if present) is interpreted as complete flag

        If visibility is not provided, it is inferred from NaN values in the x coordinate.
    """
    dtype = cls._get_dtype()

    # If already the right type, just view as PredictedPointsArray
    if isinstance(array, np.ndarray) and array.dtype == dtype:
        return array.view(cls)

    # Otherwise, create a new array with the right dtype
    new_array = np.empty(len(array), dtype=dtype).view(cls)

    # Copy available fields
    if isinstance(array, np.ndarray) and array.dtype.fields is not None:
        # Structured array, copy matching fields
        for field_name in dtype.names:
            if field_name in array.dtype.names:
                new_array[field_name] = array[field_name]
    elif isinstance(array, np.ndarray):
        # Regular array, assume x, y coordinates
        new_array["xy"] = array[:, 0:2]

        # Default visibility based on NaN
        new_array["visible"] = ~np.isnan(array[:, 0])

        # If there's a third column, assume it's the score
        if array.shape[1] >= 3:
            new_array["score"] = array[:, 2]

        # If there are more columns, assume they are visible and complete
        if array.shape[1] >= 4:
            new_array["visible"] = array[:, 3].astype(bool)

        if array.shape[1] >= 5:
            new_array["complete"] = array[:, 4].astype(bool)

    return new_array

from_dict(points_dict, skeleton) classmethod

Create a PredictedPointsArray from a dictionary of node points.

Parameters:

Name Type Description Default
points_dict dict

A dictionary mapping nodes (as Node objects, indices, or strings) to point data. Each point should be an array-like with at least 2 elements for x, y coordinates, and optionally score, visible, and complete flags.

required
skeleton Skeleton

The Skeleton object that defines the nodes.

required

Returns:

Name Type Description
PredictedPointsArray 'PredictedPointsArray'

A structured array with the appropriate dtype containing the point data from the dictionary.

Notes

For each entry in the points_dict: - First two values are treated as x, y coordinates - Third value (if present) is treated as score - Fourth value (if present) is treated as visible flag - Fifth value (if present) is treated as complete flag

If visibility is not provided, it is inferred from NaN values in the x coordinate.

Source code in sleap_io/model/instance.py
@classmethod
def from_dict(cls, points_dict: dict, skeleton: Skeleton) -> "PredictedPointsArray":
    """Create a PredictedPointsArray from a dictionary of node points.

    Args:
        points_dict: A dictionary mapping nodes (as Node objects, indices, or
            strings) to point data. Each point should be an array-like with at least
            2 elements for x, y coordinates, and optionally score, visible, and
            complete flags.
        skeleton: The Skeleton object that defines the nodes.

    Returns:
        PredictedPointsArray: A structured array with the appropriate dtype
            containing the point data from the dictionary.

    Notes:
        For each entry in the points_dict:
        - First two values are treated as x, y coordinates
        - Third value (if present) is treated as score
        - Fourth value (if present) is treated as visible flag
        - Fifth value (if present) is treated as complete flag

        If visibility is not provided, it is inferred from NaN values in the x
        coordinate.
    """
    points = cls.empty(len(skeleton))

    for node, data in points_dict.items():
        if isinstance(node, (Node, str)):
            node = skeleton.index(node)

        points[node]["xy"] = data[:2]

        # Score is the third element
        idx = 2
        if len(data) > idx:
            points[node]["score"] = data[idx]
            idx += 1

        # Visibility is the fourth element (or third if no score)
        if len(data) > idx:
            points[node]["visible"] = data[idx]
        else:
            points[node]["visible"] = ~np.isnan(data[0])

        idx += 1
        # Completeness is the fifth element (or fourth if no score)
        if len(data) > idx:
            points[node]["complete"] = data[idx]

    return points

Track

An object that represents the same animal/object across multiple detections.

This allows tracking of unique entities in the video over time and space.

A Track may also be used to refer to unique identity classes that span multiple videos, such as "female mouse".

Attributes:

Name Type Description
name str

A name given to this track for identification purposes.

Notes

Tracks are compared by identity. This means that unique track objects with the same name are considered to be different.

Source code in sleap_io/model/instance.py
@attrs.define(eq=False)
class Track:
    """An object that represents the same animal/object across multiple detections.

    This allows tracking of unique entities in the video over time and space.

    A `Track` may also be used to refer to unique identity classes that span multiple
    videos, such as `"female mouse"`.

    Attributes:
        name: A name given to this track for identification purposes.

    Notes:
        `Track`s are compared by identity. This means that unique track objects with the
        same name are considered to be different.
    """

    name: str = ""