| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659 | from .utilities import prRed, prGreen, prPurple, prWhite, prOrange, \                        wrapRed, wrapGreen, wrapPurple, wrapWhite, wrapOrange    def grp_node_reroute_common(nc, nc_to, all_nc):    # we need to do this: go  to the to-node    # then reroute the link in the to_node all the way to the beginning    # so that the number of links in "real" nodes is unchanged    # then the links in the dummy nodes need to be deleted    for inp_name, inp in nc.inputs.items():        # assume each input socket only has one input for now        if inp.is_connected:            while (inp.links):                in_link = inp.links.pop()                from_nc = in_link.from_node                from_socket = in_link.from_socket                links = []                from_links = from_nc.outputs[from_socket].links.copy()                while(from_links):                    from_link = from_links.pop()                    if from_link == in_link:                        from_link.die()                        continue # DELETE the dummy node link                     links.append(from_link)                from_nc.outputs[from_socket].links = links                down = nc_to.outputs[inp_name]                for downlink in down.links:                    downlink.from_node = from_nc                    downlink.from_socket = from_socket                    from_nc.outputs[from_socket].links.append(downlink)                    if hasattr(downlink.to_node, "reroute_links"):                        downlink.to_node.reroute_links(downlink.to_node, all_nc)                in_link.die()def reroute_links_grp(nc, all_nc):    if nc.inputs:        if (nc_to := all_nc.get( ( *nc.signature, "NodeGroupInput") )):            grp_node_reroute_common(nc, nc_to, all_nc)        else:            raise RuntimeError("internal error: failed to enter a node group ")def reroute_links_grpout(nc, all_nc):    if (nc_to := all_nc.get( ( *nc.signature[:-1],) )):        grp_node_reroute_common(nc, nc_to, all_nc)    else:        raise RuntimeError("error leaving a node group (maybe you are running the tree from inside a node group?)")# FIXME I don't think these signatures are unique.def insert_lazy_parents(nc):    from .link_nodes import LinkInherit    from .base_definitions import NodeLink    inherit_nc = None    if nc.inputs["Relationship"].is_connected:        link = nc.inputs["Relationship"].links[0]        # print(nc)        from_nc = link.from_node        if from_nc.node_type in ["XFORM"] and link.from_socket in ["xForm Out"]:            inherit_nc = LinkInherit(("MANTIS_AUTOGENERATED", *nc.signature[1:], "LAZY_INHERIT"), nc.base_tree)            for from_link in from_nc.outputs["xForm Out"].links:                if from_link.to_node == nc and from_link.to_socket == "Relationship":                    break # this is it            from_link.to_node = inherit_nc; from_link.to_socket="Parent"            from_link.to_node.inputs[from_link.to_socket].is_linked=True                        links=[]            while (nc.inputs["Relationship"].links):                to_link = nc.inputs["Relationship"].links.pop()                if to_link.from_node == from_nc and to_link.from_socket == "xForm Out":                    continue # don't keep this one                links.append(to_link)                to_link.from_node.outputs[from_link.from_socket].is_linked=True                        nc.inputs["Relationship"].links=links            link=NodeLink(from_node=inherit_nc, from_socket="Inheritance", to_node=nc, to_socket="Relationship")            inherit_nc.inputs["Parent"].links.append(from_link)                        inherit_nc.parameters = {                                     "Parent":None,                                     "Inherit Rotation":True,                                     "Inherit Scale":'FULL',                                     "Connected":False,                                    }            # because the from node may have already been done.            init_connections(from_nc)            init_dependencies(from_nc)            init_connections(inherit_nc)            init_dependencies(inherit_nc)    return inherit_nc# *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** ##                                  DATA FROM NODES                                  ## *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #from .base_definitions import replace_types, NodeSocketdef autogen_node(base_tree, ui_socket, signature, mContext):    mantis_node=None    from .utilities import  gen_nc_input_for_data    # nc_cls = gen_nc_input_for_data(ui_socket)    # if (nc_cls):    from .internal_containers import AutoGenNode    mantis_node = AutoGenNode(signature, base_tree)    mantis_node.mContext = mContext    mantis_node.outputs.init_sockets([ui_socket.name])    mantis_node.ui_signature = None # does not exist in the UI    return mantis_node# TODO: investigate whether I can set the properties in the downstream nodes directly.#       I am doing this in Schema Solver and it seems to work quite efficiently.def make_connections_to_ng_dummy(base_tree, tree_path_names, local_nc, all_nc, nc_to):    from .socket_definitions import no_default_value    for inp in nc_to.prototype.inputs:        if inp.bl_idname in no_default_value:            continue        nc_from = None        to_s = inp.identifier        if not inp.is_linked: # make an autogenerated NC for the inputs of the group node            # This can be run inside schema. Make it unique with uuid() to be safe.            from uuid import uuid4            signature = ("MANTIS_AUTOGENERATED", *tree_path_names, nc_to.ui_signature[-1], inp.name, inp.identifier, str(uuid4()))            nc_from = all_nc.get(signature) # creating this without checking and            #  using UUID signature leads to TERRIBLE CONFUSING BUGS.            if nc_from is None:                 nc_from = autogen_node(base_tree, inp, signature, nc_to.mContext)            from .node_container_common import get_socket_value            if nc_from: # autogen can fail and we should catch it.                nc_from.parameters = {inp.name:get_socket_value(inp)}                local_nc[signature] = nc_from; all_nc[signature] = nc_from                nc_from.outputs[inp.name].connect(node=nc_to, socket=to_s, sort_id=0)            else:                prRed("No available auto-generated class for input %s in %s" % (inp.name, np.name))def gen_node_containers(base_tree, current_tree, tree_path_names, all_nc, local_nc, dummy_nodes, group_nodes, schema_nodes ):    from .internal_containers import DummyNode    for ui_node in current_tree.nodes:        # HACK I found that this isn't being set sometimes. I wonder why? It makes the most sense to do this here.        if hasattr(ui_node, 'initialized'): ui_node.initialized=True        # end HACK. TODO: find out why this is not set sometimes. This is only needed for UI socket change updates.        if ui_node.bl_idname in ["NodeFrame", "NodeReroute"]:            continue # not a Mantis Node        if ui_node.bl_idname in ["NodeGroupInput", "NodeGroupOutput"]:            # we only want ONE dummy in/out per tree_path, so use the bl_idname to make a Dummy node            sig = (None, *tree_path_names, ui_node.bl_idname)            ui_sig = (None, *tree_path_names, ui_node.name)            if not local_nc.get(sig):                nc = DummyNode( signature=sig , base_tree=base_tree, prototype=ui_node, ui_signature=ui_sig )                local_nc[sig] = nc; all_nc[sig] = nc; dummy_nodes[sig] = nc                if ui_node.bl_idname in ["NodeGroupOutput"]:                    nc.reroute_links = reroute_links_grpout        elif ui_node.bl_idname in  ["MantisNodeGroup", "MantisSchemaGroup"]:            nc = DummyNode( signature= (sig := (None, *tree_path_names, ui_node.name) ), base_tree=base_tree, prototype=ui_node )            local_nc[sig] = nc; all_nc[sig] = nc; dummy_nodes[sig] = nc            make_connections_to_ng_dummy(base_tree, tree_path_names, local_nc, all_nc, nc)            if ui_node.bl_idname == "MantisNodeGroup":                group_nodes.append(nc)                nc.reroute_links = reroute_links_grp            else:                group_nodes.append(nc)                schema_nodes[sig] = nc        # if it wasn't the types we ignore or the types we make a Dummy for, use this to catch all non-special cases.        elif (nc_cls := ui_node.mantis_class):            sig = (None, *tree_path_names, ui_node.name)            if ui_node.bl_idname in replace_types:                sig = (None, *tree_path_names, ui_node.bl_idname)                if local_nc.get(sig):                    continue # already made            nc = nc_cls( sig , base_tree)            local_nc[sig] = nc; all_nc[sig] = nc            nc.ui_signature = (*nc.ui_signature[:-1], ui_node.name) # just to ensure it points to a real node.        else:            nc = None            prRed(f"Can't make nc for.. {ui_node.bl_idname}")        # this should be done at init        if nc.signature[0] not in ['MANTIS_AUTOGENERATED'] and nc.node_type not in ['SCHEMA', 'DUMMY', 'DUMMY_SCHEMA']:            nc.fill_parameters()def data_from_tree(base_tree, tree_path, dummy_nodes, all_nc, all_schema):#    # TODO: it should be relatively easy to make this use a while loop instead of recursion.    local_nc, group_nodes = {}, []    tree_path_names = [tree.name for tree in tree_path if hasattr(tree, "name")]    if tree_path[-1]:        current_tree = tree_path[-1].node_tree # this may be None.    else:        current_tree = base_tree    #    if current_tree: # the node-group may not have a tree set - if so, ignore it.        from .utilities import clear_reroutes        links = clear_reroutes(list(current_tree.links))        gen_node_containers(base_tree, current_tree, tree_path_names, all_nc, local_nc, dummy_nodes, group_nodes, all_schema)                from .utilities import link_node_containers        for link in links:            link_node_containers((None, *tree_path_names), link, local_nc)        # Now, descend into the Node Groups and recurse        for nc in group_nodes:            data_from_tree(base_tree, tree_path+[nc.prototype], dummy_nodes, all_nc, all_schema)    return dummy_nodes, all_nc, all_schemafrom .utilities import check_and_add_root, init_connections, init_dependencies, init_schema_dependenciesdef is_signature_in_other_signature(parent_signature, child_signature):    # If the other signature is shorter, it isn't a child node    if len(parent_signature) > len(child_signature):        return False    return parent_signature[0:] == child_signature[:len(parent_signature)]def solve_schema_to_tree(nc, all_nc, roots=[], error_popups=False):    from .utilities import get_node_prototype    np = get_node_prototype(nc.signature, nc.base_tree)    from .schema_solve import SchemaSolver    solver = SchemaSolver(nc, all_nc.copy(), np, error_popups=error_popups)    try:        solved_nodes = solver.solve()    except Exception as e:    #     # the schema will run the error cleanup code, we just need to raise or not        solved_nodes = {}        nc.base_tree.hash=''        raise execution_error_cleanup(nc, e, show_error=error_popups)    # maybe this should be done in schema solver. TODO invesitigate a more efficient way    del_me = []    for k, v in all_nc.items():        # delete all the schema's prototype and interface nodes. The links have already been deleted by the solver.        if v.signature[0] not in ['MANTIS_AUTOGENERATED'] and is_signature_in_other_signature(nc.signature, k):            del_me.append(k)    for k in del_me:        del all_nc[k]    for k,v in solved_nodes.items():        all_nc[k]=v        init_connections(v)        check_and_add_root(v, roots, include_non_hierarchy=True)    return solved_nodes# *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** ##                                  PARSE NODE TREE                                  ## *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #schema_bl_idnames = [   "SchemaIndex",                        "SchemaArrayInput",                        "SchemaArrayInputGet",                        "SchemaArrayInputAll",                        "SchemaArrayOutput",                        "SchemaConstInput",                        "SchemaConstOutput",                        "SchemaOutgoingConnection",                        "SchemaIncomingConnection",                     ]from .utilities import get_all_dependenciesdef get_schema_length_dependencies(node, all_nodes={}):    """ Get a list of all dependencies for the given node's length or array properties.        This function will also recursively search for dependencies in its sub-trees.    """    deps = []    prepare_links_to = ['Schema Length', 'Array', 'Index']    def extend_dependencies_from_inputs(node):        for inp in node.inputs.values():            for l in inp.links:                if not l.from_node in node.hierarchy_dependencies:                    continue                if "MANTIS_AUTOGENERATED" in l.from_node.signature:                     deps.extend([l.from_node]) # why we need this lol                if inp.name in prepare_links_to:                    deps.append(l.from_node)                    deps.extend(get_all_dependencies(l.from_node))    def deps_filter(dep): # remove any nodes inside the schema        if len(dep.signature) > len(node.signature):            for i in range(len(node.signature)):                dep_sig_elem, node_sig_elem = dep.signature[i], node.signature[i]                if dep_sig_elem != node_sig_elem: break # they don't match, it isn't an inner-node            else: # remove this, it didn't break, meaning it shares signature with outer node                return False # this is an inner-node        return True    # this way we can handle Schema and Array Get nodes with one function    extend_dependencies_from_inputs(node)    if node.node_type == 'DUMMY_SCHEMA':        trees = [(node.prototype.node_tree, node.signature)] # this is UI data        while trees:            tree, tree_signature = trees.pop()            for sub_ui_node in tree.nodes:                if sub_ui_node.bl_idname in ['NodeReroute', 'NodeFrame']:                    continue                if sub_ui_node.bl_idname in schema_bl_idnames:                    sub_node = all_nodes[(*tree_signature, sub_ui_node.bl_idname)]                else:                    sub_node = all_nodes[(*tree_signature, sub_ui_node.name)]                if sub_node.node_type == 'DUMMY_SCHEMA':                    extend_dependencies_from_inputs(sub_node)                    trees.append((sub_node.prototype.node_tree, sub_node.signature))    return list(filter(deps_filter, deps))def parse_tree(base_tree, error_popups=False):    from uuid import uuid4    base_tree.execution_id = uuid4().__str__() # set the unique id of this execution        from .base_definitions import MantisExecutionContext    mContext = MantisExecutionContext(base_tree=base_tree)    import time    data_start_time = time.time()    # annoyingly I have to pass in values for all of the dicts because if I initialize them in the function call    #  then they stick around because the function definition inits them once and keeps a reference    # so instead I have to supply them to avoid ugly code or bugs elsewhere    # it's REALLY confusing when you run into this sort of problem. So it warrants four entire lines of comments!          dummy_nodes, all_mantis_nodes, all_schema =  data_from_tree(base_tree, tree_path = [None], dummy_nodes = {}, all_nc = {}, all_schema={})    for dummy in dummy_nodes.values():    # reroute the links in the group nodes        if (hasattr(dummy, "reroute_links")):            dummy.reroute_links(dummy, all_mantis_nodes)    prGreen(f"Pulling data from tree took {time.time() - data_start_time} seconds")        start_time = time.time()    solve_only_these = []; solve_only_these.extend(list(all_schema.values()))    roots, array_nodes = [], []    from collections import deque    unsolved_schema = deque()    from .base_definitions import array_output_types, GraphError    for mantis_node in all_mantis_nodes.values():        # add the Mantis Context here, so that it available during parsing.        mantis_node.mContext = mContext        if mantis_node.node_type in ["DUMMY"]: # clean up the groups            if mantis_node.prototype.bl_idname in ("MantisNodeGroup", "NodeGroupOutput"):                continue        # Initialize the dependencies and connections (from/to links) for each node.        # we record & store it because using a getter is much slower (according to profiling)        init_dependencies(mantis_node); init_connections(mantis_node)        check_and_add_root(mantis_node, roots, include_non_hierarchy=True)        # Array nodes need a little special treatment, they're quasi-schemas        if mantis_node.__class__.__name__ in array_output_types:            solve_only_these.append(mantis_node)            array_nodes.append(mantis_node)    from itertools import chain    for schema in chain(all_schema.values(), array_nodes):        # We must remove the schema/array nodes that are inside a schema tree.        for i in range(len(schema.signature)-1): # -1, we don't want to check this node, obviously            if parent := all_schema.get(schema.signature[:i+1]):                # This will be solved along with its parent schema.                solve_only_these.remove(schema)                break    for schema in all_schema.values():            if schema not in solve_only_these: continue            init_schema_dependencies(schema, all_mantis_nodes)            solve_only_these.extend(get_schema_length_dependencies(schema, all_mantis_nodes))            unsolved_schema.append(schema)    for array in array_nodes:        if array not in solve_only_these: continue        solve_only_these.extend(get_schema_length_dependencies(array))    solve_only_these.extend(array_nodes)    schema_solve_done = set()    solve_only_these = set(solve_only_these)    solve_layer = unsolved_schema.copy(); solve_layer.extend(roots)    while(solve_layer):        n = solve_layer.pop()        if n not in solve_only_these:            continue        if n.signature in all_schema.keys():            for dep in n.hierarchy_dependencies:                if dep not in schema_solve_done and (dep in solve_only_these):                    if dep.prepared:                        continue                     solve_layer.appendleft(n)                    break            else:                try:                    solved_nodes = solve_schema_to_tree(n, all_mantis_nodes, roots, error_popups=error_popups)                except Exception as e:                    e = execution_error_cleanup(n, e, show_error=error_popups)                    solved_nodes = {}                    if error_popups == False:                        raise e                    return # break out of this function regardless.                unsolved_schema.remove(n)                schema_solve_done.add(n)                for node in solved_nodes.values():                    init_dependencies(node); init_connections(node)                    solve_layer.appendleft(node)                    schema_solve_done.add(node) # CRITICAL to prevent freezes.                for conn in n.hierarchy_connections:                    if conn not in schema_solve_done and conn not in solve_layer:                        solve_layer.appendleft(conn)            continue        else:            for dep in n.hierarchy_dependencies:                if dep not in schema_solve_done:                    break            else:                try:                    n.bPrepare()                except Exception as e:                    e = execution_error_cleanup(n, e, show_error=error_popups)                    if error_popups == False:                        raise e                                    schema_solve_done.add(n)                for conn in n.hierarchy_connections:                    if conn not in schema_solve_done and conn not in solve_layer:                        solve_layer.appendleft(conn)                continue    if unsolved_schema:        raise RuntimeError("Failed to resolve all schema declarations")    # I had a problem with this looping forever. I think it is resolved... but I don't know lol    all_mantis_nodes = list(all_mantis_nodes.values())    kept_nc = {}    while (all_mantis_nodes):        nc = all_mantis_nodes.pop()        if nc in array_nodes:            continue        if nc.node_type in ["DUMMY", 'SCHEMA', 'DUMMY_SCHEMA']:            continue # screen out the prototype schema nodes, group in/out, and group placeholders        # cleanup autogen nodes        if nc.signature[0] == "MANTIS_AUTOGENERATED" and len(nc.inputs) == 0 and len(nc.outputs) == 1:            from .base_definitions import can_remove_socket_for_autogen            output=list(nc.outputs.values())[0]            value=list(nc.parameters.values())[0]   # IDEA modify the dependecy get function to exclude these nodes completely            keep_me = False            for l in output.links:                to_node = l.to_node; to_socket = l.to_socket                # do not remove the socket if it is a custom property.                if not can_remove_socket_for_autogen(to_node, to_socket):                    keep_me = True; continue                l.die()                to_node.parameters[to_socket] = value                del to_node.inputs[to_socket]                init_dependencies(to_node) # to remove the autogen node we no longer need.            if not keep_me:                continue            init_connections(nc) # because we have removed many connections.        if (nc.node_type in ['XFORM']) and ("Relationship" in nc.inputs.keys()):            if (new_nc := insert_lazy_parents(nc)):                kept_nc[new_nc.signature]=new_nc                # be sure to add the Mantis context.                new_nc.mContext =mContext        kept_nc[nc.signature]=nc    prWhite(f"Parsing tree took {time.time()-start_time} seconds.")    prWhite("Number of Nodes: %s" % (len(kept_nc)))    return kept_ncfrom .utilities import switch_modedef execution_error_cleanup(node, exception, switch_objects = [], show_error=False ):    from bpy import  context    ui_sig = None    if show_error: # show a popup and select the relevant nodes        if node:            if node.mContext:                if node.mContext.execution_failed==True:                    # already have an error, pass it to avoid printing                    return # a second error (it's confusing to users.)                node.mContext.execution_failed=True            ui_sig = node.ui_signature            # TODO: see about zooming-to-node.            base_tree = node.base_tree            tree = base_tree            try:                pass                space = context.space_data                for name in ui_sig[1:]:                    for n in tree.nodes: n.select = False                    n = tree.nodes[name]                    n.select = True                    tree.nodes.active = n                    if hasattr(n, "node_tree"):                        tree = n.node_tree            except AttributeError: # not being run in node graph                pass            finally:                def error_popup_draw(self, context):                    self.layout.label(text=f"Error: {exception}")                    self.layout.label(text=f"see node: {ui_sig[1:]}.")                context.window_manager.popup_menu(error_popup_draw, title="Error", icon='ERROR')    switch_mode(mode='OBJECT', objects=switch_objects)    for ob in switch_objects:        ob.data.pose_position = 'POSE'    prRed(f"Error: {exception} in node {ui_sig}")    return exceptiondef sort_execution(nodes, xForm_pass):    execution_failed=False    sorted_nodes = []    from .node_container_common import GraphError    # check for cycles here by keeping track of the number of times a node has been visited.    visited={}    check_max_len=len(nodes)**2 # seems too high but safe. In a well-ordered graph, I guess this number should be less than the number of nodes.    max_iterations = len(nodes)**2    i = 0    while(xForm_pass):        if execution_failed: break        if i >= max_iterations:            execution_failed = True            raise GraphError("There is probably a cycle somewhere in the graph. "                                "Or a connection missing in a Group/Schema Input")        i+=1            n = xForm_pass.pop()        if visited.get(n.signature) is not None:            visited[n.signature]+=1        else:            visited[n.signature]=0        if visited[n.signature] > check_max_len:            execution_failed = True            raise GraphError("There is a probably a cycle in the graph somewhere. "                                "Or a connection missing in a Group/Schema Input")            # we're trying to solve the halting problem at this point.. don't do that.            # TODO find a better way! there are algo's for this but they will require using a different solving algo, too        if n.execution_prepared:            continue        if n.node_type not in ['XFORM', 'UTILITY']:            for dep in n.hierarchy_dependencies:                if not dep.execution_prepared:                    xForm_pass.appendleft(n) # hold it                    break            else:                n.execution_prepared=True                sorted_nodes.append(n)                for conn in n.hierarchy_connections:                    if  not conn.execution_prepared:                        xForm_pass.appendleft(conn)        else:            for dep in n.hierarchy_dependencies:                if not dep.execution_prepared:                    break            else:                n.execution_prepared=True                sorted_nodes.append(n)                for conn in n.hierarchy_connections:                    if  not conn.execution_prepared:                        xForm_pass.appendleft(conn)    return sorted_nodes, execution_faileddef execute_tree(nodes, base_tree, context, error_popups = False):    assert nodes is not None, "Failed to parse tree."    assert len(nodes) > 0, "No parsed nodes for execution."\                           " Mantis probably failed to parse the tree."    import bpy    from time import time    from .node_container_common import GraphError    original_active = context.view_layer.objects.active    start_execution_time = time()    mContext = None    from collections import deque    xForm_pass = deque()    for nc in nodes.values():        if not mContext: # just grab one of these. this is a silly way to do this.            mContext = nc.mContext            mContext.b_objects = {} # clear the objects and recreate them        nc.reset_execution()        check_and_add_root(nc, xForm_pass)    mContext.execution_failed = False    switch_me = [] # switch the mode on these objects    active = None # only need it for switching modes    select_me = []    try:        sorted_nodes, execution_failed = sort_execution(nodes, xForm_pass)        for n in sorted_nodes:            try:                if not n.prepared:                    n.bPrepare(context)                if not n.executed:                    n.bTransformPass(context)                if (n.__class__.__name__ == "xFormArmature" ):                    ob = n.bGetObject()                    switch_me.append(ob)                    active = ob                if not (n.__class__.__name__ == "xFormBone" ) and hasattr(n, "bGetObject"):                    ob = n.bGetObject()                    if isinstance(ob, bpy.types.Object):                        select_me.append(ob)            except Exception as e:                e = execution_error_cleanup(n, e, show_error=error_popups)                if error_popups == False:                    raise e                execution_failed = True; break        switch_mode(mode='POSE', objects=switch_me)        for n in sorted_nodes:            try:                if not n.prepared:                    n.bPrepare(context)                if not n.executed:                    n.bRelationshipPass(context)            except Exception as e:                e = execution_error_cleanup(n, e, show_error=error_popups)                if error_popups == False:                    raise e                execution_failed = True; break        switch_mode(mode='OBJECT', objects=switch_me)        # switch to pose mode here so that the nodes can use the final pose data        # this will require them to update the depsgraph.                for ob in switch_me:            ob.data.pose_position = 'POSE'        for n in sorted_nodes:            try:                n.bFinalize(context)            except Exception as e:                e = execution_error_cleanup(n, e, show_error=error_popups)                if error_popups == False:                    raise e                execution_failed = True; break                        # REST pose for deformer bind, so everything is in the rest position        for ob in switch_me:            ob.data.pose_position = 'REST'        # finally, apply modifiers and bind stuff        for n in sorted_nodes:            try:                n.bModifierApply(context)            except Exception as e:                e = execution_error_cleanup(n, e, show_error=error_popups)                if error_popups == False:                    raise e                execution_failed = True; break                        for ob in switch_me:            ob.data.pose_position = 'POSE'                tot_time = (time() - start_execution_time)        if not execution_failed:            prGreen(f"Executed tree of {len(sorted_nodes)} nodes in {tot_time} seconds")        if (original_active):            context.view_layer.objects.active = original_active            original_active.select_set(True)    except Exception as e:        e = execution_error_cleanup(None, e, switch_me, show_error=error_popups)        if error_popups == False:            raise e        prRed(f"Failed to execute tree.")    finally:        context.view_layer.objects.active = active        # clear the selection first.        from itertools import chain        for ob in context.selected_objects:            try:                ob.select_set(False)            except RuntimeError: # it isn't in the view layer                pass        for ob in chain(select_me, mContext.b_objects.values()):            try:                ob.select_set(True)            except RuntimeError: # it isn't in the view layer                pass
 |