how to add SKSpriteNode in a loop [closed]

被刻印的时光 ゝ 提交于 2019-12-08 11:37:43

问题


I want to add some squares in a scene by loop. But this code has a problem. What is wrong?

var shape = SKSpriteNode(color: UIColor.redColor(), size: CGSize(width: 100, height: 100))

for (var i=0 ; i<10 ; i++)
    {
        shape.name = "shape\(i)"
        shape.position = CGPointMake(20,20)
        self.addChild(shape)
    }

回答1:


You have a few issues here. With your current code you are trying to add a same SKSpriteNode multiple times to the same parent (scene). Which is impossible because one node can have only one parent at the time. Another thing, which is not an issue, but it can confuse you is that you are adding multiple nodes at same position so it can looks like only one node is added.

What you have to do is to create a copies of "shape" variable and add them accordingly to the scene, like this:

import SpriteKit

class GameScene: SKScene {

    override func didMoveToView(view: SKView) {

        var shape = SKSpriteNode(color: UIColor.redColor(), size: CGSize(width: 20, height: 20))


        for (var i=0 ; i<10 ; i++)
        {

            var sprite = shape.copy() as SKSpriteNode

            sprite.name = "shape\(i)"
            sprite.position = CGPointMake(20 + CGFloat(i*30) , CGRectGetMidY(self.frame) )
            self.addChild(sprite)
        }


    }

}

Otherwise if you run your code, you will get error about adding a node which already has a parent. Hope this helps to understand what's happening.

Not related to all this, but you may find it useful to enable debugging labels (if you haven't already) in your view controller to see information like node count, draws count, visual physics representation and some more. This can save you from some future headaches. Here is how you enable all that:

(in viewDidLoad method or whatever method you use to initialize the scene):

skView.showsFPS = true
skView.showsNodeCount = true
skView.showsPhysics = true
skView.showsDrawCount = true


来源:https://stackoverflow.com/questions/30847533/how-to-add-skspritenode-in-a-loop

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!