deformer_containers.py 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534
  1. from .node_container_common import *
  2. from .xForm_containers import xFormGeometryObject
  3. from .misc_containers import InputExistingGeometryObject
  4. from bpy.types import Node
  5. from .base_definitions import MantisNode
  6. from .utilities import (prRed, prGreen, prPurple, prWhite, prOrange,
  7. wrapRed, wrapGreen, wrapPurple, wrapWhite,
  8. wrapOrange,)
  9. def TellClasses():
  10. return [
  11. DeformerArmature,
  12. DeformerHook,
  13. DeformerMorphTarget,
  14. DeformerMorphTargetDeform,
  15. ]
  16. def trace_xForm_back(nc, socket):
  17. from .xForm_containers import xFormGeometryObject
  18. from .misc_containers import InputExistingGeometryObject
  19. from bpy.types import Object
  20. if (trace := trace_single_line(nc, socket)[0] ) :
  21. for i in range(len(trace)): # have to look in reverse, actually
  22. if ( isinstance(trace[ i ], xFormGeometryObject ) ) or ( isinstance(trace[ i ], InputExistingGeometryObject ) ):
  23. return trace[ i ].bGetObject()
  24. raise GraphError(wrapRed(f"No other object found for {nc}."))
  25. def default_evaluate_input(nc, input_name):
  26. # duped from link_containers... should be common?
  27. # should catch 'Target', 'Pole Target' and ArmatureConstraint targets, too
  28. if ('Target' in input_name) and input_name != "Target Space":
  29. socket = nc.inputs.get(input_name)
  30. if socket.is_linked:
  31. return socket.links[0].from_node
  32. return None
  33. else:
  34. return evaluate_input(nc, input_name)
  35. # semi-duplicated from link_containers
  36. def GetxForm(nc):
  37. trace = trace_single_line_up(nc, "Deformer")
  38. for node in trace[0]:
  39. if (node.__class__ in [xFormGeometryObject, InputExistingGeometryObject]):
  40. return node
  41. raise GraphError("%s is not connected to a downstream xForm" % nc)
  42. class DeformerArmature:
  43. '''A node representing an armature deformer'''
  44. def __init__(self, signature, base_tree):
  45. self.base_tree=base_tree
  46. self.signature = signature
  47. self.inputs = {
  48. "Input Relationship" : NodeSocket(is_input = True, name = "Input Relationship", node = self,),
  49. "Armature Object" : NodeSocket(is_input = True, name = "Armature Object", node = self,),
  50. "Blend Vertex Group" : NodeSocket(is_input = True, name = "Blend Vertex Group", node = self),
  51. "Invert Vertex Group" : NodeSocket(is_input = True, name = "Invert Vertex Group", node = self),
  52. "Preserve Volume" : NodeSocket(is_input = True, name = "Preserve Volume", node = self),
  53. "Use Multi Modifier" : NodeSocket(is_input = True, name = "Use Multi Modifier", node = self),
  54. "Use Envelopes" : NodeSocket(is_input = True, name = "Use Envelopes", node = self),
  55. "Use Vertex Groups" : NodeSocket(is_input = True, name = "Use Vertex Groups", node = self),
  56. "Skinning Method" : NodeSocket(is_input = True, name = "Skinning Method", node = self),
  57. "Deformer" : NodeSocket(is_input = True, name = "Deformer", node = self),
  58. "Copy Skin Weights From" : NodeSocket(is_input = True, name = "Copy Skin Weights From", node = self),
  59. }
  60. self.outputs = {
  61. "Deformer" : NodeSocket(is_input = False, name = "Deformer", node=self), }
  62. self.parameters = {
  63. "Name" : None,
  64. "Armature Object" : None,
  65. "Blend Vertex Group" : None,
  66. "Invert Vertex Group" : None,
  67. "Preserve Volume" : None,
  68. "Use Multi Modifier" : None,
  69. "Use Envelopes" : None,
  70. "Use Vertex Groups" : None,
  71. "Skinning Method" : None,
  72. "Deformer" : None,
  73. "Copy Skin Weights From" : None,
  74. }
  75. # now set up the traverse target...
  76. self.inputs["Deformer"].set_traverse_target(self.outputs["Deformer"])
  77. self.outputs["Deformer"].set_traverse_target(self.inputs["Deformer"])
  78. self.node_type = "LINK"
  79. self.hierarchy_connections, self.connections = [], []
  80. self.hierarchy_dependencies, self.dependencies = [], []
  81. self.prepared = True
  82. self.executed = False
  83. def evaluate_input(self, input_name):
  84. return default_evaluate_input(self, input_name)
  85. def GetxForm(self, socket="Deformer"):
  86. if socket == "Deformer":
  87. return GetxForm(self)
  88. else:
  89. trace_xForm_back(self, socket)
  90. # DUPLICATED FROM xForm_containers::xFormBone
  91. # DEDUP HACK HACK HACK HACK HACK
  92. def bGetParentArmature(self):
  93. from .xForm_containers import xFormArmature
  94. from .misc_containers import InputExistingGeometryObject
  95. from bpy.types import Object
  96. if (trace := trace_single_line(self, "Armature Object")[0] ) :
  97. for i in range(len(trace)):
  98. # have to look in reverse, actually
  99. if ( isinstance(trace[ i ], xFormArmature ) ):
  100. return trace[ i ].bGetObject()
  101. elif ( isinstance(trace[i], InputExistingGeometryObject)):
  102. if (ob := trace[i].bGetObject()).type == "ARMATURE":
  103. return ob
  104. raise RuntimeError(f"Cannot find armature for node {self}")
  105. return None
  106. #should do the trick...
  107. def bExecute(self, bContext = None,):
  108. self.executed = True
  109. def initialize_vgroups(self,):
  110. ob = self.GetxForm().bGetObject()
  111. armOb = self.bGetParentArmature()
  112. for b in armOb.data.bones:
  113. if b.use_deform == False:
  114. continue
  115. vg = ob.vertex_groups.get(b.name)
  116. if not vg:
  117. vg = ob.vertex_groups.new(name=b.name)
  118. num_verts = len(ob.data.vertices)
  119. vg.add(range(num_verts), 0, 'REPLACE')
  120. def copy_weights(self):
  121. # we'll use modifiers for this, maybe use GN for it in the future tho
  122. import bpy
  123. ob = self.GetxForm().bGetObject()
  124. try:
  125. copy_from = self.GetxForm(socket="Copy Skin Weights From")
  126. except GraphError:
  127. copy_from = None
  128. prRed(f"No object found for copying weights in {self}, continuing anyway.")
  129. m = ob.modifiers.new(type="DATA_TRANSFER", name="Mantis_temp_data_transfer")
  130. m.object = None; m.use_vert_data = True
  131. m.data_types_verts = {'VGROUP_WEIGHTS'}
  132. m.vert_mapping = 'POLYINTERP_NEAREST'
  133. m.layers_vgroup_select_src = 'ALL'
  134. m.layers_vgroup_select_dst = 'NAME'
  135. m.object = copy_from
  136. # m.use_object_transform = False # testing reveals that this is undesirable - since the objects may not have their transforms applied.
  137. ob.modifiers.move(len(ob.modifiers)-1, 0)
  138. # ob.data = ob.data.copy()
  139. if False: #MAYBE the mouse needs to be in the 3D viewport, no idea how to set this in an override
  140. # TODO: figure out how to apply this, context is incorrect because armature is still in pose mode
  141. original_active = bpy.context.active_object
  142. original_mode = original_active.mode
  143. bpy.ops.object.mode_set(mode='OBJECT')
  144. with bpy.context.temp_override(**{'active_object':ob, 'selected_objects':[ob, copy_from]}):
  145. # bpy.ops.object.datalayout_transfer(modifier=m.name) # note: this operator is used by the modifier or stand-alone in the UI
  146. # the poll for this operator is defined in blender/source/blender/editors/object/object_data_transfer.cc
  147. # and blender/source/blender/editors/object/object_modifier.cc
  148. # bpy.ops.object.modifier_apply(modifier=m.name, single_user=True)
  149. bpy.ops.object.datalayout_transfer(data_type='VGROUP_WEIGHTS')
  150. bpy.ops.object.data_transfer(data_type='VGROUP_WEIGHTS')
  151. bpy.ops.object.mode_set(mode=original_mode)
  152. def bFinalize(self, bContext=None):
  153. prGreen("Executing Armature Deform Node")
  154. mod_name = self.evaluate_input("Name")
  155. d = self.GetxForm().bGetObject().modifiers.new(mod_name, type='ARMATURE')
  156. if d is None:
  157. raise RuntimeError(f"Modifier was not created in node {self} -- the object is invalid.")
  158. self.bObject = d
  159. d.object = self.bGetParentArmature()
  160. props_sockets = {
  161. 'vertex_group' : ("Blend Vertex Group", ""),
  162. 'invert_vertex_group' : ("Invert Vertex Group", ""),
  163. 'use_deform_preserve_volume' : ("Preserve Volume", False),
  164. 'use_multi_modifier' : ("Use Multi Modifier", False),
  165. 'use_bone_envelopes' : ("Use Envelopes", False),
  166. 'use_vertex_groups' : ("Use Vertex Groups", False),
  167. }
  168. evaluate_sockets(self, d, props_sockets)
  169. #
  170. if (skin_method := self.evaluate_input("Skinning Method")) == "AUTOMATIC_HEAT":
  171. # This is bad and leads to somewhat unpredictable
  172. # behaviour, e.g. what object will be selected? What mode?
  173. # also bpy.ops is ugly and prone to error when used in
  174. # scripts. I don't intend to use bpy.ops when I can avoid it.
  175. import bpy
  176. self.initialize_vgroups()
  177. bContext.view_layer.depsgraph.update()
  178. ob = self.GetxForm().bGetObject()
  179. armOb = self.bGetParentArmature()
  180. deform_bones = []
  181. for pb in armOb.pose.bones:
  182. if pb.bone.use_deform == True:
  183. deform_bones.append(pb)
  184. context_override = {
  185. 'active_object':ob,
  186. 'selected_objects':[ob, armOb],
  187. 'active_pose_bone':deform_bones[0],
  188. 'selected_pose_bones':deform_bones,}
  189. #
  190. # with bContext.temp_override(**{'active_object':armOb}):
  191. # bpy.ops.object.mode_set(mode='POSE')
  192. # bpy.ops.pose.select_all(action='SELECT')
  193. for b in armOb.data.bones:
  194. b.select = True
  195. with bContext.temp_override(**context_override):
  196. bpy.ops.paint.weight_paint_toggle()
  197. bpy.ops.paint.weight_from_bones(type='AUTOMATIC')
  198. bpy.ops.paint.weight_paint_toggle()
  199. for b in armOb.data.bones:
  200. b.select = False
  201. #
  202. # with bContext.temp_override(**{'active_object':armOb}):
  203. # bpy.ops.object.mode_set(mode='POSE')
  204. # bpy.ops.pose.select_all(action='DESELECT')
  205. # bpy.ops.object.mode_set(mode='OBJECT')
  206. # TODO: modify Blender to make this available as a Python API function.
  207. elif skin_method == "EXISTING_GROUPS":
  208. pass
  209. elif skin_method == "COPY_FROM_OBJECT":
  210. self.initialize_vgroups()
  211. self.copy_weights()
  212. class DeformerHook:
  213. '''A node representing a hook deformer'''
  214. def __init__(self, signature, base_tree):
  215. self.base_tree=base_tree
  216. self.signature = signature
  217. self.inputs = {
  218. "Hook Target" : NodeSocket(is_input = True, name = "Hook Target", node = self,),
  219. "Index" : NodeSocket(is_input = True, name = "Index", node = self),
  220. "Deformer" : NodeSocket(is_input = True, name = "Deformer", node = self),
  221. }
  222. self.outputs = {
  223. "Deformer" : NodeSocket(is_input = False, name = "Deformer", node=self), }
  224. self.parameters = {
  225. "Hook Target" : None,
  226. "Index" : None,
  227. "Deformer" : None,
  228. "Name" : None,
  229. }
  230. # now set up the traverse target...
  231. self.inputs["Deformer"].set_traverse_target(self.outputs["Deformer"])
  232. self.outputs["Deformer"].set_traverse_target(self.inputs["Deformer"])
  233. self.node_type = "LINK"
  234. self.hierarchy_connections, self.connections = [], []
  235. self.hierarchy_dependencies, self.dependencies = [], []
  236. self.prepared = True
  237. self.executed = False
  238. def evaluate_input(self, input_name):
  239. return default_evaluate_input(self, input_name)
  240. def GetxForm(self, socket="Deformer"):
  241. if socket == "Deformer":
  242. return GetxForm(self)
  243. else:
  244. trace_xForm_back(self, socket)
  245. def bExecute(self, bContext = None,):
  246. self.executed = True
  247. def bFinalize(self, bContext=None):
  248. from bpy.types import Bone, PoseBone, Object
  249. prGreen(f"Executing Hook Deform Node: {self}")
  250. mod_name = self.evaluate_input("Name")
  251. target_node = self.evaluate_input('Hook Target')
  252. target = target_node.bGetObject(); subtarget = ""
  253. if isinstance(target, Bone) or isinstance(target, PoseBone):
  254. subtarget = target.name; target = target.id_data
  255. ob=self.GetxForm().bGetObject()
  256. reuse = False
  257. for m in ob.modifiers:
  258. if m.type == 'HOOK' and m.object == target and m.subtarget == subtarget:
  259. d = m; reuse = True; break
  260. else:
  261. d = ob.modifiers.new(mod_name, type='HOOK')
  262. if d is None:
  263. raise RuntimeError(f"Modifier was not created in node {self} -- the object is invalid.")
  264. get_target_and_subtarget(self, d, input_name="Hook Target")
  265. vertices_used=[]
  266. if reuse: # Get the verts in the list... filter out all the unneeded 0's
  267. vertices_used = list(d.vertex_indices)
  268. include_0 = 0 in vertices_used
  269. vertices_used = list(filter(lambda a : a != 0, vertices_used))
  270. if include_0: vertices_used.append(0)
  271. # now we add the selected vertex to the list, too
  272. vertices_used.append(self.evaluate_input("Index"))
  273. d.vertex_indices_set(vertices_used)
  274. # todo: this should be able to take many indices in the future.
  275. class DeformerMorphTarget:
  276. '''A node representing an armature deformer'''
  277. def __init__(self, signature, base_tree):
  278. self.base_tree=base_tree
  279. self.signature = signature
  280. self.inputs = {
  281. "Relative to" : NodeSocket(is_input = True, name = "Relative To", node = self,),
  282. "Object" : NodeSocket(is_input = True, name = "Object", node = self,),
  283. "Deformer" : NodeSocket(is_input = True, name = "Deformer", node = self),
  284. "Vertex Group" : NodeSocket(is_input = True, name = "Vertex Group", node = self),
  285. }
  286. self.outputs = {
  287. "Deformer" : NodeSocket(is_input = False, name = "Deformer", node=self),
  288. "Morph Target" : NodeSocket(is_input = False, name = "Morph Target", node=self), }
  289. self.parameters = {
  290. "Name" : None,
  291. "Relative to" : None,
  292. "Object" : None,
  293. "Morph Target" : None,
  294. "Deformer" : None,
  295. "Vertex Group" : None,
  296. }
  297. # now set up the traverse target...
  298. self.inputs["Deformer"].set_traverse_target(self.outputs["Deformer"])
  299. self.outputs["Deformer"].set_traverse_target(self.inputs["Deformer"])
  300. self.node_type = "LINK"
  301. self.hierarchy_connections, self.connections = [], []
  302. self.hierarchy_dependencies, self.dependencies = [], []
  303. self.prepared = True
  304. self.executed = False
  305. def GetxForm(self, trace_input="Object"):
  306. trace = trace_single_line(self, trace_input)
  307. for node in trace[0]:
  308. if (node.__class__ in [xFormGeometryObject, InputExistingGeometryObject]):
  309. return node
  310. raise GraphError("%s is not connected to an upstream xForm" % self)
  311. def bExecute(self, bContext = None,):
  312. prGreen("Executing Morph Target Node")
  313. ob = None; relative = None
  314. # do NOT check if the object exists here. Just let the next node deal with that.
  315. try:
  316. ob = self.GetxForm().bGetObject().name
  317. except Exception as e: # this will and should throw an error if it fails
  318. ob = self.GetxForm().evaluate_input("Name")
  319. if self.inputs["Relative to"].is_linked:
  320. try:
  321. relative = self.GetxForm("Relative to").bGetObject().name
  322. except Exception as e: # same here
  323. prRed(f"Execution failed at {self}: no relative object found for morph target, despite link existing.")
  324. raise e
  325. vg = self.evaluate_input("Vertex Group") if self.evaluate_input("Vertex Group") else "" # just make sure it is a string
  326. mt={"object":ob, "vertex_group":vg, "relative_shape":relative}
  327. self.parameters["Morph Target"] = mt
  328. self.parameters["Name"] = ob # this is redundant but it's OK since accessing the mt is tedious
  329. self.executed = True
  330. class DeformerMorphTargetDeform:
  331. '''A node representing an armature deformer'''
  332. def __init__(self, signature, base_tree):
  333. self.base_tree=base_tree
  334. self.signature = signature
  335. self.inputs = {
  336. "Deformer" : NodeSocket(is_input = True, name = "Deformer", node = self),
  337. "Use Shape Key" : NodeSocket(is_input = True, name = "Use Shape Key", node = self),
  338. "Use Offset" : NodeSocket(is_input = True, name = "Use Offset", node = self),
  339. }
  340. self.outputs = {
  341. "Deformer" : NodeSocket(is_input = False, name = "Deformer", node=self), }
  342. self.parameters = {
  343. "Name" : None,
  344. "Deformer" : None,
  345. "Deformer" : None,
  346. "Use Shape Key" : None,
  347. "Use Offset" : None,
  348. }
  349. # now set up the traverse target...
  350. self.inputs["Deformer"].set_traverse_target(self.outputs["Deformer"])
  351. self.outputs["Deformer"].set_traverse_target(self.inputs["Deformer"])
  352. self.node_type = "LINK"
  353. self.hierarchy_connections, self.connections = [], []
  354. self.hierarchy_dependencies, self.dependencies = [], []
  355. self.prepared = True
  356. self.executed = True
  357. self.bObject = None
  358. setup_custom_props(self)
  359. def GetxForm(self):
  360. return GetxForm(self)
  361. # bpy.data.node_groups["Morph Deform.045"].nodes["Named Attribute.020"].data_type = 'FLOAT_VECTOR'
  362. # bpy.context.object.add_rest_position_attribute = True
  363. def gen_morph_target_modifier(self, context):
  364. # first let's see if this is a no-op
  365. targets = []
  366. for k,v in self.inputs.items():
  367. if "Target" in k:
  368. targets.append(v)
  369. if not targets:
  370. return # nothing to do here.
  371. # at this point we make the node tree
  372. from .geometry_node_graphgen import gen_morph_target_nodes
  373. m, props_sockets = gen_morph_target_nodes(
  374. self.evaluate_input("Name"),
  375. self.GetxForm().bGetObject(),
  376. targets,
  377. context,
  378. use_offset=self.evaluate_input("Use Offset"))
  379. self.bObject = m
  380. evaluate_sockets(self, m, props_sockets)
  381. finish_drivers(self)
  382. def gen_shape_key(self, context): # TODO: make this a feature of the node definition that appears only when there are no prior deformers - and shows a warning!
  383. # TODO: the below works well, but it is quite slow. It does not seem to have better performence. Its only advantage is export to FBX.
  384. # there are a number of things I need to fix here
  385. # - reuse shape keys if possible
  386. # - figure out how to make this a lot faster
  387. # - edit the xForm stuff to delete drivers from shape key ID's, since they belong to the Key, not the Object.
  388. # first check if we need to do anythign
  389. targets = []
  390. for k,v in self.inputs.items():
  391. if "Target" in k:
  392. targets.append(v)
  393. if not targets:
  394. return # nothing to do here
  395. from time import time
  396. start_time = time()
  397. from bpy import data
  398. xf = self.GetxForm()
  399. ob = xf.bGetObject()
  400. dg = context.view_layer.depsgraph
  401. dg.update()
  402. if xf.has_shape_keys == False:
  403. m = data.meshes.new_from_object(ob, preserve_all_data_layers=True, depsgraph=dg)
  404. ob.data = m
  405. ob.add_rest_position_attribute = True
  406. ob.shape_key_clear()
  407. ob.shape_key_add(name='Basis', from_mix=False)
  408. else:
  409. m = ob.data
  410. xf.has_shape_keys = True
  411. # using the built-in shapekey feature is actually a lot harder in terms of programming because I need...
  412. # min/max, as it is just not a feature of the GN version
  413. # to carry info from the morph target node regarding relative shapes and vertex groups and all that
  414. # the drivers may be more difficult to apply, too.
  415. # hafta make new geometry for the object and add shape keys and all that
  416. # the benefit to all this being exporting to game engines via .fbx
  417. # first make a basis shape key
  418. keys={}
  419. props_sockets={}
  420. for i, t in enumerate(targets):
  421. mt_node = t.links[0].from_node; sk_ob = mt_node.GetxForm().bGetObject()
  422. if sk_ob is None:
  423. sk_ob = data.objects.new(mt_node.evaluate_input("Name"), data.meshes.new_from_object(ob))
  424. context.collection.objects.link(sk_ob)
  425. prOrange(f"WARN: no object found for f{mt_node}; creating duplicate of current object ")
  426. sk_ob = dg.id_eval_get(sk_ob)
  427. mt_name = sk_ob.name
  428. vg = mt_node.parameters["Morph Target"]["vertex_group"]
  429. if vg: mt_name = mt_name+"."+vg
  430. sk = ob.shape_key_add(name=mt_name, from_mix=False)
  431. # the shapekey data is absolute point data for each vertex, in order, very simple
  432. # SERIOUSLY IMPORTANT:
  433. # use the current position of the vertex AFTER SHAPE KEYS AND DEFORMERS
  434. # easiest way to do it is to eval the depsgraph
  435. # TODO: try and get it without depsgraph update, since that may be (very) slow
  436. sk_m = sk_ob.data#data.meshes.new_from_object(sk_ob, preserve_all_data_layers=True, depsgraph=dg)
  437. for j in range(len(m.vertices)):
  438. sk.data[j].co = sk_m.vertices[j].co # assume they match
  439. # data.meshes.remove(sk_m)
  440. sk.vertex_group = vg
  441. sk.slider_min = -10
  442. sk.slider_max = 10
  443. keys[mt_name]=sk
  444. props_sockets[mt_name]= ("Value."+str(i).zfill(3), 1.0)
  445. for i, t in enumerate(targets):
  446. mt_node = t.links[0].from_node; sk_ob = mt_node.GetxForm().bGetObject()
  447. if sk_ob is None: continue
  448. if rel := mt_node.parameters["Morph Target"]["relative_shape"]:
  449. sk = keys.get(mt_name)
  450. sk.relative_key = keys.get(rel)
  451. self.bObject = sk.id_data
  452. evaluate_sockets(self, sk.id_data, props_sockets)
  453. finish_drivers(self)
  454. prWhite(f"Initializing morph target took {time() -start_time} seconds")
  455. def bFinalize(self, bContext=None):
  456. prGreen(f"Executing Morph Deform node {self}")
  457. # if there is a not a prior deformer then there should be an option to use plain 'ol shape keys
  458. # GN is always desirable as an option though because it can be baked & many other reasons
  459. use_shape_keys = self.evaluate_input("Use Shape Key")
  460. if use_shape_keys: # check and see if we can.
  461. if self.inputs.get("Deformer"): # I guess this isn't available in some node group contexts... bad. FIXME
  462. if (links := self.inputs["Deformer"].links):
  463. if not links[0].from_node.parameters.get("Use Shape Key"):
  464. use_shape_keys = False
  465. elif links[0].from_node.parameters.get("Use Shape Key") == False:
  466. use_shape_keys = False
  467. self.parameters["Use Shape Key"] = use_shape_keys
  468. if use_shape_keys:
  469. self.gen_shape_key(bContext)
  470. else:
  471. self.gen_morph_target_modifier(bContext)
  472. for c in TellClasses():
  473. setup_container(c)