readtree.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591
  1. from .utilities import prRed, prGreen, prPurple, prWhite, prOrange, \
  2. wrapRed, wrapGreen, wrapPurple, wrapWhite, wrapOrange
  3. from .utilities import gen_nc_input_for_data
  4. def grp_node_reroute_common(nc, nc_to, all_nc):
  5. # we need to do this: go to the to-node
  6. # then reroute the link in the to_node all the way to the beginning
  7. # so that the number of links in "real" nodes is unchanged
  8. # then the links in the dummy nodes need to be deleted
  9. for inp_name, inp in nc.inputs.items():
  10. # assume each input socket only has one input for now
  11. if inp.is_connected:
  12. while (inp.links):
  13. in_link = inp.links.pop()
  14. from_nc = in_link.from_node
  15. from_socket = in_link.from_socket
  16. links = []
  17. from_links = from_nc.outputs[from_socket].links.copy()
  18. while(from_links):
  19. from_link = from_links.pop()
  20. if from_link == in_link:
  21. from_link.die()
  22. continue # DELETE the dummy node link
  23. links.append(from_link)
  24. from_nc.outputs[from_socket].links = links
  25. down = nc_to.outputs[inp_name]
  26. for downlink in down.links:
  27. downlink.from_node = from_nc
  28. downlink.from_socket = from_socket
  29. from_nc.outputs[from_socket].links.append(downlink)
  30. if hasattr(downlink.to_node, "reroute_links"):
  31. downlink.to_node.reroute_links(downlink.to_node, all_nc)
  32. in_link.die()
  33. def reroute_links_grp(nc, all_nc):
  34. if nc.inputs:
  35. if (nc_to := all_nc.get( ( *nc.signature, "NodeGroupInput") )):
  36. grp_node_reroute_common(nc, nc_to, all_nc)
  37. else:
  38. raise RuntimeError("internal error: failed to enter a node group ")
  39. def reroute_links_grpout(nc, all_nc):
  40. if (nc_to := all_nc.get( ( *nc.signature[:-1],) )):
  41. grp_node_reroute_common(nc, nc_to, all_nc)
  42. else:
  43. raise RuntimeError("error leaving a node group (maybe you are running the tree from inside a node group?)")
  44. # FIXME I don't think these signatures are unique.
  45. def insert_lazy_parents(nc):
  46. from .link_containers import LinkInherit
  47. from .base_definitions import NodeLink
  48. inherit_nc = None
  49. if nc.inputs["Relationship"].is_connected:
  50. link = nc.inputs["Relationship"].links[0]
  51. # print(nc)
  52. from_nc = link.from_node
  53. if from_nc.node_type in ["XFORM"] and link.from_socket in ["xForm Out"]:
  54. inherit_nc = LinkInherit(("MANTIS_AUTOGENERATED", *nc.signature[1:], "LAZY_INHERIT"), nc.base_tree)
  55. for from_link in from_nc.outputs["xForm Out"].links:
  56. if from_link.to_node == nc and from_link.to_socket == "Relationship":
  57. break # this is it
  58. from_link.to_node = inherit_nc; from_link.to_socket="Parent"
  59. from_link.to_node.inputs[from_link.to_socket].is_linked=True
  60. links=[]
  61. while (nc.inputs["Relationship"].links):
  62. to_link = nc.inputs["Relationship"].links.pop()
  63. if to_link.from_node == from_nc and to_link.from_socket == "xForm Out":
  64. continue # don't keep this one
  65. links.append(to_link)
  66. to_link.from_node.outputs[from_link.from_socket].is_linked=True
  67. nc.inputs["Relationship"].links=links
  68. link=NodeLink(from_node=inherit_nc, from_socket="Inheritance", to_node=nc, to_socket="Relationship")
  69. inherit_nc.inputs["Parent"].links.append(from_link)
  70. inherit_nc.parameters = {
  71. "Parent":None,
  72. "Inherit Rotation":True,
  73. "Inherit Scale":'FULL',
  74. "Connected":False,
  75. }
  76. # because the from node may have already been done.
  77. init_connections(from_nc)
  78. init_dependencies(from_nc)
  79. init_connections(inherit_nc)
  80. init_dependencies(inherit_nc)
  81. return inherit_nc
  82. from_name_filter = ["Driver", ]
  83. to_name_filter = [
  84. "Custom Object xForm Override",
  85. "Custom Object",
  86. "Deform Bones"
  87. ]
  88. # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #
  89. # DATA FROM NODES #
  90. # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #
  91. from .base_definitions import replace_types, NodeSocket
  92. # TODO: investigate whether I can set the properties in the downstream nodes directly.
  93. # I am doing this in Schema Solver and it seems to work quite efficiently.
  94. def make_connections_to_ng_dummy(base_tree, tree_path_names, local_nc, all_nc, np):
  95. nc_to = local_nc[(None, *tree_path_names, np.name)]
  96. for inp in np.inputs:
  97. nc_from = None
  98. if inp.bl_idname in ['WildcardSocket']:
  99. continue # it isn't a real input so I don't think it is good to check it.
  100. to_s = inp.identifier
  101. if not inp.is_linked: # make an autogenerated NC for the inputs of the group node
  102. if inp.bl_idname in ['xFormSocket']:
  103. continue
  104. from .node_container_common import get_socket_value
  105. nc_cls = gen_nc_input_for_data(inp)
  106. if (nc_cls):
  107. sig = ("MANTIS_AUTOGENERATED", *tree_path_names, np.name, inp.name, inp.identifier)
  108. nc_from = nc_cls(sig, base_tree)
  109. # ugly! maybe even a HACK!
  110. nc_from.inputs = {}
  111. nc_from.outputs = {inp.name:NodeSocket(name = inp.name, node=nc_from)}
  112. nc_from.parameters = {inp.name:get_socket_value(inp)}
  113. #
  114. local_nc[sig] = nc_from; all_nc[sig] = nc_from
  115. from_s = inp.name
  116. else:
  117. prRed("No available auto-generated class for input", *tree_path_names, np.name, inp.name)
  118. nc_from.outputs[from_s].connect(node=nc_to, socket=to_s, sort_id=0)
  119. def gen_node_containers(base_tree, current_tree, tree_path_names, all_nc, local_nc, dummy_nodes, group_nodes, schema_nodes ):
  120. from .internal_containers import DummyNode
  121. from .base_definitions import SchemaUINode
  122. for np in current_tree.nodes:
  123. if np.bl_idname in ["NodeFrame", "NodeReroute"]:
  124. continue # not a Mantis Node
  125. if np.bl_idname in ["NodeGroupInput", "NodeGroupOutput"]: # make a Dummy Node
  126. # we only want ONE dummy in/out per tree_path, so use the bl_idname
  127. sig = (None, *tree_path_names, np.bl_idname)
  128. if not local_nc.get(sig):
  129. nc = DummyNode( signature=sig , base_tree=base_tree, prototype=np )
  130. local_nc[sig] = nc; all_nc[sig] = nc; dummy_nodes[sig] = nc
  131. if np.bl_idname in ["NodeGroupOutput"]:
  132. nc.reroute_links = reroute_links_grpout
  133. elif np.bl_idname in ["MantisNodeGroup", "MantisSchemaGroup"]:
  134. nc = DummyNode( signature= (sig := (None, *tree_path_names, np.name) ), base_tree=base_tree, prototype=np )
  135. local_nc[sig] = nc; all_nc[sig] = nc; dummy_nodes[sig] = nc
  136. make_connections_to_ng_dummy(base_tree, tree_path_names, local_nc, all_nc, np)
  137. if np.bl_idname == "MantisNodeGroup":
  138. group_nodes.append(nc)
  139. nc.reroute_links = reroute_links_grp
  140. else:
  141. group_nodes.append(nc)
  142. schema_nodes[sig] = nc
  143. # if it wasn't the types we ignore or the types we make a Dummy for, use this to catch all non-special cases.
  144. elif (nc_cls := np.mantis_class):
  145. sig = (None, *tree_path_names, np.name)
  146. if np.bl_idname in replace_types:
  147. sig = (None, *tree_path_names, np.bl_idname)
  148. if local_nc.get(sig):
  149. continue # already made
  150. nc = nc_cls( sig , base_tree)
  151. local_nc[sig] = nc; all_nc[sig] = nc
  152. else:
  153. nc = None
  154. prRed(f"Can't make nc for.. {np.bl_idname}")
  155. # this should be done at init
  156. if nc.signature[0] not in ['MANTIS_AUTOGENERATED'] and nc.node_type not in ['SCHEMA', 'DUMMY', 'DUMMY_SCHEMA']:
  157. nc.fill_parameters()
  158. def data_from_tree(base_tree, tree_path, dummy_nodes, all_nc, all_schema):#
  159. # TODO: it should be relatively easy to make this use a while loop instead of recursion.
  160. local_nc, group_nodes = {}, []
  161. tree_path_names = [tree.name for tree in tree_path if hasattr(tree, "name")]
  162. if tree_path[-1]:
  163. current_tree = tree_path[-1].node_tree # this may be None.
  164. else:
  165. current_tree = base_tree
  166. #
  167. if current_tree: # the node-group may not have a tree set - if so, ignore it.
  168. from .utilities import clear_reroutes
  169. links = clear_reroutes(list(current_tree.links))
  170. gen_node_containers(base_tree, current_tree, tree_path_names, all_nc, local_nc, dummy_nodes, group_nodes, all_schema)
  171. from .utilities import link_node_containers
  172. for link in links:
  173. link_node_containers((None, *tree_path_names), link, local_nc)
  174. # Now, descend into the Node Groups and recurse
  175. for nc in group_nodes:
  176. data_from_tree(base_tree, tree_path+[nc.prototype], dummy_nodes, all_nc, all_schema)
  177. return dummy_nodes, all_nc, all_schema
  178. from .utilities import check_and_add_root, init_connections, init_dependencies, init_schema_dependencies
  179. def is_signature_in_other_signature(parent_signature, child_signature):
  180. # If the other signature is shorter, it isn't a child node
  181. if len(parent_signature) > len(child_signature):
  182. return False
  183. return parent_signature[0:] == child_signature[:len(parent_signature)]
  184. def solve_schema_to_tree(nc, all_nc, roots=[]):
  185. from .utilities import get_node_prototype
  186. np = get_node_prototype(nc.signature, nc.base_tree)
  187. from .schema_solve import SchemaSolver
  188. tree = np.node_tree
  189. length = nc.evaluate_input("Schema Length")
  190. prOrange(f"Expanding schema {tree.name} in node {nc} with length {length}.")
  191. solver = SchemaSolver(nc, all_nc, np)
  192. solved_nodes = solver.solve()
  193. prWhite(f"Schema declared {len(solved_nodes)} nodes.")
  194. # maybe this should be done in schema solver. TODO invesitigate a more efficient way
  195. del_me = []
  196. for k, v in all_nc.items():
  197. # delete all the schema's internal nodes. The links have already been deleted by the solver.
  198. if v.signature[0] not in ['MANTIS_AUTOGENERATED'] and is_signature_in_other_signature(nc.signature, k):
  199. del_me.append(k)
  200. for k in del_me:
  201. del all_nc[k]
  202. for k,v in solved_nodes.items():
  203. all_nc[k]=v
  204. init_connections(v)
  205. check_and_add_root(v, roots, include_non_hierarchy=True)
  206. return solved_nodes
  207. # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #
  208. # PARSE NODE TREE #
  209. # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** # *** #
  210. schema_bl_idnames = [ "SchemaIndex",
  211. "SchemaArrayInput",
  212. "SchemaArrayInputGet",
  213. "SchemaArrayOutput",
  214. "SchemaConstInput",
  215. "SchemaConstOutput",
  216. "SchemaOutgoingConnection",
  217. "SchemaIncomingConnection",
  218. ]
  219. from .utilities import get_all_dependencies
  220. def get_schema_length_dependencies(node, all_nodes={}):
  221. """ Get a list of all dependencies for the given node's length or array properties.
  222. This function will also recursively search for dependencies in its sub-trees.
  223. """
  224. deps = []
  225. prepare_links_to = ['Schema Length','Array', 'Index']
  226. def extend_dependencies_from_inputs(node):
  227. for inp in node.inputs.values():
  228. for l in inp.links:
  229. if "MANTIS_AUTOGENERATED" in l.from_node.signature:
  230. deps.extend([l.from_node]) # why we need this lol
  231. if inp in prepare_links_to:
  232. deps.extend(get_all_dependencies(l.from_node))
  233. def deps_filter(dep): # remove any nodes inside the schema
  234. if len(dep.signature) > len(node.signature):
  235. for i in range(len(node.signature)):
  236. dep_sig_elem, node_sig_elem = dep.signature[i], node.signature[i]
  237. if dep_sig_elem != node_sig_elem: break # they don't match, it isn't an inner-node
  238. else: # remove this, it didn't break, meaning it shares signature with outer node
  239. return False # this is an inner-node
  240. return True
  241. pass
  242. # this way we can handle Schema and Array Get nodes with one function
  243. extend_dependencies_from_inputs(node)
  244. if node.node_type == 'DUMMY_SCHEMA':
  245. trees = [(node.prototype.node_tree, node.signature)] # this is UI data
  246. while trees:
  247. tree, tree_signature = trees.pop()
  248. print(tree_signature)
  249. for sub_ui_node in tree.nodes:
  250. if sub_ui_node.bl_idname in ['NodeReroute', 'NodeFrame']:
  251. continue
  252. if sub_ui_node.bl_idname in schema_bl_idnames:
  253. sub_node = all_nodes[(*tree_signature, sub_ui_node.bl_idname)]
  254. else:
  255. sub_node = all_nodes[(*tree_signature, sub_ui_node.name)]
  256. if sub_node.node_type == 'DUMMY_SCHEMA':
  257. extend_dependencies_from_inputs(sub_node)
  258. trees.append((sub_node.prototype.node_tree, sub_node.signature))
  259. filtered_deps = filter(deps_filter, deps)
  260. return list(filtered_deps)
  261. def parse_tree(base_tree):
  262. from uuid import uuid4
  263. base_tree.execution_id = uuid4().__str__() # set the unique id of this execution
  264. import time
  265. data_start_time = time.time()
  266. # annoyingly I have to pass in values for all of the dicts because if I initialize them in the function call
  267. # then they stick around because the function definition inits them once and keeps a reference
  268. # so instead I have to supply them to avoid ugly code or bugs elsewhere
  269. # it's REALLY confusing when you run into this sort of problem. So it warrants four entire lines of comments!
  270. dummy_nodes, all_mantis_nodes, all_schema = data_from_tree(base_tree, tree_path = [None], dummy_nodes = {}, all_nc = {}, all_schema={})
  271. for dummy in dummy_nodes.values(): # reroute the links in the group nodes
  272. if (hasattr(dummy, "reroute_links")):
  273. dummy.reroute_links(dummy, all_mantis_nodes)
  274. prGreen(f"Pulling data from tree took {time.time() - data_start_time} seconds")
  275. start_time = time.time()
  276. roots, array_nodes = [], []
  277. from .misc_containers import UtilityArrayGet
  278. for mantis_node in all_mantis_nodes.values():
  279. if mantis_node.node_type in ["DUMMY"]: # clean up the groups
  280. if mantis_node.prototype.bl_idname in ("MantisNodeGroup", "NodeGroupOutput"):
  281. continue
  282. # Initialize the dependencies and connections (from/to links) for each node.
  283. # we record & store it because using a getter is much slower (according to profiling)
  284. init_dependencies(mantis_node); init_connections(mantis_node)
  285. check_and_add_root(mantis_node, roots, include_non_hierarchy=True)
  286. # Array nodes need a little special treatment, they're quasi-schemas
  287. if isinstance(mantis_node, UtilityArrayGet):
  288. array_nodes.append(mantis_node)
  289. from collections import deque
  290. unsolved_schema = deque()
  291. solve_only_these = []; solve_only_these.extend(list(all_schema.values()))
  292. for schema in all_schema.values():
  293. # We can remove the schema that are inside another schema tree.
  294. for i in range(len(schema.signature)-1): # -1, we don't want to check this node, obviously
  295. if parent := all_schema.get(schema.signature[:i+1]):
  296. # This will be solved along with its parent schema.
  297. solve_only_these.remove(schema)
  298. break
  299. else:
  300. init_schema_dependencies(schema, all_mantis_nodes)
  301. solve_only_these.extend(get_schema_length_dependencies(schema, all_mantis_nodes))
  302. unsolved_schema.append(schema)
  303. for array in array_nodes:
  304. solve_only_these.extend(get_schema_length_dependencies(array))
  305. solve_only_these.extend(array_nodes)
  306. schema_solve_done = set()
  307. solve_only_these = set(solve_only_these)
  308. solve_layer = unsolved_schema.copy(); solve_layer.extend(roots)
  309. while(solve_layer):
  310. n = solve_layer.pop()
  311. if n not in solve_only_these: # removes the unneeded node from the solve-layer
  312. continue
  313. if n.signature in all_schema.keys():
  314. for dep in n.hierarchy_dependencies:
  315. if dep not in schema_solve_done and (dep in solve_only_these):
  316. if dep.prepared: # HACK HACK HACK
  317. continue
  318. # For some reason, the Schema Solver is able to detect and resolve dependencies outside
  319. # of solve_only_these. So I have to figure out why.
  320. solve_layer.appendleft(n)
  321. break
  322. else:
  323. solved_nodes = solve_schema_to_tree(n, all_mantis_nodes, roots)
  324. unsolved_schema.remove(n)
  325. schema_solve_done.add(n)
  326. for node in solved_nodes.values():
  327. #
  328. init_dependencies(node)
  329. init_connections(node)
  330. #
  331. solve_layer.appendleft(node)
  332. for conn in n.hierarchy_connections:
  333. if conn not in schema_solve_done and conn not in solve_layer:
  334. solve_layer.appendleft(conn)
  335. else:
  336. for dep in n.hierarchy_dependencies:
  337. if dep not in schema_solve_done:
  338. break
  339. else:
  340. n.bPrepare()
  341. schema_solve_done.add(n)
  342. for conn in n.hierarchy_connections:
  343. if conn not in schema_solve_done and conn not in solve_layer:
  344. solve_layer.appendleft(conn)
  345. if unsolved_schema:
  346. raise RuntimeError("Failed to resolve all schema declarations")
  347. # I had a problem with this looping forever. I think it is resolved... but I don't know lol
  348. all_mantis_nodes = list(all_mantis_nodes.values())
  349. kept_nc = {}
  350. while (all_mantis_nodes):
  351. nc = all_mantis_nodes.pop()
  352. if nc in array_nodes:
  353. continue
  354. if nc.node_type in ["DUMMY"]:
  355. continue
  356. # cleanup autogen nodes
  357. if nc.signature[0] == "MANTIS_AUTOGENERATED" and len(nc.inputs) == 0 and len(nc.outputs) == 1:
  358. output=list(nc.outputs.values())[0]
  359. value=list(nc.parameters.values())[0] # IDEA modify the dependecy get function to exclude these nodes completely
  360. for l in output.links:
  361. to_node = l.to_node; to_socket = l.to_socket
  362. l.die()
  363. to_node.parameters[to_socket] = value
  364. del to_node.inputs[to_socket]
  365. init_dependencies(to_node)
  366. continue
  367. if (nc.node_type in ['XFORM']) and ("Relationship" in nc.inputs.keys()):
  368. if (new_nc := insert_lazy_parents(nc)):
  369. kept_nc[new_nc.signature]=new_nc
  370. kept_nc[nc.signature]=nc
  371. prWhite(f"Parsing tree took {time.time()-start_time} seconds.")
  372. prWhite("Number of Nodes: %s" % (len(kept_nc)))
  373. return kept_nc
  374. def switch_mode(mode='OBJECT', objects = []):
  375. active = None
  376. if objects:
  377. from bpy import context, ops
  378. active = objects[-1]
  379. context.view_layer.objects.active = active
  380. if (active):
  381. with context.temp_override(**{'active_object':active, 'selected_objects':objects}):
  382. ops.object.mode_set(mode=mode)
  383. return active
  384. def execution_error_cleanup(node, exception, switch_objects = [] ):
  385. from bpy import context
  386. if node:
  387. # TODO: see about zooming-to-node.
  388. base_tree = node.base_tree
  389. tree = base_tree
  390. try:
  391. pass
  392. space = context.space_data
  393. for name in node.signature[1:]:
  394. for n in tree.nodes: n.select = False
  395. n = tree.nodes[name]
  396. n.select = True
  397. tree.nodes.active = n
  398. if hasattr(n, "node_tree"):
  399. tree = n.node_tree
  400. except AttributeError: # not being run in node graph
  401. pass
  402. finally:
  403. def error_popup_draw(self, context):
  404. self.layout.label(text=f"Error: {exception}")
  405. self.layout.label(text=f"see node: {node.signature[1:]}.")
  406. context.window_manager.popup_menu(error_popup_draw, title="Error", icon='ERROR')
  407. switch_mode(mode='OBJECT', objects=switch_objects)
  408. for ob in switch_objects:
  409. ob.data.pose_position = 'POSE'
  410. prRed(f"Error: {exception} in node {node}")
  411. return exception
  412. def execute_tree(nodes, base_tree, context, error_popups = False):
  413. import bpy
  414. from time import time
  415. from .node_container_common import GraphError
  416. original_active = context.view_layer.objects.active
  417. start_execution_time = time()
  418. from collections import deque
  419. xForm_pass = deque()
  420. for nc in nodes.values():
  421. nc.prepared = False
  422. nc.executed = False
  423. check_and_add_root(nc, xForm_pass)
  424. executed = []
  425. # check for cycles here by keeping track of the number of times a node has been visited.
  426. visited={}
  427. 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.
  428. max_iterations = len(nodes)**2
  429. i = 0
  430. switch_me = [] # switch the mode on these objects
  431. active = None # only need it for switching modes
  432. select_me = []
  433. try:
  434. while(xForm_pass):
  435. if i >= max_iterations:
  436. raise GraphError("There is probably a cycle somewhere in the graph.")
  437. i+=1
  438. n = xForm_pass.pop()
  439. if visited.get(n.signature):
  440. visited[n.signature]+=1
  441. else:
  442. visited[n.signature]=0
  443. if visited[n.signature] > check_max_len:
  444. raise GraphError("There is a probably a cycle in the graph somewhere. Fix it!")
  445. # we're trying to solve the halting problem at this point.. don't do that.
  446. # TODO find a better way! there are algo's for this but they will require using a different solving algo, too
  447. if n.prepared:
  448. continue
  449. if n.node_type not in ['XFORM', 'UTILITY']:
  450. for dep in n.hierarchy_dependencies:
  451. if not dep.prepared:
  452. xForm_pass.appendleft(n) # hold it
  453. break
  454. else:
  455. n.prepared=True
  456. executed.append(n)
  457. for conn in n.hierarchy_connections:
  458. if not conn.prepared:
  459. xForm_pass.appendleft(conn)
  460. else:
  461. for dep in n.hierarchy_dependencies:
  462. if not dep.prepared:
  463. break
  464. else:
  465. try:
  466. n.bPrepare(context)
  467. if not n.executed:
  468. n.bExecute(context)
  469. if (n.__class__.__name__ == "xFormArmature" ):
  470. ob = n.bGetObject()
  471. switch_me.append(ob)
  472. active = ob
  473. if not (n.__class__.__name__ == "xFormBone" ) and hasattr(n, "bGetObject"):
  474. ob = n.bGetObject()
  475. if isinstance(ob, bpy.types.Object):
  476. select_me.append(ob)
  477. except Exception as e:
  478. if error_popups:
  479. raise execution_error_cleanup(n, e,)
  480. else:
  481. raise e
  482. n.prepared=True
  483. executed.append(n)
  484. for conn in n.hierarchy_connections:
  485. if not conn.prepared:
  486. xForm_pass.appendleft(conn)
  487. switch_mode(mode='POSE', objects=switch_me)
  488. if (active):
  489. with context.temp_override(**{'active_object':active, 'selected_objects':switch_me}):
  490. bpy.ops.object.mode_set(mode='POSE')
  491. for n in executed:
  492. try:
  493. n.bPrepare(context)
  494. if not n.executed:
  495. n.bExecute(context)
  496. except Exception as e:
  497. if error_popups:
  498. raise execution_error_cleanup(n, e,)
  499. else:
  500. raise e
  501. for n in executed:
  502. try:
  503. n.bFinalize(context)
  504. except Exception as e:
  505. if error_popups:
  506. raise execution_error_cleanup(n, e,)
  507. else:
  508. raise e
  509. switch_mode(mode='OBJECT', objects=switch_me)
  510. for ob in switch_me:
  511. ob.data.pose_position = 'POSE'
  512. tot_time = (time() - start_execution_time)
  513. prGreen(f"Executed tree of {len(executed)} nodes in {tot_time} seconds")
  514. if (original_active):
  515. context.view_layer.objects.active = original_active
  516. original_active.select_set(True)
  517. except Exception as e:
  518. execution_error_cleanup(None, e, switch_me)
  519. if error_popups == False:
  520. raise e
  521. finally:
  522. context.view_layer.objects.active = active
  523. # clear the selection first.
  524. for ob in context.selected_objects:
  525. try:
  526. ob.select_set(False)
  527. except RuntimeError: # it isn't in the view layer
  528. pass
  529. for ob in select_me:
  530. try:
  531. ob.select_set(True)
  532. except RuntimeError: # it isn't in the view layer
  533. pass