utilities.py 50 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191
  1. #fool: should be wrColor like prColor... dumb
  2. def wrapRed(skk): return "\033[91m{}\033[00m".format(skk)
  3. def wrapGreen(skk): return "\033[92m{}\033[00m".format(skk)
  4. def wrapPurple(skk): return "\033[95m{}\033[00m".format(skk)
  5. def wrapWhite(skk): return "\033[97m{}\033[00m".format(skk)
  6. def wrapOrange(skk): return "\033[0;33m{}\033[00m".format(skk)
  7. # these should reimplement the print interface..
  8. def prRed(*args): print (*[wrapRed(arg) for arg in args])
  9. def prGreen(*args): print (*[wrapGreen(arg) for arg in args])
  10. def prPurple(*args): print (*[wrapPurple(arg) for arg in args])
  11. def prWhite(*args): print (*[wrapWhite(arg) for arg in args])
  12. def prOrange(*args): print (*[wrapOrange(arg) for arg in args])
  13. # add THIS to the top of a file for easy access:
  14. # from mantis.utilities import (prRed, prGreen, prPurple, prWhite,
  15. # prOrange,
  16. # wrapRed, wrapGreen, wrapPurple, wrapWhite,
  17. # wrapOrange,)
  18. # SOME PRINTS
  19. #DO! Figure out what the hell this does
  20. # then re-write it in a simpler, cleaner way
  21. # that ignores groups because it gets lines from a parsed tree
  22. # ideally I can use the seeking-lines instead of the socket/tree lines
  23. # since those allow the function to travel through the tree.
  24. # not sure if the above comment still has any place here....
  25. def print_lines(lines):
  26. printstring, string = "", ""
  27. cur_g = 0
  28. for line in lines:
  29. string += wrapRed("%i: " % len(line))
  30. for s, g in line:
  31. new_g = len(g) -1
  32. difference = new_g - cur_g
  33. if difference > 0:
  34. string = string[:-1] # get rid of leading space
  35. for i in range(difference):
  36. string += " [ "
  37. elif difference < 0:
  38. string = string[:-4]# get rid of arrow
  39. for i in range(abs(difference)):
  40. string += " ] "
  41. string += "-> "
  42. cur_g = new_g
  43. wrap=wrapWhite
  44. if (s.node.bl_idname in ['UtilitySwitch', 'UtilityDriver', 'UtilityDriverVariable']):
  45. wrap = wrapPurple
  46. elif (s.node.bl_idname in ['xFormArmatureNode', 'xFormBoneNode']):
  47. wrap = wrapOrange
  48. elif (s.node.bl_idname in ['LinkStretchTo']):
  49. wrap = wrapRed
  50. elif ('Link' in s.node.bl_idname):
  51. wrap = wrapGreen
  52. string += wrap(s.node.name + ":" + s.name) + " -> "
  53. string = string[:-4]
  54. while cur_g > 0:
  55. cur_g -= 1
  56. string += " ] "
  57. cur_g, difference = 0,0
  58. printstring +=string + "\n\n"; string = ""
  59. return printstring
  60. # why is this not printing groups in brackets?
  61. def print_socket_signature(sig):
  62. string = ""
  63. for i, e in enumerate(sig):
  64. if (e == "NONE"):
  65. continue
  66. wrap = wrapWhite
  67. if (i == len(sig)-2):
  68. wrap = wrapRed
  69. elif (i == len(sig) - 1):
  70. wrap = wrapGreen
  71. string+= wrap(e) + ":"
  72. return string[:-1]
  73. def print_node_signature(sig,):
  74. string = ""
  75. for i, e in enumerate(sig):
  76. if (e == "NONE"):
  77. continue
  78. wrap = wrapWhite
  79. if (i == len(sig)-2):
  80. wrap = wrapRed
  81. elif (i == len(sig) - 1):
  82. continue
  83. string+= wrap(e) + ":"
  84. return string[:-1]
  85. def print_parsed_node(parsed_node):
  86. # do: make this consistent with the above
  87. string = ""
  88. for k, v in parsed_node.items():
  89. if isinstance(v, dict):
  90. string += "%s:\n" % (k)
  91. for k1, v1 in v.items():
  92. string += " %s: %s\n" % (k1, v1)
  93. else:
  94. string += "%s: %s\n" % (k, v )
  95. return string
  96. ## SIGNATURES ##
  97. def get_socket_signature(line_element):
  98. """
  99. This function creates a convenient, hashable signature for
  100. identifying a node path.
  101. """
  102. if not line_element:
  103. return None
  104. signature, socket, tree_path = [], line_element[0], line_element[1]
  105. for n in tree_path:
  106. if hasattr(n, "name"):
  107. signature.append(n.name)
  108. else:
  109. signature.append("NONE")
  110. signature.append(socket.node.name); signature.append(socket.identifier)
  111. return tuple(signature)
  112. def tuple_of_line(line):
  113. # For creating a set of lines
  114. return tuple(tuple_of_line_element(e) for e in line)
  115. def tuple_of_line_element(line_element):
  116. return (line_element[0], tuple(line_element[1]))
  117. # A fuction for getting to the end of a Reroute.
  118. def socket_seek(start_link, links):
  119. link = start_link
  120. while(link.from_socket):
  121. for newlink in links:
  122. if link.from_socket.node.inputs:
  123. if newlink.to_socket == link.from_socket.node.inputs[0]:
  124. link=newlink; break
  125. else:
  126. break
  127. return link.from_socket
  128. # this creates fake links that have the same interface as Blender's
  129. # so that I can bypass Reroutes
  130. def clear_reroutes(links):
  131. from .node_container_common import DummyLink
  132. kept_links, rerouted_starts = [], []
  133. rerouted = []
  134. all_links = links.copy()
  135. while(all_links):
  136. link = all_links.pop()
  137. to_cls = link.to_socket.node.bl_idname
  138. from_cls = link.from_socket.node.bl_idname
  139. reroute_classes = ["NodeReroute"]
  140. if (to_cls in reroute_classes and
  141. from_cls in reroute_classes):
  142. rerouted.append(link)
  143. elif (to_cls in reroute_classes and not
  144. from_cls in reroute_classes):
  145. rerouted.append(link)
  146. elif (from_cls in reroute_classes and not
  147. to_cls in reroute_classes):
  148. rerouted_starts.append(link)
  149. else:
  150. kept_links.append(link)
  151. for start in rerouted_starts:
  152. from_socket = socket_seek(start, rerouted)
  153. new_link = DummyLink(from_socket=from_socket, to_socket=start.to_socket, nc_from=None, nc_to=None)
  154. kept_links.append(new_link)
  155. return kept_links
  156. def tree_from_nc(sig, base_tree):
  157. if (sig[0] == 'MANTIS_AUTOGENERATED'):
  158. sig = sig[:-2] # cut off the end part of the signature. (Why am I doing this??) # because it uses socket.name and socket.identifier
  159. # this will lead to totally untraceble bugs in the event of a change in how signatures are assigned
  160. tree = base_tree
  161. for i, path_item in enumerate(sig):
  162. if (i == 0) or (i == len(sig) - 1):
  163. continue
  164. tree = tree.nodes.get(path_item).node_tree
  165. return tree
  166. def get_node_prototype(sig, base_tree):
  167. return tree_from_nc(sig, base_tree).nodes.get( sig[-1] )
  168. ##################################################################################################
  169. # groups and changing sockets -- this is used extensively by Schema.
  170. ##################################################################################################
  171. def get_socket_maps(node):
  172. maps = [{}, {}]
  173. node_collection = ["inputs", "outputs"]
  174. links = ["from_socket", "to_socket"]
  175. for collection, map, link in zip(node_collection, maps, links):
  176. for sock in getattr(node, collection):
  177. if sock.is_linked:
  178. map[sock.identifier]=[ getattr(l, link) for l in sock.links ]
  179. else:
  180. map[sock.identifier]=sock.get("default_value")
  181. return maps
  182. def do_relink(node, s, map, in_out='INPUT', parent_name = ''):
  183. tree = node.id_data; interface_in_out = 'OUTPUT' if in_out == 'INPUT' else 'INPUT'
  184. if hasattr(node, "node_tree"):
  185. tree = node.node_tree
  186. interface_in_out=in_out
  187. from bpy.types import NodeSocket
  188. get_string = '__extend__'
  189. if s: get_string = s.identifier
  190. if val := map.get(get_string):
  191. if isinstance(val, list):
  192. for sub_val in val:
  193. # this will only happen once because it assigns s, so it is safe to do in the for loop.
  194. if s is None:
  195. # prGreen("zornpt")
  196. name = unique_socket_name(node, sub_val, tree)
  197. sock_type = sub_val.bl_idname
  198. if parent_name:
  199. interface_socket = update_interface(tree.interface, name, interface_in_out, sock_type, parent_name)
  200. if in_out =='INPUT':
  201. s = node.inputs.new(sock_type, name, identifier=interface_socket.identifier)
  202. else:
  203. s = node.outputs.new(sock_type, name, identifier=interface_socket.identifier)
  204. if parent_name == 'Array': s.display_shape='SQUARE_DOT'
  205. # then move it up and delete the other link.
  206. # this also needs to modify the interface of the node tree.
  207. #
  208. if isinstance(sub_val, NodeSocket):
  209. if in_out =='INPUT':
  210. node.id_data.links.new(input=sub_val, output=s)
  211. else:
  212. node.id_data.links.new(input=s, output=sub_val)
  213. else:
  214. try:
  215. s.default_value = val
  216. except (AttributeError, ValueError): # must be readonly or maybe it doesn't have a d.v.
  217. pass
  218. def update_interface(interface, name, in_out, sock_type, parent_name):
  219. if parent_name:
  220. if not (interface_parent := interface.items_tree.get(parent_name)):
  221. interface_parent = interface.new_panel(name=parent_name)
  222. socket = interface.new_socket(name=name,in_out=in_out, socket_type=sock_type, parent=interface_parent)
  223. if parent_name == 'Connection':
  224. in_out = 'OUTPUT' if in_out == 'INPUT' else 'INPUT' # flip this make sure connections always do both
  225. interface.new_socket(name=name,in_out=in_out, socket_type=sock_type, parent=interface_parent)
  226. return socket
  227. else:
  228. raise RuntimeError(wrapRed("Cannot add interface item to tree without specifying type."))
  229. def relink_socket_map(node, node_collection, map, item, in_out=None):
  230. from bpy.types import NodeSocket
  231. if not in_out: in_out=item.in_out
  232. if node.bl_idname in ['MantisSchemaGroup'] and item.parent and item.parent.name == 'Array':
  233. multi = False
  234. if in_out == 'INPUT':
  235. multi=True
  236. s = node_collection.new(type=item.socket_type, name=item.name, identifier=item.identifier, use_multi_input=multi)
  237. # s.link_limit = node.schema_length TODO
  238. else:
  239. s = node_collection.new(type=item.socket_type, name=item.name, identifier=item.identifier)
  240. if item.parent.name == 'Array': s.display_shape = 'SQUARE_DOT'
  241. do_relink(node, s, map)
  242. def unique_socket_name(node, other_socket, tree):
  243. name_stem = other_socket.bl_label; num=0
  244. # if hasattr(other_socket, "default_value"):
  245. # name_stem = type(other_socket.default_value).__name__
  246. for item in tree.interface.items_tree:
  247. if item.item_type == 'PANEL': continue
  248. if other_socket.is_output and item.in_out == 'INPUT': continue
  249. if not other_socket.is_output and item.in_out == 'OUTPUT': continue
  250. if name_stem in item.name: num+=1
  251. name = name_stem + '.' + str(num).zfill(3)
  252. return name
  253. ##############################
  254. # READ TREE and also Schema Solve!
  255. ##############################
  256. def init_connections(nc):
  257. c, hc = [], []
  258. for i in nc.outputs.values():
  259. for l in i.links:
  260. # if l.from_node != nc:
  261. # continue
  262. if l.is_hierarchy:
  263. hc.append(l.to_node)
  264. c.append(l.to_node)
  265. nc.hierarchy_connections = hc
  266. nc.connections = c
  267. def init_dependencies(nc):
  268. c, hc = [], []
  269. for i in nc.inputs.values():
  270. for l in i.links:
  271. # if l.to_node != nc:
  272. # continue
  273. if l.is_hierarchy:
  274. hc.append(l.from_node)
  275. c.append(l.from_node)
  276. nc.hierarchy_dependencies = hc
  277. nc.dependencies = c
  278. # schema_input_types = [
  279. # 'SchemaIndex',
  280. # 'SchemaArrayInput',
  281. # 'SchemaArrayInputGet',
  282. # 'SchemaConstInput',
  283. # 'SchemaIncomingConnection',
  284. # ]
  285. # schema_output_types = [
  286. # 'SchemaArrayOutput',
  287. # 'SchemaConstOutput',
  288. # 'SchemaOutgoingConnection',
  289. # ]
  290. from .base_definitions import from_name_filter, to_name_filter
  291. def init_schema_dependencies(schema, all_nc):
  292. schema_name = schema.signature[-1]
  293. all_input_nodes = []
  294. all_output_nodes = []
  295. # all_inernal_nodes = []
  296. # for nc in all_nc.values():
  297. # for t in schema_input_types:
  298. # if nc.signature == (*schema.signature, t):
  299. # all_input_nodes.append(nc)
  300. # for t in schema_output_types:
  301. # if nc.signature == (*schema.signature, t):
  302. # all_output_nodes.append(nc)
  303. # prOrange (schema.connections)
  304. # print (schema.hierarchy_connections)
  305. # prOrange (schema.dependencies)
  306. # prOrange (schema.hierarchy_dependencies)
  307. # so the challenge is to map these and check both ends
  308. from .base_definitions import from_name_filter, to_name_filter
  309. # go through the interface items then of course
  310. from .utilities import get_node_prototype
  311. np = get_node_prototype(schema.signature, schema.base_tree)
  312. tree = np.node_tree
  313. schema.dependencies = []
  314. schema.hierarchy_dependencies = []
  315. for item in tree.interface.items_tree:
  316. if item.item_type == 'PANEL':
  317. continue
  318. hierarchy = True
  319. hierarchy_reason=""
  320. if item.in_out == 'INPUT':
  321. c = schema.dependencies
  322. hc = schema.hierarchy_dependencies
  323. if item.parent and item.parent.name == 'Array':
  324. for t in ['SchemaArrayInput', 'SchemaArrayInputGet']:
  325. if (nc := all_nc.get( (*schema.signature, t) )):
  326. for to_link in nc.outputs[item.name].links:
  327. if to_link.to_socket in to_name_filter:
  328. # hierarchy_reason='a'
  329. hierarchy = False
  330. for from_link in schema.inputs[item.identifier].links:
  331. if from_link.from_socket in from_name_filter:
  332. hierarchy = False
  333. # hierarchy_reason='b'
  334. if from_link.from_node not in c:
  335. if hierarchy:
  336. hc.append(from_link.from_node)
  337. c.append(from_link.from_node)
  338. if item.parent and item.parent.name == 'Constant':
  339. if nc := all_nc.get((*schema.signature, 'SchemaConstInput')):
  340. for to_link in nc.outputs[item.name].links:
  341. if to_link.to_socket in to_name_filter:
  342. # hierarchy_reason='c'
  343. hierarchy = False
  344. for from_link in schema.inputs[item.identifier].links:
  345. if from_link.from_socket in from_name_filter:
  346. # hierarchy_reason='d'
  347. hierarchy = False
  348. if from_link.from_node not in c:
  349. if hierarchy:
  350. hc.append(from_link.from_node)
  351. c.append(from_link.from_node)
  352. if item.parent and item.parent.name == 'Connection':
  353. if nc := all_nc.get((*schema.signature, 'SchemaIncomingConnection')):
  354. for to_link in nc.outputs[item.name].links:
  355. if to_link.to_socket in to_name_filter:
  356. # hierarchy_reason='e'
  357. hierarchy = False
  358. for from_link in schema.inputs[item.identifier].links:
  359. if from_link.from_socket in from_name_filter:
  360. # hierarchy_reason='f'
  361. hierarchy = False
  362. if from_link.from_node not in c:
  363. if hierarchy:
  364. hc.append(from_link.from_node)
  365. c.append(from_link.from_node)
  366. # prPurple(item.in_out)
  367. # if hierarchy:
  368. # prOrange(item.name)
  369. # else:
  370. # prWhite(item.name)
  371. # print(hierarchy_reason)
  372. # else:
  373. # c = schema.connections
  374. # hc = schema.hierarchy_connections
  375. # if item.parent and item.parent.name == 'Array':
  376. # if nc := all_nc.get((*schema.signature, 'SchemaArrayOutput')):
  377. # for from_link in nc.inputs[item.name].links:
  378. # if from_link.from_socket in from_name_filter:
  379. # hierarchy = False
  380. # for to_link in schema.outputs[item.identifier].links:
  381. # if to_link.to_socket in to_name_filter:
  382. # hierarchy = False
  383. # if item.parent and item.parent.name == 'Constant':
  384. # if nc := all_nc.get((*schema.signature, 'SchemaConstOutput')):
  385. # for from_link in nc.inputs[item.name].links:
  386. # if from_link.from_socket in from_name_filter:
  387. # hierarchy = False
  388. # for to_link in schema.outputs[item.identifier].links:
  389. # if to_link.to_socket in to_name_filter:
  390. # hierarchy = False
  391. # if item.parent and item.parent.name == 'Connection':
  392. # if nc := all_nc.get((*schema.signature, 'SchemaOutgoingConnection')):
  393. # for from_link in nc.inputs[item.name].links:
  394. # if from_link.from_socket in from_name_filter:
  395. # hierarchy = False
  396. # for to_link in schema.outputs[item.identifier].links:
  397. # if to_link.to_socket in to_name_filter:
  398. # hierarchy = False
  399. # for nc in all_input_nodes:
  400. # for output in nc.outputs.values():
  401. # for l in output.links:
  402. # if l.to_socket in to_name_filter:
  403. # print("not hierarchy", l.to_socket)
  404. # else:
  405. # print("hierarchy", l.to_socket)
  406. # for inp in schema.inputs.values():
  407. # for l in inp.links:
  408. # if l.from_socket in from_name_filter:
  409. # print("not hierarchy", l.from_socket)
  410. # else:
  411. # print("hierarchy", l.from_socket)
  412. # we need to get dependencies and connections
  413. # but we can use the same method to do each
  414. # prPurple (schema.connections)
  415. # # print (schema.hierarchy_connections)
  416. # prPurple (schema.dependencies)
  417. # prPurple (schema.hierarchy_dependencies)
  418. # #
  419. def check_and_add_root(n, roots, include_non_hierarchy=False):
  420. # if not (hasattr(n, 'inputs')) or ( len(n.inputs) == 0):
  421. # roots.append(n)
  422. # elif (hasattr(n, 'inputs')):
  423. # for inp in n.inputs.values():
  424. # if inp.is_linked: return
  425. if include_non_hierarchy == True and len(n.dependencies) > 0:
  426. return
  427. elif len(n.hierarchy_dependencies) > 0:
  428. return
  429. roots.append(n)
  430. def get_link_in_out(link):
  431. from .base_definitions import replace_types
  432. from_name, to_name = link.from_socket.node.name, link.to_socket.node.name
  433. # catch special bl_idnames and bunch the connections up
  434. if link.from_socket.node.bl_idname in replace_types:
  435. from_name = link.from_socket.node.bl_idname
  436. if link.to_socket.node.bl_idname in replace_types:
  437. to_name = link.to_socket.node.bl_idname
  438. return from_name, to_name
  439. def link_node_containers(tree_path_names, link, local_nc, from_suffix='', to_suffix=''):
  440. dummy_types = ["DUMMY", "DUMMY_SCHEMA"]
  441. from_name, to_name = get_link_in_out(link)
  442. nc_from = local_nc.get( (*tree_path_names, from_name+from_suffix) )
  443. nc_to = local_nc.get( (*tree_path_names, to_name+to_suffix))
  444. if (nc_from and nc_to):
  445. from_s, to_s = link.from_socket.name, link.to_socket.name
  446. if nc_to.node_type in dummy_types: to_s = link.to_socket.identifier
  447. if nc_from.node_type in dummy_types: from_s = link.from_socket.identifier
  448. try:
  449. connection = nc_from.outputs[from_s].connect(node=nc_to, socket=to_s)
  450. if connection is None:
  451. prWhite(f"Already connected: {from_name}:{from_s}->{to_name}:{to_s}")
  452. return connection
  453. except KeyError as e:
  454. prRed(f"{nc_from}:{from_s} or {nc_to}:{to_s} missing; review the connections printed below:")
  455. print (nc_from.outputs.keys())
  456. print (nc_to.inputs.keys())
  457. raise e
  458. else:
  459. prRed(nc_from, nc_to, (*tree_path_names, from_name+from_suffix), (*tree_path_names, to_name+to_suffix))
  460. # for nc in local_nc.values():
  461. # prOrange(nc)
  462. raise RuntimeError(wrapRed("Link not connected: %s -> %s in tree %s" % (from_name, to_name, tree_path_names[-1])))
  463. def get_all_dependencies(nc):
  464. """ Given a NC, find all dependencies for the NC as a dict of nc.signature:nc"""
  465. nodes = []
  466. can_descend = True
  467. check_nodes = [nc]
  468. while (len(check_nodes) > 0): # this seems innefficient, why 2 loops?
  469. new_nodes = []
  470. while (len(check_nodes) > 0):
  471. node = check_nodes.pop()
  472. connected_nodes = node.hierarchy_dependencies.copy()
  473. for new_node in connected_nodes:
  474. if new_node in nodes: continue
  475. new_nodes.append(new_node)
  476. nodes.append(new_node)
  477. check_nodes = new_nodes
  478. return nodes
  479. ##################################################################################################
  480. # misc
  481. ##################################################################################################
  482. # this function is used a lot, so it is a good target for optimization.
  483. def to_mathutils_value(socket):
  484. if hasattr(socket, "default_value"):
  485. from mathutils import Matrix, Euler, Quaternion, Vector
  486. val = socket.default_value
  487. # if socket.bl_idname in [
  488. # 'NodeSocketVector',
  489. # 'NodeSocketVectorAcceleration',
  490. # 'NodeSocketVectorDirection',
  491. # 'NodeSocketVectorTranslation',
  492. # 'NodeSocketVectorXYZ',
  493. # 'NodeSocketVectorVelocity',
  494. # 'VectorSocket',
  495. # 'VectorEulerSocket',
  496. # 'VectorTranslationSocket',
  497. # 'VectorScaleSocket',
  498. # 'ParameterVectorSocket',]:
  499. # # if "Vector" in socket.bl_idname:
  500. # return (Vector(( val[0], val[1], val[2], )))
  501. # if socket.bl_idname in ['NodeSocketVectorEuler']:
  502. # return (Euler(( val[0], val[1], val[2])), 'XYZ',) #TODO make choice
  503. if socket.bl_idname in ['MatrixSocket']:
  504. return socket.TellValue()
  505. # elif socket.bl_idname in ['QuaternionSocket']:
  506. # return (Quaternion( (val[0], val[1], val[2], val[3],)) )
  507. # elif socket.bl_idname in ['QuaternionSocketAA']:
  508. # return (Quaternion( (val[1], val[2], val[3],), val[0], ) )
  509. # elif socket.bl_idname in ['BooleanThreeTupleSocket']:
  510. # return (val[0], val[1], val[2])
  511. else:
  512. return val
  513. else:
  514. return None
  515. def all_trees_in_tree(base_tree, selected=False):
  516. """ Recursively finds all trees referenced in a given base-tree."""
  517. # note that this is recursive but not by tail-end recursion
  518. # a while-loop is a better way to do recursion in Python.
  519. trees = [base_tree]
  520. can_descend = True
  521. check_trees = [base_tree]
  522. while (len(check_trees) > 0): # this seems innefficient, why 2 loops?
  523. new_trees = []
  524. while (len(check_trees) > 0):
  525. tree = check_trees.pop()
  526. for node in tree.nodes:
  527. if selected == True and node.select == False:
  528. continue
  529. if new_tree := getattr(node, "node_tree", None):
  530. if new_tree in trees: continue
  531. new_trees.append(new_tree)
  532. trees.append(new_tree)
  533. check_trees = new_trees
  534. return trees
  535. # this is a destructive operation, not a pure function or whatever. That isn't good but I don't care.
  536. def SugiyamaGraph(tree, iterations):
  537. from grandalf.graphs import Vertex, Edge, Graph, graph_core
  538. class defaultview(object):
  539. w,h = 1,1
  540. xz = (0,0)
  541. no_links = set()
  542. verts = {}
  543. for n in tree.nodes:
  544. has_links=False
  545. for inp in n.inputs:
  546. if inp.is_linked:
  547. has_links=True
  548. break
  549. else:
  550. no_links.add(n.name)
  551. for out in n.outputs:
  552. if out.is_linked:
  553. has_links=True
  554. break
  555. else:
  556. try:
  557. no_links.remove(n.name)
  558. except KeyError:
  559. pass
  560. if not has_links:
  561. continue
  562. v = Vertex(n.name)
  563. v.view = defaultview()
  564. v.view.xy = n.location
  565. v.view.h = n.height*2.5
  566. v.view.w = n.width*2.2
  567. verts[n.name] = v
  568. edges = []
  569. for link in tree.links:
  570. weight = 1 # maybe this is useful
  571. edges.append(Edge(verts[link.from_node.name], verts[link.to_node.name], weight) )
  572. graph = Graph(verts.values(), edges)
  573. from grandalf.layouts import SugiyamaLayout
  574. sug = SugiyamaLayout(graph.C[0]) # no idea what .C[0] is
  575. roots=[]
  576. for node in tree.nodes:
  577. has_links=False
  578. for inp in node.inputs:
  579. if inp.is_linked:
  580. has_links=True
  581. break
  582. for out in node.outputs:
  583. if out.is_linked:
  584. has_links=True
  585. break
  586. if not has_links:
  587. continue
  588. if len(node.inputs)==0:
  589. roots.append(verts[node.name])
  590. else:
  591. for inp in node.inputs:
  592. if inp.is_linked==True:
  593. break
  594. else:
  595. roots.append(verts[node.name])
  596. sug.init_all(roots=roots,)
  597. sug.draw(iterations)
  598. for v in graph.C[0].sV:
  599. for n in tree.nodes:
  600. if n.name == v.data:
  601. n.location.x = v.view.xy[1]
  602. n.location.y = v.view.xy[0]
  603. # now we can take all the input nodes and try to put them in a sensible place
  604. for n_name in no_links:
  605. n = tree.nodes.get(n_name)
  606. next_n = None
  607. next_node = None
  608. for output in n.outputs:
  609. if output.is_linked == True:
  610. next_node = output.links[0].to_node
  611. break
  612. # let's see if the next node
  613. if next_node:
  614. # need to find the other node in the same layer...
  615. other_node = None
  616. for s_input in next_node.inputs:
  617. if s_input.is_linked:
  618. other_node = s_input.links[0].from_node
  619. if other_node is n:
  620. continue
  621. else:
  622. break
  623. if other_node:
  624. n.location = other_node.location
  625. n.location.y -= other_node.height*2
  626. else: # we'll just position it next to the next node
  627. n.location = next_node.location
  628. n.location.x -= next_node.width*1.5
  629. ##################################################################################################
  630. # stuff I should probably refactor!!
  631. ##################################################################################################
  632. # what in the cuss is this horrible abomination??
  633. def class_for_mantis_prototype_node(prototype_node):
  634. """ This is a class which returns a class to instantiate for
  635. the given prototype node."""
  636. #from .node_container_classes import TellClasses
  637. from . import xForm_containers, link_containers, misc_containers, primitives_containers, deformer_containers, math_containers, schema_containers
  638. classes = {}
  639. for module in [xForm_containers, link_containers, misc_containers, primitives_containers, deformer_containers, math_containers, schema_containers]:
  640. for cls in module.TellClasses():
  641. classes[cls.__name__] = cls
  642. # I could probably do a string.replace() here
  643. # But I actually think this is a bad idea since I might not
  644. # want to use this name convention in the future
  645. # this is easy enough for now, may refactor.
  646. #
  647. # kek, turns out it was completely friggin' inconsistent already
  648. if prototype_node.bl_idname == 'xFormRootNode':
  649. return classes["xFormRoot"]
  650. elif prototype_node.bl_idname == 'xFormArmatureNode':
  651. return classes["xFormArmature"]
  652. elif prototype_node.bl_idname == 'xFormBoneNode':
  653. return classes["xFormBone"]
  654. elif prototype_node.bl_idname == 'xFormGeometryObject':
  655. return classes["xFormGeometryObject"]
  656. elif prototype_node.bl_idname == 'linkInherit':
  657. return classes["LinkInherit"]
  658. elif prototype_node.bl_idname == 'InputFloatNode':
  659. return classes["InputFloat"]
  660. elif prototype_node.bl_idname == 'InputVectorNode':
  661. return classes["InputVector"]
  662. elif prototype_node.bl_idname == 'InputBooleanNode':
  663. return classes["InputBoolean"]
  664. elif prototype_node.bl_idname == 'InputBooleanThreeTupleNode':
  665. return classes["InputBooleanThreeTuple"]
  666. elif prototype_node.bl_idname == 'InputRotationOrderNode':
  667. return classes["InputRotationOrder"]
  668. elif prototype_node.bl_idname == 'InputTransformSpaceNode':
  669. return classes["InputTransformSpace"]
  670. elif prototype_node.bl_idname == 'InputStringNode':
  671. return classes["InputString"]
  672. elif prototype_node.bl_idname == 'InputQuaternionNode':
  673. return classes["InputQuaternion"]
  674. elif prototype_node.bl_idname == 'InputQuaternionNodeAA':
  675. return classes["InputQuaternionAA"]
  676. elif prototype_node.bl_idname == 'InputMatrixNode':
  677. return classes["InputMatrix"]
  678. elif prototype_node.bl_idname == 'MetaRigMatrixNode':
  679. return classes["InputMatrix"]
  680. elif prototype_node.bl_idname == 'InputLayerMaskNode':
  681. return classes["InputLayerMask"]
  682. elif prototype_node.bl_idname == 'GeometryCirclePrimitive':
  683. return classes["CirclePrimitive"]
  684. # every node before this point is not guarenteed to follow the pattern
  685. # but every node not checked above does follow the pattern.
  686. try:
  687. return classes[ prototype_node.bl_idname ]
  688. except KeyError:
  689. # prGreen(prototype_node.bl_idname)
  690. # prWhite(classes.keys())
  691. pass
  692. if prototype_node.bl_idname in [
  693. "NodeReroute",
  694. "NodeGroupInput",
  695. "NodeGroupOutput",
  696. "MantisNodeGroup",
  697. "NodeFrame",
  698. "MantisSchemaGroup",
  699. ]:
  700. return None
  701. prRed(prototype_node.bl_idname)
  702. raise RuntimeError(wrapOrange("Failed to create node container for: ")+wrapRed("%s" % prototype_node.bl_idname))
  703. return None
  704. # This is really, really stupid HACK
  705. def gen_nc_input_for_data(socket):
  706. # Class List #TODO deduplicate
  707. from . import xForm_containers, link_containers, misc_containers, primitives_containers, deformer_containers, math_containers, schema_containers
  708. classes = {}
  709. for module in [xForm_containers, link_containers, misc_containers, primitives_containers, deformer_containers, math_containers, schema_containers]:
  710. for cls in module.TellClasses():
  711. classes[cls.__name__] = cls
  712. #
  713. socket_class_map = {
  714. "MatrixSocket" : classes["InputMatrix"],
  715. "xFormSocket" : None,
  716. "RelationshipSocket" : classes["xFormRoot"], # world in
  717. "DeformerSocket" : classes["xFormRoot"], # world in
  718. "GeometrySocket" : classes["InputExistingGeometryData"],
  719. "EnableSocket" : classes["InputBoolean"],
  720. "HideSocket" : classes["InputBoolean"],
  721. #
  722. "DriverSocket" : None,
  723. "DriverVariableSocket" : None,
  724. "FCurveSocket" : None,
  725. "KeyframeSocket" : None,
  726. # "LayerMaskInputSocket" : classes["InputLayerMask"],
  727. # "LayerMaskSocket" : classes["InputLayerMask"],
  728. "BoneCollectionSocket" : classes["InputString"],
  729. "BoneCollectionInputSocket" : classes["InputString"],
  730. #
  731. "xFormParameterSocket" : None,
  732. "ParameterBoolSocket" : classes["InputBoolean"],
  733. "ParameterIntSocket" : classes["InputFloat"], #TODO: make an Int node for this
  734. "ParameterFloatSocket" : classes["InputFloat"],
  735. "ParameterVectorSocket" : classes["InputVector"],
  736. "ParameterStringSocket" : classes["InputString"],
  737. #
  738. "TransformSpaceSocket" : classes["InputTransformSpace"],
  739. "BooleanSocket" : classes["InputBoolean"],
  740. "BooleanThreeTupleSocket" : classes["InputBooleanThreeTuple"],
  741. "RotationOrderSocket" : classes["InputRotationOrder"],
  742. "QuaternionSocket" : classes["InputQuaternion"],
  743. "QuaternionSocketAA" : classes["InputQuaternionAA"],
  744. "IntSocket" : classes["InputFloat"],
  745. "StringSocket" : classes["InputString"],
  746. #
  747. "BoolUpdateParentNode" : classes["InputBoolean"],
  748. "IKChainLengthSocket" : classes["InputFloat"],
  749. "EnumInheritScale" : classes["InputString"],
  750. "EnumRotationMix" : classes["InputString"],
  751. "EnumRotationMixCopyTransforms" : classes["InputString"],
  752. "EnumMaintainVolumeStretchTo" : classes["InputString"],
  753. "EnumRotationStretchTo" : classes["InputString"],
  754. "EnumTrackAxis" : classes["InputString"],
  755. "EnumUpAxis" : classes["InputString"],
  756. "EnumLockAxis" : classes["InputString"],
  757. "EnumLimitMode" : classes["InputString"],
  758. "EnumYScaleMode" : classes["InputString"],
  759. "EnumXZScaleMode" : classes["InputString"],
  760. "EnumCurveSocket" : classes["InputString"],
  761. # Deformers
  762. "EnumSkinning" : classes["InputString"],
  763. #
  764. "FloatSocket" : classes["InputFloat"],
  765. "FloatFactorSocket" : classes["InputFloat"],
  766. "FloatPositiveSocket" : classes["InputFloat"],
  767. "FloatAngleSocket" : classes["InputFloat"],
  768. "VectorSocket" : classes["InputVector"],
  769. "VectorEulerSocket" : classes["InputVector"],
  770. "VectorTranslationSocket" : classes["InputVector"],
  771. "VectorScaleSocket" : classes["InputVector"],
  772. # Drivers
  773. "EnumDriverVariableType" : classes["InputString"],
  774. "EnumDriverVariableEvaluationSpace" : classes["InputString"],
  775. "EnumDriverRotationMode" : classes["InputString"],
  776. "EnumDriverType" : classes["InputString"],
  777. "EnumKeyframeInterpolationTypeSocket" : classes["InputString"],
  778. "EnumKeyframeBezierHandleTypeSocket" : classes["InputString"],
  779. # Math
  780. "MathFloatOperation" : classes["InputString"],
  781. "MathVectorOperation" : classes["InputString"],
  782. "MatrixTransformOperation" : classes["InputString"],
  783. # Schema
  784. "WildcardSocket" : None,
  785. }
  786. return socket_class_map.get(socket.bl_idname, None)
  787. ####################################
  788. # CURVE STUFF
  789. ####################################
  790. def rotate(l, n):
  791. if ( not ( isinstance(n, int) ) ): #print an error if n is not an int:
  792. raise TypeError("List slice must be an int, not float.")
  793. return l[n:] + l[:n]
  794. #from stack exchange, thanks YXD
  795. # this stuff could be branchless but I don't use it much TODO
  796. def cap(val, maxValue):
  797. if (val > maxValue):
  798. return maxValue
  799. return val
  800. def capMin(val, minValue):
  801. if (val < minValue):
  802. return minValue
  803. return val
  804. # def wrap(val, min=0, max=1):
  805. # raise NotImplementedError
  806. #wtf this doesn't do anything even remotely similar to wrap, or useful in
  807. # HACK BAD FIXME UNBREAK ME BAD
  808. # I don't understand what this function does but I am using it in multiple places?
  809. def wrap(val, maxValue, minValue = None):
  810. if (val > maxValue):
  811. return (-1 * ((maxValue - val) + 1))
  812. if ((minValue) and (val < minValue)):
  813. return (val + maxValue)
  814. return val
  815. #TODO clean this up
  816. def layerMaskCompare(mask_a, mask_b):
  817. compare = 0
  818. for a, b in zip(mask_a, mask_b):
  819. if (a != b):
  820. compare+=1
  821. if (compare == 0):
  822. return True
  823. return False
  824. def lerpVal(a, b, fac = 0.5):
  825. return a + ( (b-a) * fac)
  826. def RibbonMeshEdgeLengths(m, ribbon):
  827. tE = ribbon[0]; bE = ribbon[1]; c = ribbon[2]
  828. lengths = []
  829. for i in range( len( tE ) ): #tE and bE are same length
  830. if (c == True):
  831. v1NextInd = tE[wrap((i+1), len(tE) - 1)]
  832. else:
  833. v1NextInd = tE[cap((i+1) , len(tE) - 1 )]
  834. v1 = m.vertices[tE[i]]; v1Next = m.vertices[v1NextInd]
  835. if (c == True):
  836. v2NextInd = bE[wrap((i+1), len(bE) - 1)]
  837. else:
  838. v2NextInd = bE[cap((i+1) , len(bE) - 1 )]
  839. v2 = m.vertices[bE[i]]; v2Next = m.vertices[v2NextInd]
  840. v = v1.co.lerp(v2.co, 0.5); vNext = v1Next.co.lerp(v2Next.co, 0.5)
  841. # get the center, edges may not be straight so total length
  842. # of one edge may be more than the ribbon center's length
  843. lengths.append(( v - vNext ).length)
  844. return lengths
  845. def EnsureCurveIsRibbon(crv, defaultRadius = 0.1):
  846. crvRadius = 0
  847. if (crv.data.bevel_depth == 0):
  848. crvRadius = crv.data.extrude
  849. else: #Set ribbon from bevel depth
  850. crvRadius = crv.data.bevel_depth
  851. crv.data.bevel_depth = 0
  852. crv.data.extrude = crvRadius
  853. if (crvRadius == 0):
  854. crv.data.extrude = defaultRadius
  855. def SetRibbonData(m, ribbon):
  856. #maybe this could be incorporated into the DetectWireEdges function?
  857. #maybe I can check for closed poly curves here? under what other circumstance
  858. # will I find the ends of the wire have identical coordinates?
  859. ribbonData = []
  860. tE = ribbon[0].copy(); bE = ribbon[1].copy()# circle = ribbon[2]
  861. #
  862. lengths = RibbonMeshEdgeLengths(m, ribbon)
  863. lengths.append(0)
  864. totalLength = sum(lengths)
  865. # m.calc_normals() #calculate normals
  866. # it appears this has been removed.
  867. for i, (t, b) in enumerate(zip(tE, bE)):
  868. ind = wrap( (i + 1), len(tE) - 1 )
  869. tNext = tE[ind]; bNext = bE[ind]
  870. ribbonData.append( ( (t,b), (tNext, bNext), lengths[i] ) )
  871. #if this is a circle, the last v in vertData has a length, otherwise 0
  872. return ribbonData, totalLength
  873. def mesh_from_curve(crv, context,):
  874. """Utility function for converting a mesh to a curve
  875. which will return the correct mesh even with modifiers"""
  876. import bpy
  877. if (len(crv.modifiers) > 0):
  878. do_unlink = False
  879. if (not context.scene.collection.all_objects.get(crv.name)):
  880. context.collection.objects.link(crv) # i guess this forces the dg to update it?
  881. do_unlink = True
  882. dg = context.view_layer.depsgraph
  883. # just gonna modify it for now lol
  884. EnsureCurveIsRibbon(crv)
  885. # try:
  886. dg.update()
  887. mOb = crv.evaluated_get(dg)
  888. m = bpy.data.meshes.new_from_object(mOb)
  889. m.name=crv.data.name+'_mesh'
  890. if (do_unlink):
  891. context.collection.objects.unlink(crv)
  892. return m
  893. # except: #dg is None?? # FIX THIS BUG BUG BUG
  894. # print ("Warning: could not apply modifiers on curve")
  895. # return bpy.data.meshes.new_from_object(crv)
  896. else: # (ಥ﹏ಥ) why can't I just use this !
  897. # for now I will just do it like this
  898. EnsureCurveIsRibbon(crv)
  899. return bpy.data.meshes.new_from_object(crv)
  900. # def DataFromRibbon(obCrv, factorsList, context, fReport=None,):
  901. # # BUG
  902. # # no reasonable results if input is not a ribbon
  903. # import time
  904. # start = time.time()
  905. # """Returns a point from a u-value along a curve"""
  906. # rM = MeshFromCurve(obCrv, context)
  907. # ribbons = f_mesh.DetectRibbons(rM, fReport= fReport)
  908. # for ribbon in ribbons:
  909. # # could be improved, this will do a rotation for every ribbon
  910. # # if even one is a circle
  911. # if (ribbon[2]) == True:
  912. # # could be a better implementation
  913. # dupeCrv = obCrv.copy()
  914. # dupeCrv.data = obCrv.data.copy()
  915. # dupeCrv.data.extrude = 0
  916. # dupeCrv.data.bevel_depth = 0
  917. # wM = MeshFromCurve(dupeCrv, context)
  918. # wires = f_mesh.DetectWireEdges(wM)
  919. # bpy.data.curves.remove(dupeCrv.data) #removes the object, too
  920. # ribbonsNew = []
  921. # for ribbon, wire in zip(ribbons, wires):
  922. # if (ribbon[2] == True): #if it's a circle
  923. # rNew = f_mesh.RotateRibbonToMatchWire(ribbon, rM, wire, wM)
  924. # else:
  925. # rNew = ribbon
  926. # ribbonsNew.append( rNew )
  927. # ribbons = ribbonsNew
  928. # break
  929. # data = f_mesh.DataFromRibbon(rM, factorsList, obCrv.matrix_world, ribbons=ribbons, fReport=fReport)
  930. # bpy.data.meshes.remove(rM)
  931. # print ("time elapsed: ", time.time() - start)
  932. # #expects data...
  933. # # if ()
  934. # return data
  935. def DetectRibbon(f, bm, skipMe):
  936. fFirst = f.index
  937. cont = True
  938. circle = False
  939. tEdge, bEdge = [],[]
  940. while (cont == True):
  941. skipMe.add(f.index)
  942. tEdge.append (f.loops[0].vert.index) # top-left
  943. bEdge.append (f.loops[3].vert.index) # bottom-left
  944. nEdge = bm.edges.get([f.loops[1].vert, f.loops[2].vert])
  945. nFaces = nEdge.link_faces
  946. if (len(nFaces) == 1):
  947. cont = False
  948. else:
  949. for nFace in nFaces:
  950. if (nFace != f):
  951. f = nFace
  952. break
  953. if (f.index == fFirst):
  954. cont = False
  955. circle = True
  956. if (cont == False): # we've reached the end, get the last two:
  957. tEdge.append (f.loops[1].vert.index) # top-right
  958. bEdge.append (f.loops[2].vert.index) # bottom-right
  959. # this will create a loop for rings --
  960. # "the first shall be the last and the last shall be first"
  961. return (tEdge,bEdge,circle)
  962. def DetectRibbons(m, fReport = None):
  963. # Returns list of vertex indices belonging to ribbon mesh edges
  964. # NOTE: this assumes a mesh object with only ribbon meshes
  965. # ---DO NOT call this script with a mesh that isn't a ribbon!--- #
  966. import bmesh
  967. bm = bmesh.new()
  968. bm.from_mesh(m)
  969. mIslands, mIsland = [], []
  970. skipMe = set()
  971. bm.faces.ensure_lookup_table()
  972. #first, get a list of mesh islands
  973. for f in bm.faces:
  974. if (f.index in skipMe):
  975. continue #already done here
  976. checkMe = [f]
  977. while (len(checkMe) > 0):
  978. facesFound = 0
  979. for f in checkMe:
  980. if (f.index in skipMe):
  981. continue #already done here
  982. mIsland.append(f)
  983. skipMe.add(f.index)
  984. for e in f.edges:
  985. checkMe += e.link_faces
  986. if (facesFound == 0):
  987. #this is the last iteration
  988. mIslands.append(mIsland)
  989. checkMe, mIsland = [], []
  990. ribbons = []
  991. skipMe = set() # to store ends already checked
  992. for mIsl in mIslands:
  993. ribbon = None
  994. first = float('inf')
  995. for f in mIsl:
  996. if (f.index in skipMe):
  997. continue #already done here
  998. if (f.index < first):
  999. first = f.index
  1000. adjF = 0
  1001. for e in f.edges:
  1002. adjF+= (len(e.link_faces) - 1)
  1003. # every face other than this one is added to the list
  1004. if (adjF == 1):
  1005. ribbon = (DetectRibbon(f, bm, skipMe) )
  1006. break
  1007. if (ribbon == None):
  1008. ribbon = (DetectRibbon(bm.faces[first], bm, skipMe) )
  1009. ribbons.append(ribbon)
  1010. # print (ribbons)
  1011. return ribbons
  1012. def data_from_ribbon_mesh(m, factorsList, mat, ribbons = None, fReport = None):
  1013. #Note, factors list should be equal in length the the number of wires
  1014. #Now working for multiple wires, ugly tho
  1015. if (ribbons == None):
  1016. ribbons = DetectRibbons(m, fReport=fReport)
  1017. if (ribbons is None):
  1018. if (fReport):
  1019. fReport(type = {'ERROR'}, message="No ribbon to get data from.")
  1020. else:
  1021. print ("No ribbon to get data from.")
  1022. return None
  1023. ret = []
  1024. for factors, ribbon in zip(factorsList, ribbons):
  1025. points = []
  1026. widths = []
  1027. normals = []
  1028. ribbonData, totalLength = SetRibbonData(m, ribbon)
  1029. for fac in factors:
  1030. if (fac == 0):
  1031. data = ribbonData[0]
  1032. curFac = 0
  1033. elif (fac == 1):
  1034. data = ribbonData[-1]
  1035. curFac = 0
  1036. else:
  1037. targetLength = totalLength * fac
  1038. data = ribbonData[0]
  1039. curLength = 0
  1040. for ( (t, b), (tNext, bNext), length,) in ribbonData:
  1041. if (curLength >= targetLength):
  1042. break
  1043. curLength += length
  1044. data = ( (t, b), (tNext, bNext), length,)
  1045. targetLengthAtEdge = (curLength - targetLength)
  1046. if (targetLength == 0):
  1047. curFac = 0
  1048. elif (targetLength == totalLength):
  1049. curFac = 1
  1050. else:
  1051. try:
  1052. curFac = 1 - (targetLengthAtEdge/ data[2]) #length
  1053. except ZeroDivisionError:
  1054. curFac = 0
  1055. if (fReport):
  1056. fReport(type = {'WARNING'}, message="Division by Zero.")
  1057. else:
  1058. prRed ("Division by Zero Error in evaluating data from curve.")
  1059. t1 = m.vertices[data[0][0]]; b1 = m.vertices[data[0][1]]
  1060. t2 = m.vertices[data[1][0]]; b2 = m.vertices[data[1][1]]
  1061. #location
  1062. loc1 = (t1.co).lerp(b1.co, 0.5)
  1063. loc2 = (t2.co).lerp(b2.co, 0.5)
  1064. #width
  1065. w1 = (t1.co - b1.co).length/2
  1066. w2 = (t2.co - b2.co).length/2 #radius, not diameter
  1067. #normal
  1068. n1 = (t1.normal).slerp(b1.normal, 0.5)
  1069. n2 = (t1.normal).slerp(b2.normal, 0.5)
  1070. if ((data[0][0] > data[1][0]) and (ribbon[2] == False)):
  1071. curFac = 0
  1072. #don't interpolate if at the end of a ribbon that isn't circular
  1073. if ( 0 < curFac < 1):
  1074. outPoint = loc1.lerp(loc2, curFac)
  1075. outNorm = n1.lerp(n2, curFac)
  1076. outWidth = w1 + ( (w2-w1) * curFac)
  1077. elif (curFac <= 0):
  1078. outPoint = loc1.copy()
  1079. outNorm = n1
  1080. outWidth = w1
  1081. elif (curFac >= 1):
  1082. outPoint = loc2.copy()
  1083. outNorm = n2
  1084. outWidth = w2
  1085. outPoint = mat @ outPoint
  1086. outNorm.normalize()
  1087. points.append ( outPoint.copy() ) #copy because this is an actual vertex location
  1088. widths.append ( outWidth )
  1089. normals.append( outNorm )
  1090. ret.append( (points, widths, normals) )
  1091. return ret # this is a list of tuples containing three lists