Skip to content
Snippets Groups Projects
animation.py 32 KiB
Newer Older
  • Learn to ignore specific revisions
  • #====================== 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 ========================
    
    # <pep8 compliant>
    
    
    import bpy
    
    import math
    import json
    
    from mathutils import Matrix, Vector
    
    rig_id = None
    
    
    #=============================================
    # Keyframing functions
    #=============================================
    
    
    
    def get_keyed_frames_in_range(context, rig):
        action = find_action(rig)
        if action:
            frame_range = RIGIFY_OT_get_frame_range.get_range(context)
    
            return sorted(get_curve_frame_set(action.fcurves, frame_range))
        else:
            return []
    
    
    
    def bones_in_frame(f, rig, *args):
        """
        True if one of the bones listed in args is animated at frame f
        :param f: the frame
        :param rig: the rig
        :param args: bone names
        :return:
        """
    
        if rig.animation_data and rig.animation_data.action:
            fcus = rig.animation_data.action.fcurves
        else:
            return False
    
        for fc in fcus:
            animated_frames = [kp.co[0] for kp in fc.keyframe_points]
            for bone in args:
                if bone in fc.data_path.split('"') and f in animated_frames:
                    return True
    
        return False
    
    
    def overwrite_prop_animation(rig, bone, prop_name, value, frames):
        act = rig.animation_data.action
        if not act:
            return
    
        bone_name = bone.name
        curve = None
    
        for fcu in act.fcurves:
            words = fcu.data_path.split('"')
            if words[0] == "pose.bones[" and words[1] == bone_name and words[-2] == prop_name:
                curve = fcu
                break
    
        if not curve:
            return
    
        for kp in curve.keyframe_points:
            if kp.co[0] in frames:
                kp.co[1] = value
    
    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 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878
    
    ################################################################
    # Utilities for inserting keyframes and/or setting transforms ##
    ################################################################
    
    SCRIPT_UTILITIES_KEYING = ['''
    ######################
    ## Keyframing tools ##
    ######################
    
    def get_keying_flags(context):
        "Retrieve the general keyframing flags from user preferences."
        prefs = context.preferences
        ts = context.scene.tool_settings
        flags = set()
        # Not adding INSERTKEY_VISUAL
        if prefs.edit.use_keyframe_insert_needed:
            flags.add('INSERTKEY_NEEDED')
        if prefs.edit.use_insertkey_xyz_to_rgb:
            flags.add('INSERTKEY_XYZ_TO_RGB')
        if ts.use_keyframe_cycle_aware:
            flags.add('INSERTKEY_CYCLE_AWARE')
        return flags
    
    def get_autokey_flags(context, ignore_keyset=False):
        "Retrieve the Auto Keyframe flags, or None if disabled."
        ts = context.scene.tool_settings
        if ts.use_keyframe_insert_auto and (ignore_keyset or not ts.use_keyframe_insert_keyingset):
            flags = get_keying_flags(context)
            if context.preferences.edit.use_keyframe_insert_available:
                flags.add('INSERTKEY_AVAILABLE')
            if ts.auto_keying_mode == 'REPLACE_KEYS':
                flags.add('INSERTKEY_REPLACE')
            return flags
        else:
            return None
    
    def add_flags_if_set(base, new_flags):
        "Add more flags if base is not None."
        if base is None:
            return None
        else:
            return base | new_flags
    
    def get_4d_rotlock(bone):
        "Retrieve the lock status for 4D rotation."
        if bone.lock_rotations_4d:
            return [bone.lock_rotation_w, *bone.lock_rotation]
        else:
            return [all(bone.lock_rotation)] * 4
    
    def keyframe_transform_properties(obj, bone_name, keyflags, *, ignore_locks=False, no_loc=False, no_rot=False, no_scale=False):
        "Keyframe transformation properties, taking flags and mode into account, and avoiding keying locked channels."
        bone = obj.pose.bones[bone_name]
    
        def keyframe_channels(prop, locks):
            if ignore_locks or not all(locks):
                if ignore_locks or not any(locks):
                    bone.keyframe_insert(prop, group=bone_name, options=keyflags)
                else:
                    for i, lock in enumerate(locks):
                        if not lock:
                            bone.keyframe_insert(prop, index=i, group=bone_name, options=keyflags)
    
        if not (no_loc or bone.bone.use_connect):
            keyframe_channels('location', bone.lock_location)
    
        if not no_rot:
            if bone.rotation_mode == 'QUATERNION':
                keyframe_channels('rotation_quaternion', get_4d_rotlock(bone))
            elif bone.rotation_mode == 'AXIS_ANGLE':
                keyframe_channels('rotation_axis_angle', get_4d_rotlock(bone))
            else:
                keyframe_channels('rotation_euler', bone.lock_rotation)
    
        if not no_scale:
            keyframe_channels('scale', bone.lock_scale)
    
    ######################
    ## Constraint tools ##
    ######################
    
    def get_constraint_target_matrix(con):
        target = con.target
        if target:
            if target.type == 'ARMATURE' and con.subtarget:
                if con.subtarget in target.pose.bones:
                    bone = target.pose.bones[con.subtarget]
                    return target.convert_space(pose_bone=bone, matrix=bone.matrix, from_space='POSE', to_space=con.target_space)
            else:
                return target.convert_space(matrix=target.matrix_world, from_space='WORLD', to_space=con.target_space)
        return Matrix.Identity(4)
    
    def undo_copy_scale_with_offset(obj, bone, con, old_matrix):
        "Undo the effects of Copy Scale with Offset constraint on a bone matrix."
        inf = con.influence
    
        if con.mute or inf == 0 or not con.is_valid or not con.use_offset or con.use_add or con.use_make_uniform:
            return old_matrix
    
        scale_delta = [
            1 / (1 + (math.pow(x, con.power) - 1) * inf)
            for x in get_constraint_target_matrix(con).to_scale()
        ]
    
        for i, use in enumerate([con.use_x, con.use_y, con.use_z]):
            if not use:
                scale_delta[i] = 1
    
        return old_matrix @ Matrix.Diagonal([*scale_delta, 1])
    
    def undo_copy_scale_constraints(obj, bone, matrix):
        "Undo the effects of all Copy Scale with Offset constraints on a bone matrix."
        for con in reversed(bone.constraints):
            if con.type == 'COPY_SCALE':
                matrix = undo_copy_scale_with_offset(obj, bone, con, matrix)
        return matrix
    
    ###############################
    ## Assign and keyframe tools ##
    ###############################
    
    def set_custom_property_value(obj, bone_name, prop, value, *, keyflags=None):
        "Assign the value of a custom property, and optionally keyframe it."
        from rna_prop_ui import rna_idprop_ui_prop_update
        bone = obj.pose.bones[bone_name]
        bone[prop] = value
        rna_idprop_ui_prop_update(bone, prop)
        if keyflags is not None:
            bone.keyframe_insert(rna_idprop_quote_path(prop), group=bone.name, options=keyflags)
    
    def get_transform_matrix(obj, bone_name, *, space='POSE', with_constraints=True):
        "Retrieve the matrix of the bone before or after constraints in the given space."
        bone = obj.pose.bones[bone_name]
        if with_constraints:
            return obj.convert_space(pose_bone=bone, matrix=bone.matrix, from_space='POSE', to_space=space)
        else:
            return obj.convert_space(pose_bone=bone, matrix=bone.matrix_basis, from_space='LOCAL', to_space=space)
    
    def get_chain_transform_matrices(obj, bone_names, **options):
        return [get_transform_matrix(obj, name, **options) for name in bone_names]
    
    def set_transform_from_matrix(obj, bone_name, matrix, *, space='POSE', undo_copy_scale=False, ignore_locks=False, no_loc=False, no_rot=False, no_scale=False, keyflags=None):
        "Apply the matrix to the transformation of the bone, taking locked channels, mode and certain constraints into account, and optionally keyframe it."
        bone = obj.pose.bones[bone_name]
    
        def restore_channels(prop, old_vec, locks, extra_lock):
            if extra_lock or (not ignore_locks and all(locks)):
                setattr(bone, prop, old_vec)
            else:
                if not ignore_locks and any(locks):
                    new_vec = Vector(getattr(bone, prop))
    
                    for i, lock in enumerate(locks):
                        if lock:
                            new_vec[i] = old_vec[i]
    
                    setattr(bone, prop, new_vec)
    
        # Save the old values of the properties
        old_loc = Vector(bone.location)
        old_rot_euler = Vector(bone.rotation_euler)
        old_rot_quat = Vector(bone.rotation_quaternion)
        old_rot_axis = Vector(bone.rotation_axis_angle)
        old_scale = Vector(bone.scale)
    
        # Compute and assign the local matrix
        if space != 'LOCAL':
            matrix = obj.convert_space(pose_bone=bone, matrix=matrix, from_space=space, to_space='LOCAL')
    
        if undo_copy_scale:
            matrix = undo_copy_scale_constraints(obj, bone, matrix)
    
        bone.matrix_basis = matrix
    
        # Restore locked properties
        restore_channels('location', old_loc, bone.lock_location, no_loc or bone.bone.use_connect)
    
        if bone.rotation_mode == 'QUATERNION':
            restore_channels('rotation_quaternion', old_rot_quat, get_4d_rotlock(bone), no_rot)
            bone.rotation_axis_angle = old_rot_axis
            bone.rotation_euler = old_rot_euler
        elif bone.rotation_mode == 'AXIS_ANGLE':
            bone.rotation_quaternion = old_rot_quat
            restore_channels('rotation_axis_angle', old_rot_axis, get_4d_rotlock(bone), no_rot)
            bone.rotation_euler = old_rot_euler
        else:
            bone.rotation_quaternion = old_rot_quat
            bone.rotation_axis_angle = old_rot_axis
            restore_channels('rotation_euler', old_rot_euler, bone.lock_rotation, no_rot)
    
        restore_channels('scale', old_scale, bone.lock_scale, no_scale)
    
        # Keyframe properties
        if keyflags is not None:
            keyframe_transform_properties(
                obj, bone_name, keyflags, ignore_locks=ignore_locks,
                no_loc=no_loc, no_rot=no_rot, no_scale=no_scale
            )
    
    def set_chain_transforms_from_matrices(context, obj, bone_names, matrices, **options):
        for bone, matrix in zip(bone_names, matrices):
            set_transform_from_matrix(obj, bone, matrix, **options)
            context.view_layer.update()
    ''']
    
    exec(SCRIPT_UTILITIES_KEYING[-1])
    
    ############################################
    # Utilities for managing animation curves ##
    ############################################
    
    SCRIPT_UTILITIES_CURVES = ['''
    ###########################
    ## Animation curve tools ##
    ###########################
    
    def flatten_curve_set(curves):
        "Iterate over all FCurves inside a set of nested lists and dictionaries."
        if curves is None:
            pass
        elif isinstance(curves, bpy.types.FCurve):
            yield curves
        elif isinstance(curves, dict):
            for sub in curves.values():
                yield from flatten_curve_set(sub)
        else:
            for sub in curves:
                yield from flatten_curve_set(sub)
    
    def flatten_curve_key_set(curves, key_range=None):
        "Iterate over all keys of the given fcurves in the specified range."
        for curve in flatten_curve_set(curves):
            for key in curve.keyframe_points:
                if key_range is None or key_range[0] <= key.co[0] <= key_range[1]:
                    yield key
    
    def get_curve_frame_set(curves, key_range=None):
        "Compute a set of all time values with existing keys in the given curves and range."
        return set(key.co[0] for key in flatten_curve_key_set(curves, key_range))
    
    def set_curve_key_interpolation(curves, ipo, key_range=None):
        "Assign the given interpolation value to all curve keys in range."
        for key in flatten_curve_key_set(curves, key_range):
            key.interpolation = ipo
    
    def delete_curve_keys_in_range(curves, key_range=None):
        "Delete all keys of the given curves within the given range."
        for curve in flatten_curve_set(curves):
            points = curve.keyframe_points
            for i in range(len(points), 0, -1):
                key = points[i - 1]
                if key_range is None or key_range[0] <= key.co[0] <= key_range[1]:
                    points.remove(key, fast=True)
            curve.update()
    
    def nla_tweak_to_scene(anim_data, frames, invert=False):
        "Convert a frame value or list between scene and tweaked NLA strip time."
        if frames is None:
            return None
        elif anim_data is None or not anim_data.use_tweak_mode:
            return frames
        elif isinstance(frames, (int, float)):
            return anim_data.nla_tweak_strip_time_to_scene(frames, invert=invert)
        else:
            return type(frames)(
                anim_data.nla_tweak_strip_time_to_scene(v, invert=invert) for v in frames
            )
    
    def find_action(action):
        if isinstance(action, bpy.types.Object):
            action = action.animation_data
        if isinstance(action, bpy.types.AnimData):
            action = action.action
        if isinstance(action, bpy.types.Action):
            return action
        else:
            return None
    
    def clean_action_empty_curves(action):
        "Delete completely empty curves from the given action."
        action = find_action(action)
        for curve in list(action.fcurves):
            if curve.is_empty:
                action.fcurves.remove(curve)
        action.update_tag()
    
    TRANSFORM_PROPS_LOCATION = frozenset(['location'])
    TRANSFORM_PROPS_ROTATION = frozenset(['rotation_euler', 'rotation_quaternion', 'rotation_axis_angle'])
    TRANSFORM_PROPS_SCALE = frozenset(['scale'])
    TRANSFORM_PROPS_ALL = frozenset(TRANSFORM_PROPS_LOCATION | TRANSFORM_PROPS_ROTATION | TRANSFORM_PROPS_SCALE)
    
    class ActionCurveTable(object):
        "Table for efficient lookup of FCurves by properties."
    
        def __init__(self, action):
            from collections import defaultdict
            self.action = find_action(action)
            self.curve_map = defaultdict(dict)
            self.index_action()
    
        def index_action(self):
            if not self.action:
                return
    
            for curve in self.action.fcurves:
                index = curve.array_index
                if index < 0:
                    index = 0
                self.curve_map[curve.data_path][index] = curve
    
        def get_prop_curves(self, ptr, prop_path):
            "Returns a dictionary from array index to curve for the given property, or Null."
            return self.curve_map.get(ptr.path_from_id(prop_path))
    
        def list_all_prop_curves(self, ptr_set, path_set):
            "Iterates over all FCurves matching the given object(s) and properti(es)."
            if isinstance(ptr_set, bpy.types.bpy_struct):
                ptr_set = [ptr_set]
            for ptr in ptr_set:
                for path in path_set:
                    curves = self.get_prop_curves(ptr, path)
                    if curves:
                        yield from curves.values()
    
        def get_custom_prop_curves(self, ptr, prop):
            return self.get_prop_curves(ptr, rna_idprop_quote_path(prop))
    ''']
    
    exec(SCRIPT_UTILITIES_CURVES[-1])
    
    ################################################
    # Utilities for operators that bake keyframes ##
    ################################################
    
    _SCRIPT_REGISTER_WM_PROPS = '''
    bpy.types.WindowManager.rigify_transfer_use_all_keys = bpy.props.BoolProperty(
        name="Bake All Keyed Frames", description="Bake on every frame that has a key for any of the bones, as opposed to just the relevant ones", default=False
    )
    bpy.types.WindowManager.rigify_transfer_use_frame_range = bpy.props.BoolProperty(
        name="Limit Frame Range", description="Only bake keyframes in a certain frame range", default=False
    )
    bpy.types.WindowManager.rigify_transfer_start_frame = bpy.props.IntProperty(
        name="Start", description="First frame to transfer", default=0, min=0
    )
    bpy.types.WindowManager.rigify_transfer_end_frame = bpy.props.IntProperty(
        name="End", description="Last frame to transfer", default=0, min=0
    )
    '''
    
    _SCRIPT_UNREGISTER_WM_PROPS = '''
    del bpy.types.WindowManager.rigify_transfer_use_all_keys
    del bpy.types.WindowManager.rigify_transfer_use_frame_range
    del bpy.types.WindowManager.rigify_transfer_start_frame
    del bpy.types.WindowManager.rigify_transfer_end_frame
    '''
    
    _SCRIPT_UTILITIES_BAKE_OPS = '''
    class RIGIFY_OT_get_frame_range(bpy.types.Operator):
        bl_idname = "rigify.get_frame_range" + ('_'+rig_id if rig_id else '')
        bl_label = "Get Frame Range"
        bl_description = "Set start and end frame from scene"
        bl_options = {'INTERNAL'}
    
        def execute(self, context):
            scn = context.scene
            id_store = context.window_manager
            id_store.rigify_transfer_start_frame = scn.frame_start
            id_store.rigify_transfer_end_frame = scn.frame_end
            return {'FINISHED'}
    
        @staticmethod
        def get_range(context):
            id_store = context.window_manager
            if not id_store.rigify_transfer_use_frame_range:
                return None
            else:
                return (id_store.rigify_transfer_start_frame, id_store.rigify_transfer_end_frame)
    
        @classmethod
        def draw_range_ui(self, context, layout):
            id_store = context.window_manager
    
            row = layout.row(align=True)
            row.prop(id_store, 'rigify_transfer_use_frame_range', icon='PREVIEW_RANGE', text='')
    
            row = row.row(align=True)
            row.active = id_store.rigify_transfer_use_frame_range
            row.prop(id_store, 'rigify_transfer_start_frame')
            row.prop(id_store, 'rigify_transfer_end_frame')
            row.operator(self.bl_idname, icon='TIME', text='')
    '''
    
    exec(_SCRIPT_UTILITIES_BAKE_OPS)
    
    ################################################
    # Framework for operators that bake keyframes ##
    ################################################
    
    SCRIPT_REGISTER_BAKE = ['RIGIFY_OT_get_frame_range']
    
    SCRIPT_UTILITIES_BAKE = SCRIPT_UTILITIES_KEYING + SCRIPT_UTILITIES_CURVES + ['''
    ##################################
    # Common bake operator settings ##
    ##################################
    ''' + _SCRIPT_REGISTER_WM_PROPS + _SCRIPT_UTILITIES_BAKE_OPS + '''
    #######################################
    # Keyframe baking operator framework ##
    #######################################
    
    class RigifyBakeKeyframesMixin:
        """Basic framework for an operator that updates a set of keyed frames."""
    
        # Utilities
        def nla_from_raw(self, frames):
            "Convert frame(s) from inner action time to scene time."
            return nla_tweak_to_scene(self.bake_anim, frames)
    
        def nla_to_raw(self, frames):
            "Convert frame(s) from scene time to inner action time."
            return nla_tweak_to_scene(self.bake_anim, frames, invert=True)
    
        def bake_get_bone(self, bone_name):
            "Get pose bone by name."
            return self.bake_rig.pose.bones[bone_name]
    
        def bake_get_bones(self, bone_names):
            "Get multiple pose bones by name."
            if isinstance(bone_names, (list, set)):
                return [self.bake_get_bone(name) for name in bone_names]
            else:
                return self.bake_get_bone(bone_names)
    
        def bake_get_all_bone_curves(self, bone_names, props):
            "Get a list of all curves for the specified properties of the specified bones."
            return list(self.bake_curve_table.list_all_prop_curves(self.bake_get_bones(bone_names), props))
    
        def bake_get_all_bone_custom_prop_curves(self, bone_names, props):
            "Get a list of all curves for the specified custom properties of the specified bones."
            return self.bake_get_all_bone_curves(bone_names, [rna_idprop_quote_path(p) for p in props])
    
        def bake_get_bone_prop_curves(self, bone_name, prop):
            "Get an index to curve dict for the specified property of the specified bone."
            return self.bake_curve_table.get_prop_curves(self.bake_get_bone(bone_name), prop)
    
        def bake_get_bone_custom_prop_curves(self, bone_name, prop):
            "Get an index to curve dict for the specified custom property of the specified bone."
            return self.bake_curve_table.get_custom_prop_curves(self.bake_get_bone(bone_name), prop)
    
        def bake_add_curve_frames(self, curves):
            "Register frames keyed in the specified curves for baking."
            self.bake_frames_raw |= get_curve_frame_set(curves, self.bake_frame_range_raw)
    
        def bake_add_bone_frames(self, bone_names, props):
            "Register frames keyed for the specified properties of the specified bones for baking."
            curves = self.bake_get_all_bone_curves(bone_names, props)
            self.bake_add_curve_frames(curves)
            return curves
    
        def bake_replace_custom_prop_keys_constant(self, bone, prop, new_value):
            "If the property is keyframed, delete keys in bake range and re-key as Constant."
            prop_curves = self.bake_get_bone_custom_prop_curves(bone, prop)
    
            if prop_curves and 0 in prop_curves:
                range_raw = self.nla_to_raw(self.get_bake_range())
                delete_curve_keys_in_range(prop_curves, range_raw)
                set_custom_property_value(self.bake_rig, bone, prop, new_value, keyflags={'INSERTKEY_AVAILABLE'})
                set_curve_key_interpolation(prop_curves, 'CONSTANT', range_raw)
    
        # Default behavior implementation
        def bake_init(self, context):
            self.bake_rig = context.active_object
            self.bake_anim = self.bake_rig.animation_data
            self.bake_frame_range = RIGIFY_OT_get_frame_range.get_range(context)
            self.bake_frame_range_raw = self.nla_to_raw(self.bake_frame_range)
            self.bake_curve_table = ActionCurveTable(self.bake_rig)
            self.bake_current_frame = context.scene.frame_current
            self.bake_frames_raw = set()
            self.bake_state = dict()
    
            self.keyflags = get_keying_flags(context)
    
            if context.window_manager.rigify_transfer_use_all_keys:
                self.bake_add_curve_frames(self.bake_curve_table.curve_map)
    
        def bake_add_frames_done(self):
            "Computes and sets the final set of frames to bake."
            frames = self.nla_from_raw(self.bake_frames_raw)
            self.bake_frames = sorted(set(map(round, frames)))
    
        def is_bake_empty(self):
            return len(self.bake_frames_raw) == 0
    
        def report_bake_empty(self):
            self.bake_add_frames_done()
            if self.is_bake_empty():
                self.report({'WARNING'}, 'No keys to bake.')
                return True
            return False
    
        def get_bake_range(self):
            "Returns the frame range that is being baked."
            if self.bake_frame_range:
                return self.bake_frame_range
            else:
                frames = self.bake_frames
                return (frames[0], frames[-1])
    
        def get_bake_range_pair(self):
            "Returns the frame range that is being baked, both in scene and action time."
            range = self.get_bake_range()
            return range, self.nla_to_raw(range)
    
        def bake_save_state(self, context):
            "Scans frames and collects data for baking before changing anything."
            rig = self.bake_rig
            scene = context.scene
            saved_state = self.bake_state
    
            for frame in self.bake_frames:
                scene.frame_set(frame)
                saved_state[frame] = self.save_frame_state(context, rig)
    
        def bake_clean_curves_in_range(self, context, curves):
            "Deletes all keys from the given curves in the bake range."
            range, range_raw = self.get_bake_range_pair()
    
            context.scene.frame_set(range[0])
            delete_curve_keys_in_range(curves, range_raw)
    
            return range, range_raw
    
        def bake_apply_state(self, context):
            "Scans frames and applies the baking operation."
            rig = self.bake_rig
            scene = context.scene
            saved_state = self.bake_state
    
            for frame in self.bake_frames:
                scene.frame_set(frame)
                self.apply_frame_state(context, rig, saved_state.get(frame))
    
            clean_action_empty_curves(self.bake_rig)
            scene.frame_set(self.bake_current_frame)
    
        @staticmethod
        def draw_common_bake_ui(context, layout):
            layout.prop(context.window_manager, 'rigify_transfer_use_all_keys')
    
            RIGIFY_OT_get_frame_range.draw_range_ui(context, layout)
    
        @classmethod
        def poll(cls, context):
            return find_action(context.active_object) is not None
    
        def execute_scan_curves(self, context, obj):
            "Override to register frames to be baked, and return curves that should be cleared."
            raise NotImplementedError()
    
        def execute_before_apply(self, context, obj, range, range_raw):
            "Override to execute code one time before the bake apply frame scan."
            pass
    
        def init_execute(self, context):
            "Override to initialize the operator."
            pass
    
        def execute(self, context):
            self.init_execute(context)
            self.bake_init(context)
    
            curves = self.execute_scan_curves(context, self.bake_rig)
    
            if self.report_bake_empty():
                return {'CANCELLED'}
    
            self.bake_save_state(context)
    
            range, range_raw = self.bake_clean_curves_in_range(context, curves)
    
            self.execute_before_apply(context, self.bake_rig, range, range_raw)
    
            self.bake_apply_state(context)
            return {'FINISHED'}
    
        def init_invoke(self, context):
            "Override to initialize the operator."
            pass
    
        def invoke(self, context, event):
            self.init_invoke(context)
    
            if hasattr(self, 'draw'):
                return context.window_manager.invoke_props_dialog(self)
            else:
                return context.window_manager.invoke_confirm(self, event)
    
    
    class RigifySingleUpdateMixin:
        """Basic framework for an operator that updates only the current frame."""
    
        def init_execute(self, context):
            pass
    
        def execute(self, context):
            self.init_execute(context)
            obj = context.active_object
            self.keyflags = get_autokey_flags(context, ignore_keyset=True)
            self.keyflags_switch = add_flags_if_set(self.keyflags, {'INSERTKEY_AVAILABLE'})
            self.apply_frame_state(context, obj, self.save_frame_state(context, obj))
            return {'FINISHED'}
    
        def init_invoke(self, context):
            pass
    
        def invoke(self, context, event):
            self.init_invoke(context)
    
            if hasattr(self, 'draw'):
                return context.window_manager.invoke_props_popup(self, event)
            else:
                return self.execute(context)
    ''']
    
    exec(SCRIPT_UTILITIES_BAKE[-1])
    
    #####################################
    # Generic Clear Keyframes operator ##
    #####################################
    
    SCRIPT_REGISTER_OP_CLEAR_KEYS = ['POSE_OT_rigify_clear_keyframes']
    
    SCRIPT_UTILITIES_OP_CLEAR_KEYS = ['''
    #############################
    ## Generic Clear Keyframes ##
    #############################
    
    class POSE_OT_rigify_clear_keyframes(bpy.types.Operator):
        bl_idname = "pose.rigify_clear_keyframes_" + rig_id
        bl_label = "Clear Keyframes And Transformation"
        bl_options = {'UNDO', 'INTERNAL'}
        bl_description = "Remove all keyframes for the relevant bones and reset transformation"
    
        bones: StringProperty(name="Bone List")
    
        @classmethod
        def poll(cls, context):
            return find_action(context.active_object) is not None
    
        def invoke(self, context, event):
            return context.window_manager.invoke_confirm(self, event)
    
        def execute(self, context):
            obj = context.active_object
            bone_list = [ obj.pose.bones[name] for name in json.loads(self.bones) ]
    
            curve_table = ActionCurveTable(context.active_object)
            curves = list(curve_table.list_all_prop_curves(bone_list, TRANSFORM_PROPS_ALL))
    
            key_range = RIGIFY_OT_get_frame_range.get_range(context)
            range_raw = nla_tweak_to_scene(obj.animation_data, key_range, invert=True)
            delete_curve_keys_in_range(curves, range_raw)
    
            for bone in bone_list:
                bone.location = bone.rotation_euler = (0,0,0)
                bone.rotation_quaternion = (1,0,0,0)
                bone.rotation_axis_angle = (0,0,1,0)
                bone.scale = (1,1,1)
    
            clean_action_empty_curves(obj)
            obj.update_tag(refresh={'TIME'})
            return {'FINISHED'}
    ''']
    
    def add_clear_keyframes_button(panel, *, bones=[], label='', text=''):
        panel.use_bake_settings()
        panel.script.add_utilities(SCRIPT_UTILITIES_OP_CLEAR_KEYS)
        panel.script.register_classes(SCRIPT_REGISTER_OP_CLEAR_KEYS)
    
        op_props = { 'bones': json.dumps(bones) }
    
        panel.operator('pose.rigify_clear_keyframes_{rig_id}', text=text, icon='CANCEL', properties=op_props)
    
    
    ###################################
    # Generic Snap FK to IK operator ##
    ###################################
    
    SCRIPT_REGISTER_OP_SNAP_FK_IK = ['POSE_OT_rigify_generic_fk2ik', 'POSE_OT_rigify_generic_fk2ik_bake']
    
    SCRIPT_UTILITIES_OP_SNAP_FK_IK = ['''
    ###########################
    ## Generic Snap FK to IK ##
    ###########################
    
    class RigifyGenericFk2IkBase:
        fk_bones:     StringProperty(name="FK Bone Chain")
        ik_bones:     StringProperty(name="IK Result Bone Chain")
        ctrl_bones:   StringProperty(name="IK Controls")
    
        undo_copy_scale: bpy.props.BoolProperty(name="Undo Copy Scale", default=False)
    
        keyflags = None
    
        def init_execute(self, context):
            self.fk_bone_list = json.loads(self.fk_bones)
            self.ik_bone_list = json.loads(self.ik_bones)
            self.ctrl_bone_list = json.loads(self.ctrl_bones)
    
        def save_frame_state(self, context, obj):
            return get_chain_transform_matrices(obj, self.ik_bone_list)
    
        def apply_frame_state(self, context, obj, matrices):
            set_chain_transforms_from_matrices(
                context, obj, self.fk_bone_list, matrices,
                undo_copy_scale=self.undo_copy_scale, keyflags=self.keyflags
            )
    
    class POSE_OT_rigify_generic_fk2ik(RigifyGenericFk2IkBase, RigifySingleUpdateMixin, bpy.types.Operator):
        bl_idname = "pose.rigify_generic_fk2ik_" + rig_id
        bl_label = "Snap FK->IK"
        bl_options = {'UNDO', 'INTERNAL'}
        bl_description = "Snap the FK chain to IK result"
    
    class POSE_OT_rigify_generic_fk2ik_bake(RigifyGenericFk2IkBase, RigifyBakeKeyframesMixin, bpy.types.Operator):
        bl_idname = "pose.rigify_generic_fk2ik_bake_" + rig_id
        bl_label = "Apply Snap FK->IK To Keyframes"
        bl_options = {'UNDO', 'INTERNAL'}
        bl_description = "Snap the FK chain keyframes to IK result"
    
        def execute_scan_curves(self, context, obj):
            self.bake_add_bone_frames(self.ctrl_bone_list, TRANSFORM_PROPS_ALL)
            return self.bake_get_all_bone_curves(self.fk_bone_list, TRANSFORM_PROPS_ALL)
    ''']
    
    def add_fk_ik_snap_buttons(panel, op_single, op_bake, *, label=None, rig_name='', properties=None, clear_bones=None, compact=None):
        assert label and properties
    
        if rig_name:
            label += ' (%s)' % (rig_name)
    
        if compact or not clear_bones:
            row = panel.row(align=True)
            row.operator(op_single, text=label, icon='SNAP_ON', properties=properties)
            row.operator(op_bake, text='', icon='ACTION_TWEAK', properties=properties)
    
            if clear_bones:
                add_clear_keyframes_button(row, bones=clear_bones)
        else:
            col = panel.column(align=True)
            col.operator(op_single, text=label, icon='SNAP_ON', properties=properties)
            row = col.row(align=True)
            row.operator(op_bake, text='Action', icon='ACTION_TWEAK', properties=properties)
            add_clear_keyframes_button(row, bones=clear_bones, text='Clear')
    
    def add_generic_snap_fk_to_ik(panel, *, fk_bones=[], ik_bones=[], ik_ctrl_bones=[], label='FK->IK', rig_name='', undo_copy_scale=False, compact=None, clear=True):
        panel.use_bake_settings()
        panel.script.add_utilities(SCRIPT_UTILITIES_OP_SNAP_FK_IK)
        panel.script.register_classes(SCRIPT_REGISTER_OP_SNAP_FK_IK)
    
        op_props = {
            'fk_bones': json.dumps(fk_bones),
            'ik_bones': json.dumps(ik_bones),
            'ctrl_bones': json.dumps(ik_ctrl_bones),
            'undo_copy_scale': undo_copy_scale,
        }
    
        clear_bones = fk_bones if clear else None
    
        add_fk_ik_snap_buttons(
            panel, 'pose.rigify_generic_fk2ik_{rig_id}', 'pose.rigify_generic_fk2ik_bake_{rig_id}',
            label=label, rig_name=rig_name, properties=op_props, clear_bones=clear_bones, compact=compact,
        )
    
    ###############################
    # Module register/unregister ##
    ###############################
    
    def register():
        from bpy.utils import register_class
    
        exec(_SCRIPT_REGISTER_WM_PROPS)
    
        register_class(RIGIFY_OT_get_frame_range)
    
    def unregister():
        from bpy.utils import unregister_class
    
        exec(_SCRIPT_UNREGISTER_WM_PROPS)
    
        unregister_class(RIGIFY_OT_get_frame_range)