在 SpriteKit 中将 SKReferenceNode/SKScene 添加到另一个 SKScene

Add SKReferenceNode/SKScene to another SKScene in SpriteKit

我想在我的主要 GameScene 中添加一个 SKScene。 SKReferenceNode 似乎是一个很好的解决方案。

我有: - GameScene.sks(主场景) - Countdown.sks(添加到 GameScene 的场景) - Countdown.swift(自定义 class,如何初始化它?SKScene?SKReferenceNode?SKNode)

我不知道如何使用我的 class 倒计时以编程方式添加我的倒计时。

我试过了:

 let path = Bundle.main.path(forResource: "Countdown", ofType: "sks")
 let cd = SKReferenceNode (url: NSURL (fileURLWithPath: path!) as URL) as! Countdown
 cd.name = "countdown"
 self.addChild(cd)

但是我有以下错误:

 Could not cast value of type 'SKReferenceNode' (0x10d97ad88) to 'LYT.Countdown' (0x10a5709d0

我还尝试了一些更简单的方法,例如:

 let cd=Countdown(scene:self) 
 self.addChild(cd)

但我不知道如何使用 Countdown.sks 文件初始化 class。

我知道我也有可能创建一个 SKNode class,并以编程方式 100% 初始化它,但使用关联的 .sks 文件对我来说非常重要,以便使用 Xcode 场景编辑器.

我这样做了,我不知道这是否是最好的方法,但是有效:

我有 2 个文件 Dragon.swift 和 sks

我已经添加了一个 "main" 节点,例如 DragonNode 和这个

的其他子节点

现在,DragonNode 是自定义的 class,在 sks 文件中设置它:

DragonNode是一个普通的SKSpriteNode

class DragonNode: SKSpriteNode, Fly, Fire {

    var head: SKSpriteNode!
    var body: SKSpriteNode!
    var shadow: SKSpriteNode!
    var dragonVelocity: CGFloat = 250

    required init?(coder aDecoder: NSCoder) {        
        super.init(coder: aDecoder)

        //Example other node from sks file
        body = self.childNodeWithName("Body") as! SKSpriteNode
        head = body.childNodeWithName("Head") as! SKSpriteNode
        shadow = self.childNodeWithName("Shadow") as! SKSpriteNode
        shadow.name = "shadow"
    }

    //Dragon Func
    func fireAction () {}
    func flyAction () {}
}

在场景里面,添加一个SKReferenceNode:

在SKScene代码中:

    let dragonReference = self.childNodeWithName("DragonReference") as! SKReferenceNode

    let dragonNode = dragonReference.getBasedChildNode() as! DragonNode
    print(dragonNode)
    //Now you can use the Dragon func
    dragonNode.flyAction()

getBasedChildNode() 是查找你的基础节点的扩展(第一个)

extension SKReferenceNode {
    func getBasedChildNode () -> SKNode? {
        if let child = self.children.first?.children.first {return child}
        else {return nil}
    }
}

我对上面的 Simone 做了类似的事情,但我没有扩展参考节点,而是将我的扩展添加到 SKNode。

extension SKNode {
    func nodeReferenced() -> SKNode? {
        if self .isKind(of: SKReferenceNode.self) {
            return children.first!.children.first!
        }
        return nil
    }
}

如果节点实际上不是参考节点,并且使这两个步骤过程成为一个衬里,则不需要转换。我的版本会将上面的代码更改为:

if let dragonNode = childNodeWithName("DragonReference")?.nodeReferenced() as? DragonNode {
    print(dragonNode)
    dragonNode.fly()
}

这对我有用,但 Simone 的回答似乎比我的更直接,也可能更灵活,所以我会给他们分数。我只是喜欢干净的代码,因为我们几乎从来不需要那个 SKReferenceNode,所以我们可以忽略它。此外,在枚举节点时,很容易要求引用节点,得到一个或什么都没有,而不必先查看该节点是否实际上是一个引用节点,然后再执行更改。