readtree.py 27 KB

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