Skip to content
Snippets Groups Projects
pose_creation.py 14.8 KiB
Newer Older
  • Learn to ignore specific revisions
  • 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437
    # ##### BEGIN GPL LICENSE BLOCK #####
    #
    #  This program is free software; you can redistribute it and/or
    #  modify it under the terms of the GNU General Public License
    #  as published by the Free Software Foundation; either version 2
    #  of the License, or (at your option) any later version.
    #
    #  This program is distributed in the hope that it will be useful,
    #  but WITHOUT ANY WARRANTY; without even the implied warranty of
    #  MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
    #  GNU General Public License for more details.
    #
    #  You should have received a copy of the GNU General Public License
    #  along with this program; if not, write to the Free Software Foundation,
    #  Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
    #
    # ##### END GPL LICENSE BLOCK #####
    
    """
    Pose Library - creation functions.
    """
    
    import dataclasses
    import functools
    import re
    from typing import Optional, FrozenSet, Set, Union, Iterable, cast
    
    if "functions" not in locals():
        from . import functions
    else:
        import importlib
    
        functions = importlib.reload(functions)
    
    import bpy
    from bpy.types import (
        Action,
        Bone,
        Context,
        FCurve,
        Keyframe,
    )
    
    FCurveValue = Union[float, int]
    
    pose_bone_re = re.compile(r'pose.bones\["([^"]+)"\]')
    """RegExp for matching FCurve data paths."""
    
    
    @dataclasses.dataclass(unsafe_hash=True, frozen=True)
    class PoseCreationParams:
        armature_ob: bpy.types.Object
        src_action: Optional[Action]
        src_frame_nr: float
        bone_names: FrozenSet[str]
        new_asset_name: str
    
    
    class UnresolvablePathError(ValueError):
        """Raised when a data_path cannot be resolved to a current value."""
    
    
    @dataclasses.dataclass(unsafe_hash=True)
    class PoseActionCreator:
        """Create an Action that's suitable for marking as Asset.
    
        Does not mark as asset yet, nor does it add asset metadata.
        """
    
        params: PoseCreationParams
    
        # These were taken from Blender's Action baking code in `anim_utils.py`.
        # Items are (name, array_length) tuples.
        _bbone_props = [
            ("bbone_curveinx", None),
            ("bbone_curveoutx", None),
            ("bbone_curveinz", None),
            ("bbone_curveoutz", None),
            ("bbone_rollin", None),
            ("bbone_rollout", None),
            ("bbone_scalein", 3),
            ("bbone_scaleout", 3),
            ("bbone_easein", None),
            ("bbone_easeout", None),
        ]
    
        def create(self) -> Optional[Action]:
            """Create a single-frame Action containing only the given bones, or None if no anim data was found."""
    
            try:
                dst_action = self._create_new_action()
                self._store_pose(dst_action)
            finally:
                # Prevent next instantiations of this class from reusing pointers to
                # bones. They may not be valid by then any more.
                self._find_bone.cache_clear()
    
            if len(dst_action.fcurves) == 0:
                bpy.data.actions.remove(dst_action)
                return None
    
            return dst_action
    
        def _create_new_action(self) -> Action:
            dst_action = bpy.data.actions.new(self.params.new_asset_name)
            if self.params.src_action:
                dst_action.id_root = self.params.src_action.id_root
            dst_action.user_clear()  # actions.new() sets users=1, but marking as asset also increments user count.
            return dst_action
    
        def _store_pose(self, dst_action: Action) -> None:
            """Store the current pose into the given action."""
            self._store_bone_pose_parameters(dst_action)
            self._store_animated_parameters(dst_action)
            self._store_parameters_from_callback(dst_action)
    
        def _store_bone_pose_parameters(self, dst_action: Action) -> None:
            """Store loc/rot/scale/bbone values in the Action."""
    
            for bone_name in sorted(self.params.bone_names):
                self._store_location(dst_action, bone_name)
                self._store_rotation(dst_action, bone_name)
                self._store_scale(dst_action, bone_name)
                self._store_bbone(dst_action, bone_name)
    
        def _store_animated_parameters(self, dst_action: Action) -> None:
            """Store the current value of any animated bone properties."""
            if self.params.src_action is None:
                return
    
            armature_ob = self.params.armature_ob
            for fcurve in self.params.src_action.fcurves:
                match = pose_bone_re.match(fcurve.data_path)
                if not match:
                    # Not animating a bone property.
                    continue
    
                bone_name = match.group(1)
                if bone_name not in self.params.bone_names:
                    # Bone is not our export set.
                    continue
    
                if dst_action.fcurves.find(fcurve.data_path, index=fcurve.array_index):
                    # This property is already handled by a previous _store_xxx() call.
                    continue
    
                # Only include in the pose if there is a key on this frame.
                if not self._has_key_on_frame(fcurve):
                    continue
    
                try:
                    value = self._current_value(armature_ob, fcurve.data_path, fcurve.array_index)
                except UnresolvablePathError:
                    # A once-animated property no longer exists.
                    continue
    
                dst_fcurve = dst_action.fcurves.new(
                    fcurve.data_path, index=fcurve.array_index, action_group=bone_name
                )
                dst_fcurve.keyframe_points.insert(self.params.src_frame_nr, value=value)
                dst_fcurve.update()
    
        def _store_parameters_from_callback(self, dst_action: Action) -> None:
            """Store extra parameters in the pose based on arbitrary callbacks.
    
            Not implemented yet, needs a proper design & some user stories.
            """
            pass
    
        def _store_location(self, dst_action: Action, bone_name: str) -> None:
            """Store bone location."""
            self._store_bone_array(dst_action, bone_name, "location", 3)
    
        def _store_rotation(self, dst_action: Action, bone_name: str) -> None:
            """Store bone rotation given current rotation mode."""
            bone = self._find_bone(bone_name)
            if bone.rotation_mode == "QUATERNION":
                self._store_bone_array(dst_action, bone_name, "rotation_quaternion", 4)
            elif bone.rotation_mode == "AXIS_ANGLE":
                self._store_bone_array(dst_action, bone_name, "rotation_axis_angle", 4)
            else:
                self._store_bone_array(dst_action, bone_name, "rotation_euler", 3)
    
        def _store_scale(self, dst_action: Action, bone_name: str) -> None:
            """Store bone scale."""
            self._store_bone_array(dst_action, bone_name, "scale", 3)
    
        def _store_bbone(self, dst_action: Action, bone_name: str) -> None:
            """Store bendy-bone parameters."""
            for prop_name, array_length in self._bbone_props:
                if array_length:
                    self._store_bone_array(dst_action, bone_name, prop_name, array_length)
                else:
                    self._store_bone_property(dst_action, bone_name, prop_name)
    
        def _store_bone_array(
            self, dst_action: Action, bone_name: str, property_name: str, array_length: int
        ) -> None:
            """Store all elements of an array property."""
            for array_index in range(array_length):
                self._store_bone_property(dst_action, bone_name, property_name, array_index)
    
        def _store_bone_property(
            self,
            dst_action: Action,
            bone_name: str,
            property_path: str,
            array_index: int = -1,
        ) -> None:
            """Store the current value of a single bone property."""
    
            bone = self._find_bone(bone_name)
            value = self._current_value(bone, property_path, array_index)
    
            # Get the full 'pose.bones["bone_name"].blablabla' path suitable for FCurves.
            rna_path = bone.path_from_id(property_path)
    
            fcurve: Optional[FCurve] = dst_action.fcurves.find(rna_path, index=array_index)
            if fcurve is None:
                fcurve = dst_action.fcurves.new(rna_path, index=array_index, action_group=bone_name)
    
            fcurve.keyframe_points.insert(self.params.src_frame_nr, value=value)
            fcurve.update()
    
        @classmethod
        def _current_value(
            cls, datablock: bpy.types.ID, data_path: str, array_index: int
        ) -> FCurveValue:
            """Resolve an RNA path + array index to an actual value."""
            value_or_array = cls._path_resolve(datablock, data_path)
    
            # Both indices -1 and 0 are used for non-array properties.
            # -1 cannot be used in arrays, whereas 0 can be used in both arrays and non-arrays.
    
            if array_index == -1:
                return cast(FCurveValue, value_or_array)
    
            if array_index == 0:
                value_or_array = cls._path_resolve(datablock, data_path)
                try:
                    # MyPy doesn't understand this try/except is to determine the type.
                    value = value_or_array[array_index]  # type: ignore
                except TypeError:
                    # Not an array after all.
                    return cast(FCurveValue, value_or_array)
                return cast(FCurveValue, value)
    
            # MyPy doesn't understand that array_index>0 implies this is indexable.
            return cast(FCurveValue, value_or_array[array_index])  # type: ignore
    
        @staticmethod
        def _path_resolve(
            datablock: bpy.types.ID, data_path: str
        ) -> Union[FCurveValue, Iterable[FCurveValue]]:
            """Wrapper for datablock.path_resolve(data_path).
    
            Raise UnresolvablePathError when the path cannot be resolved.
            This is easier to deal with upstream than the generic ValueError raised
            by Blender.
            """
            try:
                return datablock.path_resolve(data_path)  # type: ignore
            except ValueError as ex:
                raise UnresolvablePathError(str(ex)) from ex
    
        @functools.lru_cache(maxsize=1024)
        def _find_bone(self, bone_name: str) -> Bone:
            """Find a bone by name.
    
            Assumes the named bone exists, as the bones this class handles comes
            from the user's selection, and you can't select a non-existent bone.
            """
    
            bone: Bone = self.params.armature_ob.pose.bones[bone_name]
            return bone
    
        def _has_key_on_frame(self, fcurve: FCurve) -> bool:
            """Return True iff the FCurve has a key on the source frame."""
    
            points = fcurve.keyframe_points
            if not points:
                return False
    
            frame_to_find = self.params.src_frame_nr
            margin = 0.001
            high = len(points) - 1
            low = 0
            while low <= high:
                mid = (high + low) // 2
                diff = points[mid].co.x - frame_to_find
                if abs(diff) < margin:
                    return True
                if diff < 0:
                    # Frame to find is bigger than the current middle.
                    low = mid + 1
                else:
                    # Frame to find is smaller than the current middle
                    high = mid - 1
            return False
    
    
    def create_pose_asset(
        context: Context,
        params: PoseCreationParams,
    ) -> Optional[Action]:
        """Create a single-frame Action containing only the pose of the given bones.
    
        DOES mark as asset, DOES NOT add asset metadata.
        """
    
        creator = PoseActionCreator(params)
        pose_action = creator.create()
        if pose_action is None:
            return None
    
        functions.asset_mark(context, pose_action)
        return pose_action
    
    
    def create_pose_asset_from_context(context: Context, new_asset_name: str) -> Optional[Action]:
        """Create Action asset from active object & selected bones."""
    
        bones = context.selected_pose_bones_from_active_object
        bone_names = {bone.name for bone in bones}
    
        params = PoseCreationParams(
            context.object,
            getattr(context.object.animation_data, "action", None),
            context.scene.frame_current,
            frozenset(bone_names),
            new_asset_name,
        )
    
        return create_pose_asset(context, params)
    
    
    def copy_fcurves(
        dst_action: Action,
        src_action: Action,
        src_frame_nr: float,
        bone_names: Set[str],
    ) -> int:
        """Copy FCurves, returning number of curves copied."""
        num_fcurves_copied = 0
        for fcurve in src_action.fcurves:
            match = pose_bone_re.match(fcurve.data_path)
            if not match:
                continue
    
            bone_name = match.group(1)
            if bone_name not in bone_names:
                continue
    
            # Check if there is a keyframe on this frame.
            keyframe = find_keyframe(fcurve, src_frame_nr)
            if keyframe is None:
                continue
            create_single_key_fcurve(dst_action, fcurve, keyframe)
            num_fcurves_copied += 1
        return num_fcurves_copied
    
    
    def create_single_key_fcurve(
        dst_action: Action, src_fcurve: FCurve, src_keyframe: Keyframe
    ) -> FCurve:
        """Create a copy of the source FCurve, but only for the given keyframe.
    
        Returns a new FCurve with just one keyframe.
        """
    
        dst_fcurve = copy_fcurve_without_keys(dst_action, src_fcurve)
        copy_keyframe(dst_fcurve, src_keyframe)
        return dst_fcurve
    
    
    def copy_fcurve_without_keys(dst_action: Action, src_fcurve: FCurve) -> FCurve:
        """Create a new FCurve and copy some properties."""
    
        src_group_name = src_fcurve.group.name if src_fcurve.group else ""
        dst_fcurve = dst_action.fcurves.new(
            src_fcurve.data_path, index=src_fcurve.array_index, action_group=src_group_name
        )
        for propname in {"auto_smoothing", "color", "color_mode", "extrapolation"}:
            setattr(dst_fcurve, propname, getattr(src_fcurve, propname))
        return dst_fcurve
    
    
    def copy_keyframe(dst_fcurve: FCurve, src_keyframe: Keyframe) -> Keyframe:
        """Copy a keyframe from one FCurve to the other."""
    
        dst_keyframe = dst_fcurve.keyframe_points.insert(
            src_keyframe.co.x, src_keyframe.co.y, options={'FAST'}, keyframe_type=src_keyframe.type
        )
    
        for propname in {
            "amplitude",
            "back",
            "easing",
            "handle_left",
            "handle_left_type",
            "handle_right",
            "handle_right_type",
            "interpolation",
            "period",
        }:
            setattr(dst_keyframe, propname, getattr(src_keyframe, propname))
        dst_fcurve.update()
        return dst_keyframe
    
    
    def find_keyframe(fcurve: FCurve, frame: float) -> Optional[Keyframe]:
        # Binary search adapted from https://pythonguides.com/python-binary-search/
        keyframes = fcurve.keyframe_points
        low = 0
        high = len(keyframes) - 1
        mid = 0
    
        # Accept any keyframe that's within 'epsilon' of the requested frame.
        # This should account for rounding errors and the likes.
        epsilon = 1e-4
        frame_lowerbound = frame - epsilon
        frame_upperbound = frame + epsilon
        while low <= high:
            mid = (high + low) // 2
            keyframe = keyframes[mid]
            if keyframe.co.x < frame_lowerbound:
                low = mid + 1
            elif keyframe.co.x > frame_upperbound:
                high = mid - 1
            else:
                return keyframe
        return None
    
    
    def assign_tags_from_asset_browser(asset: Action, asset_browser: bpy.types.Area) -> None:
        # TODO(Sybren): implement
        return