如何返回用于设置scnnode的球体几何体(scnsphere)的半径。
我想在一个方法中使用半径,在这个方法中,我移动一些子节点,相对于父节点。下面的代码失败,因为结果节点似乎不知道radius,我不应该将节点传递给方法吗?
同时,我的数组索引也不能说int不是一个范围。
我正在尝试从this创建一些东西
import UIKit
import SceneKit
class PrimitivesScene: SCNScene {
override init() {
super.init()
self.addSpheres();
}
func addSpheres() {
let sphereGeometry = SCNSphere(radius: 1.0)
sphereGeometry.firstMaterial?.diffuse.contents = UIColor.redColor()
let sphereNode = SCNNode(geometry: sphereGeometry)
self.rootNode.addChildNode(sphereNode)
let secondSphereGeometry = SCNSphere(radius: 0.5)
secondSphereGeometry.firstMaterial?.diffuse.contents = UIColor.greenColor()
let secondSphereNode = SCNNode(geometry: secondSphereGeometry)
secondSphereNode.position = SCNVector3(x: 0, y: 1.25, z: 0.0)
self.rootNode.addChildNode(secondSphereNode)
self.attachChildrenWithAngle(sphereNode, children:[secondSphereNode, sphereNode], angle:20)
}
func attachChildrenWithAngle(parent: SCNNode, children:[SCNNode], angle:Int) {
let parentRadius = parent.geometry.radius //This fails cause geometry does not know radius.
for var index = 0; index < 3; ++index{
children[index].position=SCNVector3(x:Float(index),y:parentRadius+children[index].radius/2, z:0);// fails saying int is not convertible to range.
}
}
required init(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
}
最佳答案
radius
的问题是parent.geometry
返回一个SCNGeometry
而不是一个SCNSphere
。如果需要获取radius
,则需要先将parent.geometry
转换为SCNSphere
。为了安全起见,最好使用一些可选的绑定和链接:
if let parentRadius = (parent.geometry as? SCNSphere)?.radius {
// use parentRadius here
}
当访问
radius
节点上的children
时,也需要这样做。如果你把所有这些放在一起,稍微清理一下,就会得到这样的结果:func attachChildrenWithAngle(parent: SCNNode, children:[SCNNode], angle:Int) {
if let parentRadius = (parent.geometry as? SCNSphere)?.radius {
for var index = 0; index < 3; ++index{
let child = children[index]
if let childRadius = (child.geometry as? SCNSphere)?.radius {
let radius = parentRadius + childRadius / 2.0
child.position = SCNVector3(x:CGFloat(index), y:radius, z:0.0);
}
}
}
}
请注意,您调用的
attachChildrenWithAngle
有两个子数组:self.attachChildrenWithAngle(sphereNode, children:[secondSphereNode, sphereNode], angle:20)
如果这样做,在访问第三个元素时,将在
for
循环中发生运行时崩溃。每次调用该函数时,您要么需要传递一个有3个子数组,要么更改for
循环中的逻辑。关于swift - 获取用于创建SCNNode的SCNSphere的半径,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/26874990/