schema_solve.py 37 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636
  1. from .utilities import (prRed, prGreen, prPurple, prWhite,
  2. prOrange,
  3. wrapRed, wrapGreen, wrapPurple, wrapWhite,
  4. wrapOrange,)
  5. from .utilities import init_connections, init_dependencies
  6. from .base_definitions import SchemaUINode, custom_props_types, MantisNodeGroup, replace_types
  7. from .node_container_common import setup_custom_props_from_np
  8. # a class that solves Schema nodes
  9. from bpy.types import NodeGroupInput, NodeGroupOutput
  10. class SchemaSolver:
  11. def __init__(self, schema_dummy, nodes, prototype, signature=None,):
  12. self.all_nodes = nodes # this is the parsed tree from Mantis
  13. self.node = schema_dummy
  14. self.tree = prototype.node_tree
  15. self.uuid = self.node.uuid
  16. if signature:
  17. self.signature = signature
  18. else:
  19. self.signature = self.node.signature
  20. self.schema_nodes={}
  21. self.solved_nodes = {}
  22. self.incoming_connections = {}
  23. self.outgoing_connections = {}
  24. self.constant_in = {}
  25. self.constant_out = {}
  26. self.array_input_connections = {}
  27. self.array_output_connections = {}
  28. self.nested_schemas = {}
  29. self.autogenerated_nodes = {}
  30. self.held_links = []
  31. self.tree_path_names = [*self.node.signature] # same tree as the schema node
  32. self.autogen_path_names = ['SCHEMA_AUTOGENERATED', *self.node.signature[1:]]
  33. self.is_node_group = False
  34. if self.node.prototype.bl_idname == "MantisNodeGroup":
  35. self.is_node_group = True
  36. if self.node.inputs['Schema Length'].links:
  37. self.index_link = self.node.inputs['Schema Length'].links[0]
  38. else:
  39. self.index_link = None
  40. # this should never happen, but it's OK to check.
  41. if self.node.inputs["Schema Length"].is_linked:
  42. if (other := self.node.inputs['Schema Length'].links[0].from_node).prepared == False:
  43. raise RuntimeError(f"Schema Length cannot be determined for {self.node} because {other} is not prepared.")
  44. self.solve_length = self.node.evaluate_input("Schema Length")
  45. # I'm making this a property of the solver because the solver's data is modified as it solves each iteration
  46. self.index = 0
  47. self.init_schema_links()
  48. self.set_index_strings()
  49. # Sort the multi-input nodes in reverse order of ID, this ensures that they are
  50. # read in the order they were created
  51. for inp in self.node.inputs.values():
  52. inp.links.sort(key=lambda a : -a.multi_input_sort_id)
  53. for ui_node in self.tree.nodes:
  54. # first we need to fill the parameters of the schema nodes.
  55. # we use the bl_idname because all schema nodes should be single-instance
  56. signature = (*self.tree_path_names, ui_node.bl_idname)
  57. if isinstance(ui_node, SchemaUINode):
  58. # We use the schema node's "natural signature" here because it represents
  59. # the "original" signature of the schema UI group node since this schema
  60. # solver may be in a nested schema, and its node's signature may have
  61. # uuid/index attached.
  62. get_sig = (*self.node.natural_signature, ui_node.bl_idname)
  63. if not (mantis_node := self.all_nodes.get(get_sig)): raise RuntimeError(wrapRed(f"Not found: {get_sig}"))
  64. self.schema_nodes[signature] = mantis_node
  65. mantis_node.fill_parameters(ui_node)
  66. # HACK to make Group Nodes work
  67. if ui_node.bl_idname == "NodeGroupInput":
  68. from .schema_containers import SchemaConstInput
  69. mantis_node = SchemaConstInput(signature=signature, base_tree=self.node.base_tree, parent_schema_node=self.node)
  70. self.schema_nodes[signature] = mantis_node
  71. mantis_node.fill_parameters(ui_node)
  72. if ui_node.bl_idname == "NodeGroupOutput":
  73. from .schema_containers import SchemaConstOutput
  74. mantis_node = SchemaConstOutput(signature=signature, base_tree=self.node.base_tree, parent_schema_node=self.node)
  75. self.schema_nodes[signature] = mantis_node
  76. mantis_node.fill_parameters(ui_node)
  77. def set_index_strings(self):
  78. self.index_str = lambda : '.'+str(self.uuid)+'.'+str(self.index).zfill(4)
  79. self.prev_index_str = lambda : '.'+str(self.uuid)+'.'+str(self.index-1).zfill(4)
  80. if self.is_node_group:
  81. self.index_str=lambda : ''
  82. self.prev_index_str=lambda : ''
  83. def init_schema_links(self,):
  84. """ Sort and store the links to/from the Schema group node."""
  85. for item in self.tree.interface.items_tree:
  86. if item.item_type == 'PANEL': continue
  87. parent_name='Constant'
  88. if item.parent.name != '': # in an "prphan" item this is left blank , it is not None or an AttributeError.
  89. parent_name = item.parent.name
  90. match parent_name:
  91. case 'Connection':
  92. if item.in_out == 'INPUT':
  93. if incoming_links := self.node.inputs[item.identifier].links:
  94. self.incoming_connections[item.name] = incoming_links[0]
  95. else:
  96. self.incoming_connections[item.name] = None
  97. else: # OUTPUT
  98. if outgoing_links := self.node.outputs[item.identifier].links:
  99. self.outgoing_connections[item.name] = outgoing_links.copy()
  100. else:
  101. self.outgoing_connections[item.name] = []
  102. case 'Constant':
  103. if item.in_out == 'INPUT':
  104. if constant_in_links := self.node.inputs[item.identifier].links:
  105. self.constant_in[item.name] = constant_in_links[0]
  106. else:
  107. self.constant_in[item.name] = None
  108. else: # OUTPUT
  109. if constant_out_links := self.node.outputs[item.identifier].links:
  110. self.constant_out[item.name] = constant_out_links.copy()
  111. else:
  112. self.constant_out[item.name] = []
  113. case 'Array':
  114. if item.in_out == 'INPUT':
  115. if item.identifier not in self.array_input_connections.keys():
  116. self.array_input_connections[item.identifier]=[]
  117. if in_links := self.node.inputs[item.identifier].links:
  118. self.array_input_connections[item.identifier]=in_links.copy()
  119. # I am tempted to put a check here, but it is sufficient to
  120. # rely on hierarchy links ensuring the arrays are prepared.
  121. # and testing here for un-prepared arrays will mess up schema
  122. # relationships in non-hierarchy situations.
  123. # Still, I'd like to have an easier time catching these problems.
  124. else: # OUTPUT
  125. if item.identifier not in self.array_output_connections.keys():
  126. self.array_output_connections[item.identifier]=[]
  127. if out_links := self.node.outputs[item.identifier].links:
  128. self.array_output_connections[item.identifier] = out_links.copy()
  129. def gen_solve_iteration_mantis_nodes(self, frame_mantis_nodes, unprepared):
  130. for prototype_ui_node in self.tree.nodes:
  131. mantis_node_name = prototype_ui_node.name
  132. index_str = self.index_str()
  133. if isinstance(prototype_ui_node, SchemaUINode):
  134. continue # IGNORE the schema interface nodes, we already made them in __init__()
  135. # they are reused for each iteration.
  136. elif prototype_ui_node.bl_idname in ['NodeFrame', 'NodeReroute']:
  137. continue # IGNORE stuff that is purely UI - frames, reroutes.
  138. elif prototype_ui_node.bl_idname in ['NodeGroupInput', 'NodeGroupOutput']:
  139. continue # we converted these to Schema Nodes because they represent a Group input.
  140. signature = (*self.autogen_path_names, mantis_node_name+index_str)
  141. prototype_mantis_node = self.all_nodes[(*self.signature, mantis_node_name)]
  142. # the prototype_mantis_node was generated inside the schema when we parsed the tree.
  143. # it is the prototype of the mantis node which we make for this iteration
  144. # for Schema sub-nodes ... they need a prototype to init.
  145. if prototype_mantis_node.node_type in ['DUMMY', 'DUMMY_SCHEMA']:
  146. # We stored the prototype ui_node when creating the Mantis node.
  147. ui_node = prototype_mantis_node.prototype
  148. # if prototype_mantis_node is a group or schema: TODO changes are needed elsewhere to make this easier to read. LEGIBILITY
  149. if ui_node.bl_idname in ["MantisNodeGroup", "MantisSchemaGroup"]:
  150. mantis_node = prototype_mantis_node.__class__(
  151. signature, prototype_mantis_node.base_tree, prototype=ui_node,
  152. natural_signature = prototype_mantis_node.signature)
  153. # now let's copy the links from the prototype node
  154. if ui_node.bl_idname in ["MantisNodeGroup"]:
  155. mantis_node.prepared = False
  156. mantis_node.node_type = 'DUMMY_SCHEMA' # we promote it to a schema for now
  157. mantis_node.inputs.init_sockets(['Schema Length']) # add a Schema Length socket
  158. mantis_node.parameters['Schema Length'] = 1 # set the length to 1 since it is a single group instance
  159. # we'll make the autogenerated nodes for constant inputs. It doesn't matter that there is technically
  160. # a prototype available for each one -- these are cheap and I want this to be easy.
  161. from .readtree import make_connections_to_ng_dummy
  162. make_connections_to_ng_dummy(self.node.base_tree, self.autogen_path_names, frame_mantis_nodes, self.all_nodes, mantis_node)
  163. else:
  164. mantis_node = prototype_mantis_node.__class__(signature, prototype_mantis_node.base_tree, prototype=ui_node)
  165. else:
  166. mantis_node = prototype_mantis_node.__class__(signature, prototype_mantis_node.base_tree)
  167. frame_mantis_nodes[mantis_node.signature] = mantis_node
  168. if mantis_node.prepared == False:
  169. unprepared.append(mantis_node)
  170. if mantis_node.__class__.__name__ in custom_props_types:
  171. setup_custom_props_from_np(mantis_node, prototype_ui_node)
  172. mantis_node.fill_parameters(prototype_ui_node)
  173. def handle_link_from_index_input(self, index, frame_mantis_nodes, ui_link):
  174. from .utilities import get_link_in_out
  175. _from_name, to_name = get_link_in_out(ui_link)
  176. to_node = frame_mantis_nodes[ (*self.autogen_path_names, to_name+self.index_str()) ]
  177. if to_node.node_type in ['DUMMY', 'DUMMY_SCHEMA']:
  178. from .utilities import gen_nc_input_for_data
  179. nc_cls = gen_nc_input_for_data(ui_link.from_socket)
  180. if (nc_cls): #HACK
  181. unique_name = "".join([
  182. ui_link.to_socket.node.name+self.index_str(),
  183. ui_link.from_socket.name,
  184. ui_link.from_socket.identifier,
  185. "==>",
  186. ui_link.to_socket.name,
  187. ui_link.to_socket.identifier,
  188. ])
  189. sig = ("MANTIS_AUTOGENERATED", *self.tree_path_names[1:-1], unique_name)
  190. nc_from = frame_mantis_nodes.get(sig)
  191. if not nc_from:
  192. nc_from = nc_cls(sig, self.node.base_tree)
  193. # ugly! maybe even a HACK!
  194. nc_from.inputs = {}
  195. from .base_definitions import NodeSocket
  196. nc_from.outputs = {ui_link.from_socket.name:NodeSocket(name = ui_link.from_socket.name, node=nc_from)}
  197. nc_from.parameters = {ui_link.from_socket.name:index}
  198. frame_mantis_nodes[sig]=nc_from
  199. from_node = nc_from
  200. self.solved_nodes[sig]=from_node
  201. _connection = from_node.outputs[ui_link.from_socket.name].connect(node=to_node, socket=ui_link.to_socket.identifier)
  202. return
  203. # Since the index is already determined, it is safe to remove the socket and just keep the value.
  204. to_node.parameters[ui_link.to_socket.name] = index
  205. del to_node.inputs[ui_link.to_socket.name]
  206. def handle_link_from_schema_length_input(self, frame_mantis_nodes, ui_link):
  207. from .utilities import get_link_in_out
  208. # see, here I can just use the schema node
  209. _from_name, to_name = get_link_in_out(ui_link)
  210. if to_name in replace_types:
  211. to_node = self.schema_nodes[(*self.autogen_path_names, to_name)]
  212. else:
  213. to_node = frame_mantis_nodes[(*self.autogen_path_names, to_name+self.index_str())]
  214. # this self.index_link is only used here?
  215. if self.index_link is None:
  216. # this should be impossible because the Schema gets an auto-generated Int input.
  217. raise NotImplementedError("This code should be unreachable. Please report this as a bug!")
  218. if (self.index_link.from_node):
  219. connection = self.index_link.from_node.outputs[self.index_link.from_socket].connect(node=to_node, socket=ui_link.to_socket.name)
  220. # otherwise we can autogen an int input I guess...?
  221. else:
  222. raise RuntimeError("I was expecting there to be an incoming connection here for Schema Length")
  223. def handle_link_from_incoming_connection_input(self, frame_mantis_nodes, ui_link):
  224. from .utilities import get_link_in_out
  225. incoming = self.incoming_connections[ui_link.from_socket.name]
  226. from_node = incoming.from_node
  227. _from_name, to_name = get_link_in_out(ui_link)
  228. to_node = frame_mantis_nodes[ (*self.autogen_path_names, to_name+self.index_str()) ]
  229. connection = from_node.outputs[incoming.from_socket].connect(node=to_node, socket=ui_link.to_socket.name)
  230. init_connections(from_node)
  231. def handle_link_from_constant_input(self, frame_mantis_nodes, ui_link, to_ui_node):
  232. from .utilities import get_link_in_out
  233. incoming = self.constant_in[ui_link.from_socket.name]
  234. from_node = incoming.from_node
  235. to_name = get_link_in_out(ui_link)[1]
  236. to_node = frame_mantis_nodes[(*self.autogen_path_names, to_name+self.index_str())]
  237. to_socket=ui_link.to_socket.name
  238. from .base_definitions import MantisNodeGroup, SchemaGroup
  239. if isinstance(to_ui_node, (SchemaGroup, MantisNodeGroup)):
  240. to_socket=ui_link.to_socket.identifier
  241. connection = from_node.outputs[incoming.from_socket].connect(node=to_node, socket=to_socket)
  242. init_connections(from_node)
  243. def handle_link_to_array_input_get(self, frame_mantis_nodes, ui_link, index):
  244. from .utilities import get_link_in_out
  245. from_name, to_name = get_link_in_out(ui_link)
  246. from_nc = frame_mantis_nodes[(*self.autogen_path_names, from_name+self.index_str())]
  247. to_nc = self.schema_nodes[(*self.tree_path_names, to_name)]
  248. # this only needs to be done once:
  249. if index == 0: # BUG? HACK? TODO find out what is going on here.
  250. # Kill the link between the schema node group and the node connecting to it
  251. old_nc = self.all_nodes[(*self.tree_path_names, from_name)]
  252. # I am not sure about this!
  253. existing_link = old_nc.outputs[ui_link.from_socket.name].links[0]
  254. existing_link.die()
  255. #
  256. connection = from_nc.outputs[ui_link.from_socket.name].connect(node=to_nc, socket=ui_link.to_socket.name)
  257. def handle_link_from_array_input(self, frame_mantis_nodes, ui_link, index):
  258. from .utilities import get_link_in_out
  259. get_index = index
  260. try:
  261. incoming = self.array_input_connections[ui_link.from_socket.identifier][get_index]
  262. except IndexError:
  263. if len(self.array_input_connections[ui_link.from_socket.identifier]) > 0:
  264. incoming = self.array_input_connections[ui_link.from_socket.identifier][0]
  265. # prOrange(incoming.from_node.node_type)
  266. if incoming.from_node.node_type not in ['DUMMY_SCHEMA']:
  267. raise NotImplementedError(wrapRed("dev: make it so Mantis checks if there are enough Array inputs."))
  268. else: # do nothing
  269. return
  270. else:
  271. raise RuntimeError(wrapRed("make it so Mantis checks if there are enough Array inputs!"))
  272. to_name = get_link_in_out(ui_link)[1]
  273. to_node = frame_mantis_nodes[(*self.autogen_path_names, to_name+self.index_str())]
  274. connection = incoming.from_node.outputs[incoming.from_socket].connect(node=to_node, socket=ui_link.to_socket.name)
  275. init_connections(incoming.from_node)
  276. def handle_link_from_array_input_all(self, frame_mantis_nodes, ui_link):
  277. from .utilities import get_link_in_out
  278. all_links = self.array_input_connections[ui_link.from_socket.identifier]
  279. to_name = get_link_in_out(ui_link)[1]
  280. to_node = frame_mantis_nodes[(*self.autogen_path_names, to_name+self.index_str())]
  281. # connection = incoming.from_node.outputs[incoming.from_socket].connect(node=to_node, socket=ui_link.to_socket.name)
  282. for l in all_links:
  283. # we need to copy the link with the new from-node info
  284. from .base_definitions import NodeLink
  285. connection = NodeLink(l.from_node, l.from_socket, to_node, ui_link.to_socket.name, l.multi_input_sort_id)
  286. to_node.flush_links()
  287. def handle_link_to_constant_output(self, frame_mantis_nodes, index, ui_link, to_ui_node):
  288. from .utilities import get_link_in_out
  289. to_node = self.schema_nodes[(*self.tree_path_names, to_ui_node.bl_idname)]
  290. expose_when = to_node.evaluate_input('Expose when N==')
  291. # HACK here to force it to work with ordinary node groups, which don't seem to set this value correctly.
  292. if to_ui_node.bl_idname == "NodeGroupOutput":
  293. expose_when = index # just set it directly since it is getting set to None somewhere (I should find out where tho)
  294. # end HACK
  295. if index == expose_when:
  296. for outgoing in self.constant_out[ui_link.to_socket.name]:
  297. to_node = outgoing.to_node
  298. from_name = get_link_in_out(ui_link)[0]
  299. from_node = frame_mantis_nodes[(*self.autogen_path_names, from_name+self.index_str()) ]
  300. connection = from_node.outputs[ui_link.from_socket.name].connect(node=to_node, socket=outgoing.to_socket)
  301. # WTF is even happening here?? TODO BUG HACK
  302. def handle_link_to_array_output(self, frame_mantis_nodes, index, ui_link, to_ui_node, from_ui_node):# if this duplicated code works, dedupe!
  303. from .utilities import get_link_in_out
  304. to_node = self.schema_nodes[(*self.tree_path_names, to_ui_node.bl_idname)] # get it by [], we want a KeyError if this fails
  305. for outgoing in self.array_output_connections[ui_link.to_socket.identifier]:
  306. # print (type(outgoing))
  307. from .schema_containers import SchemaIndex
  308. from_name = get_link_in_out(ui_link)[0]
  309. from_node = frame_mantis_nodes[ (*self.autogen_path_names, from_name+self.index_str()) ]
  310. if not from_node:
  311. from_node = self.schema_nodes[(*self.tree_path_names, from_ui_node.bl_idname)]
  312. to_node = outgoing.to_node
  313. if isinstance(from_node, SchemaIndex): # I think I need to dedup this stuff
  314. # print("INDEX")
  315. from .utilities import gen_nc_input_for_data
  316. nc_cls = gen_nc_input_for_data(ui_link.from_socket)
  317. if (nc_cls): #HACK
  318. sig = ("MANTIS_AUTOGENERATED", *self.tree_path_names[1:-1], self.index_str(), ui_link.from_socket.name, ui_link.from_socket.identifier)
  319. nc_from = nc_cls(sig, self.node.base_tree)
  320. # ugly! maybe even a HACK!
  321. nc_from.inputs = {}
  322. from .node_container_common import NodeSocket
  323. nc_from.outputs = {ui_link.from_socket.name:NodeSocket(name = ui_link.from_socket.name, node=nc_from)}
  324. from .node_container_common import get_socket_value
  325. if ui_link.from_socket.name in ['Index']:
  326. nc_from.parameters = {ui_link.from_socket.name:index}
  327. else:
  328. nc_from.parameters = {ui_link.from_socket.name:self.solve_length}
  329. frame_mantis_nodes[sig]=nc_from
  330. from_node = nc_from
  331. self.solved_nodes[sig]=from_node
  332. # I have a feeling that something bad will happen if both of these conditions (above and below) are true
  333. if to_node.node_type == 'DUMMY_SCHEMA' and to_node.prepared:
  334. other_stem = ('SCHEMA_AUTOGENERATED', *to_node.signature[1:])
  335. from .utilities import get_node_prototype
  336. other_schema_np = get_node_prototype(to_node.signature, to_node.base_tree)
  337. other_schema_tree = other_schema_np.node_tree
  338. for n in other_schema_tree.nodes:
  339. if n.bl_idname not in ["SchemaArrayInput", "SchemaArrayInputGet"]:
  340. continue
  341. out = n.outputs[outgoing.to_socket]
  342. for l in out.links:
  343. other_index_str = lambda : '.'+str(to_node.uuid)+'.'+str(index).zfill(4)
  344. # get it by [], we want a KeyError if this fails
  345. try:
  346. out_node = self.all_nodes[(*other_stem, l.to_node.name+other_index_str())]
  347. except KeyError as e:
  348. for n in self.all_nodes:
  349. if len(n) > len(other_stem)+1: break
  350. for elem in other_stem:
  351. if elem not in n: break
  352. else:
  353. print(n)
  354. raise e
  355. connection = from_node.outputs[ui_link.from_socket.name].connect(node=out_node, socket=l.to_socket.name)
  356. else:
  357. connection = from_node.outputs[ui_link.from_socket.name].connect(node=to_node, socket=outgoing.to_socket)
  358. def handle_link_from_array_input_get(self, frame_mantis_nodes, index, ui_link, from_ui_node ):
  359. from .utilities import get_link_in_out
  360. get_index = index
  361. from_node = self.schema_nodes[(*self.tree_path_names, from_ui_node.bl_idname)]
  362. from .utilities import cap, wrap
  363. get_index = from_node.evaluate_input("Index", index)
  364. oob = from_node.evaluate_input("OoB Behaviour")
  365. # we must assume that the array has sent the correct number of links
  366. if oob == 'WRAP':
  367. get_index = wrap(get_index, len(self.array_input_connections[ui_link.from_socket.identifier])-1, 0)
  368. if oob == 'HOLD':
  369. get_index = cap(get_index, len(self.array_input_connections[ui_link.from_socket.identifier])-1)
  370. try:
  371. incoming = self.array_input_connections[ui_link.from_socket.identifier][get_index]
  372. except IndexError:
  373. raise RuntimeError(wrapRed("Dummy! You need to make it so Mantis checks if there are enough Array inputs! It should probably have a Get Index!"))
  374. to_name = get_link_in_out(ui_link)[1]
  375. to_node = frame_mantis_nodes[(*self.autogen_path_names, to_name+self.index_str())]
  376. connection = incoming.from_node.outputs[incoming.from_socket].connect(node=to_node, socket=ui_link.to_socket.name)
  377. init_connections(incoming.from_node)
  378. def prepare_nodes(self, unprepared):
  379. # At this point, we've already run a pretty exhaustive preperation phase to prep the schema's dependencies
  380. # So we should not need to add any new dependencies unless there is a bug elsewhere.
  381. # and in fact, I could skip this in some cases, and should investigate if profiling reveals a slowdown here.
  382. while unprepared:
  383. nc = unprepared.pop()
  384. if sum([dep.prepared for dep in nc.hierarchy_dependencies]) == len(nc.hierarchy_dependencies):
  385. nc.bPrepare()
  386. if nc.node_type == 'DUMMY_SCHEMA':
  387. self.solve_nested_schema(nc)
  388. else: # Keeping this for-loop as a fallback, it should never add dependencies though
  389. for dep in nc.hierarchy_dependencies:
  390. if not dep.prepared and dep not in unprepared:
  391. prOrange(f"Adding dependency... {dep}")
  392. unprepared.appendleft(dep)
  393. unprepared.appendleft(nc) # just rotate them until they are ready.
  394. def solve_iteration(self):
  395. """ Solve an iteration of the schema.
  396. - 1 Create the Mantis Node instances that represent this iteration of the schema
  397. - 2 Connect the links from the entrypoint or previous iteration.
  398. - 3 Connect the constant and array links, and any link between nodes entirely within the tree
  399. - 4 Prepare the nodes that modify data (in case of e.g. array get index or nested schema length input)
  400. - 5 Connect the final prepared nodes
  401. and return the nodes that were created in this schema iteration (frame).
  402. This function also adds to held_links to pass data between iterations.
  403. """
  404. from .schema_definitions import (SchemaIndex,
  405. SchemaArrayInput,
  406. SchemaArrayInputGet,
  407. SchemaArrayInputAll,
  408. SchemaArrayOutput,
  409. SchemaConstInput,
  410. SchemaConstOutput,
  411. SchemaOutgoingConnection,
  412. SchemaIncomingConnection,)
  413. from .utilities import clear_reroutes
  414. from .utilities import get_link_in_out, link_node_containers
  415. self.set_index_strings()
  416. frame_mantis_nodes = {}
  417. # Later we have to run bPrepare() on these guys, so we make the deque and fill it now.
  418. from collections import deque
  419. unprepared= deque()
  420. self.gen_solve_iteration_mantis_nodes(frame_mantis_nodes, unprepared)
  421. # This is where we handle node connections BETWEEN frames
  422. while(self.held_links):
  423. ui_link = self.held_links.pop()
  424. to_ui_node = ui_link.to_socket.node; from_ui_node = ui_link.from_socket.node
  425. if isinstance(to_ui_node, SchemaOutgoingConnection):
  426. mantis_incoming_node = self.schema_nodes[*self.tree_path_names, 'SchemaIncomingConnection']
  427. for mantis_link in mantis_incoming_node.outputs[ui_link.to_socket.name].links:
  428. to_mantis_node, to_mantis_socket = mantis_link.to_node, mantis_link.to_socket
  429. from_name = get_link_in_out(ui_link)[0]
  430. from_mantis_node = self.solved_nodes[ (*self.autogen_path_names, from_name+self.prev_index_str()) ]
  431. to_mantis_node = frame_mantis_nodes[ (*self.autogen_path_names, to_mantis_node.signature[-1]+self.index_str()) ]
  432. connection = from_mantis_node.outputs[ui_link.from_socket.name].connect(node=to_mantis_node, socket=to_mantis_socket)
  433. # We want to delete the links from the tree into the schema node.
  434. # TODO: this is not robust enough and I do not feel sure this is doing the right thing.
  435. if existing_link := self.incoming_connections[ui_link.to_socket.name]:
  436. if existing_link.to_node == self.node:
  437. print ("Deleting...", existing_link)
  438. if self.node.signature[-1] in existing_link.to_node.signature:
  439. existing_link.die()
  440. # BUG may exist here.
  441. self.incoming_connections[ui_link.to_socket.name] = connection
  442. # Get the rerouted links from the graph. We don't really need to do this every iteration.
  443. # TODO: use profiling to determine if this is slow; if so: copy & reuse the data, refactor the pop()'s out.
  444. ui_links = clear_reroutes(list(self.tree.links))
  445. # Now we handle ui_links in the current frame, including those ui_links between Schema nodes and "real" nodes
  446. awaiting_prep_stage = []
  447. for ui_link in ui_links:
  448. to_ui_node = ui_link.to_socket.node; from_ui_node = ui_link.from_socket.node
  449. if isinstance(from_ui_node, SchemaIndex):
  450. if ui_link.from_socket.name == "Index":
  451. self.handle_link_from_index_input(self.index, frame_mantis_nodes, ui_link)
  452. elif ui_link.from_socket.name == "Schema Length":
  453. self.handle_link_from_schema_length_input(frame_mantis_nodes, ui_link)
  454. continue
  455. if isinstance(from_ui_node, SchemaIncomingConnection):
  456. if ui_link.from_socket.name in self.incoming_connections.keys():
  457. self.handle_link_from_incoming_connection_input(frame_mantis_nodes, ui_link)
  458. continue
  459. if isinstance(from_ui_node, (SchemaConstInput, NodeGroupInput)):
  460. if ui_link.from_socket.name in self.constant_in.keys():
  461. self.handle_link_from_constant_input( frame_mantis_nodes, ui_link, to_ui_node)
  462. continue
  463. if isinstance(to_ui_node, SchemaArrayInputGet):
  464. self.handle_link_to_array_input_get( frame_mantis_nodes, ui_link, self.index)
  465. continue
  466. if isinstance(from_ui_node, SchemaArrayInput):
  467. self.handle_link_from_array_input(frame_mantis_nodes, ui_link, self.index)
  468. continue
  469. if isinstance(from_ui_node, SchemaArrayInputAll):
  470. self.handle_link_from_array_input_all(frame_mantis_nodes, ui_link)
  471. continue
  472. # HOLD these links to the next iteration:
  473. if isinstance(to_ui_node, SchemaOutgoingConnection):
  474. self.held_links.append(ui_link)
  475. continue
  476. # HOLD these links until prep is done a little later
  477. if isinstance(to_ui_node, (SchemaConstOutput, NodeGroupOutput)) or isinstance(to_ui_node, SchemaArrayOutput) or \
  478. isinstance(from_ui_node, SchemaArrayInputGet):
  479. awaiting_prep_stage.append(ui_link)
  480. continue
  481. # for any of the special cases, we hit a 'continue' block. So this connection is not special, and is made here.
  482. connection = link_node_containers(self.autogen_path_names, ui_link, frame_mantis_nodes, from_suffix=self.index_str(), to_suffix=self.index_str())
  483. for signature, node in frame_mantis_nodes.items():
  484. self.solved_nodes[signature]=node
  485. if node.node_type == "DUMMY_SCHEMA":
  486. # make sure to add the nodes to the group's sockets if the user set them directly
  487. from .readtree import make_connections_to_ng_dummy
  488. make_connections_to_ng_dummy(
  489. self.node.base_tree,
  490. self.autogen_path_names,
  491. {}, # just pass an empty dict, this argument is not needed in this context
  492. self.all_nodes,
  493. node)
  494. from .utilities import init_schema_dependencies
  495. init_schema_dependencies(node, self.all_nodes)
  496. else:
  497. init_dependencies(node) # it is hard to overstate how important this single line of code is
  498. self.prepare_nodes(unprepared)
  499. while(awaiting_prep_stage):
  500. ui_link = awaiting_prep_stage.pop()
  501. to_ui_node = ui_link.to_socket.node; from_ui_node = ui_link.from_socket.node
  502. if isinstance(to_ui_node, (SchemaConstOutput, NodeGroupOutput)):
  503. self.handle_link_to_constant_output(frame_mantis_nodes, self.index, ui_link, to_ui_node)
  504. if isinstance(to_ui_node, SchemaArrayOutput):
  505. self.handle_link_to_array_output(frame_mantis_nodes, self.index, ui_link, to_ui_node, from_ui_node)
  506. if isinstance(from_ui_node, SchemaArrayInputGet):
  507. self.handle_link_from_array_input_get(frame_mantis_nodes, self.index, ui_link, from_ui_node )
  508. # end seciton
  509. return frame_mantis_nodes
  510. def solve_nested_schema(self, schema_nc):
  511. """ Solves all schema node groups found in this Schema. This is a recursive function, which will
  512. solve all levels of nested schema - since this function is called by solver.solve().
  513. """
  514. solver=None
  515. if schema_nc.prepared == False:
  516. all_nodes = self.all_nodes.copy()
  517. ui_node = schema_nc.prototype
  518. length = schema_nc.evaluate_input("Schema Length")
  519. tree = ui_node.node_tree
  520. if schema_nc.prototype.bl_idname == "MantisNodeGroup":
  521. prOrange(f"Expanding Node Group {tree.name} in node {schema_nc}.")
  522. else:
  523. prOrange(f"Expanding schema {tree.name} in node {schema_nc} with length {length}.")
  524. solver = SchemaSolver(schema_nc, all_nodes, ui_node, schema_nc.natural_signature)
  525. solved_nodes = solver.solve()
  526. schema_nc.prepared = True
  527. for k,v in solved_nodes.items():
  528. self.solved_nodes[k]=v
  529. return solver
  530. def finalize(self, frame_nc):
  531. from .schema_definitions import (SchemaOutgoingConnection,)
  532. for i in range(len(self.held_links)):
  533. link = self.held_links.pop()
  534. to_np = link.to_socket.node; from_np = link.from_socket.node
  535. if isinstance(to_np, SchemaOutgoingConnection):
  536. if link.to_socket.name in self.outgoing_connections.keys():
  537. if (outgoing_links := self.outgoing_connections[link.to_socket.name]) is None: continue
  538. for outgoing in outgoing_links:
  539. if outgoing:
  540. to_node = outgoing.to_node
  541. from_node =frame_nc[(*self.autogen_path_names, from_np.name+self.index_str()) ]
  542. connection = from_node.outputs[link.from_socket.name].connect(node=to_node, socket=outgoing.to_socket)
  543. # we need to kill the link between the Schema itself and the next node and update the deps. Otherwise:confusing bugs.
  544. outgoing.die(); init_dependencies(to_node)
  545. # else: # the node just isn't connected out this socket.
  546. # # solve all unsolved nested schemas...
  547. for schema_sig, schema_nc in self.nested_schemas.items():
  548. self.solve_nested_schema(schema_nc)
  549. for n in self.autogenerated_nodes.values():
  550. init_connections(n)
  551. for c in n.connections:
  552. init_dependencies(c)
  553. all_outgoing_links = []
  554. for conn in self.outgoing_connections.values():
  555. for outgoing in conn:
  556. all_outgoing_links.append(outgoing)
  557. for conn in self.constant_out.values():
  558. for outgoing in conn:
  559. all_outgoing_links.append(outgoing)
  560. for conn in self.array_output_connections.values():
  561. for outgoing in conn:
  562. all_outgoing_links.append(outgoing)
  563. for outgoing in all_outgoing_links:
  564. to_node = outgoing.to_node
  565. for l in to_node.inputs[outgoing.to_socket].links:
  566. if self.node == l.from_node:
  567. l.die()
  568. for inp in self.node.inputs.values():
  569. for l in inp.links:
  570. init_connections(l.from_node) # to force it to have hierarchy connections with the new nodes.
  571. def solve(self):
  572. if self.solve_length < 1:
  573. print (f"WARN: Schema {self.signature} has a length of 0 or less and will not expand.")
  574. return {} # just don't do anything. This may cause errors if the Schema has dependencies - that's OK.
  575. for index in range(self.solve_length):
  576. self.index = index
  577. frame_mantis_nodes = self.solve_iteration()
  578. for sig, nc in frame_mantis_nodes.items():
  579. if nc.node_type == 'DUMMY_SCHEMA':
  580. self.nested_schemas[sig] = nc
  581. self.finalize(frame_mantis_nodes)
  582. self.node.solver = self
  583. self.node.prepared = True
  584. return self.solved_nodes