web-dev-qa-db-ja.com

Swift-スーパークラスSKSpriteNodeエラーの指定された初期化子を呼び出す必要があります

このコードは最初のXCode 6ベータで機能していましたが、最新のベータでは機能せず、そのようなエラーが発生しますMust call a designated initializer of the superclass SKSpriteNode

import SpriteKit

class Creature: SKSpriteNode {
  var isAlive:Bool = false {
    didSet {
        self.hidden = !isAlive
    }
  }
  var livingNeighbours:Int = 0

  init() {
    // throws: must call a designated initializer of the superclass SKSpriteNode
    super.init(imageNamed:"bubble") 
    self.hidden = true
  }

  init(texture: SKTexture!) {
    // throws: must call a designated initializer of the superclass SKSpriteNode
    super.init(texture: texture)
  }

  init(texture: SKTexture!, color: UIColor!, size: CGSize) {
    super.init(texture: texture, color: color, size: size)
  }
}

そして、それがこのクラスの初期化方法です:

let creature = Creature()
creature.anchorPoint = CGPoint(x: 0, y: 0)
creature.position = CGPoint(x: Int(posX), y: Int(posY))
self.addChild(creature)

私はそれで立ち往生しています..最も簡単な修正は何ですか?

52
Kosmetika

init(texture: SKTexture!, color: UIColor!, size: CGSize)はSKSpriteNodeクラスの唯一の指定された初期化子であり、残りはすべて便利な初期化子なので、それらをスーパーに呼び出すことはできません。コードをこれに変更します。

class Creature: SKSpriteNode {
    var isAlive:Bool = false {
        didSet {
            self.hidden = !isAlive
        }
    }
    var livingNeighbours:Int = 0

    init() {
        // super.init(imageNamed:"bubble") You can't do this because you are not calling a designated initializer.
        let texture = SKTexture(imageNamed: "bubble")
        super.init(texture: texture, color: UIColor.clearColor(), size: texture.size())
        self.hidden = true
    }

    init(texture: SKTexture!) {
        //super.init(texture: texture) You can't do this because you are not calling a designated initializer.
        super.init(texture: texture, color: UIColor.clearColor(), size: texture.size())
    }

    init(texture: SKTexture!, color: UIColor!, size: CGSize) {
        super.init(texture: texture, color: color, size: size)
    }
}

さらに、これらすべてを単一のイニシャライザーに統合します。

75
Epic Byte

クレイジーなもの..どうやってそれを修正することができたのか完全には理解していません。

convenience init() {
    self.init(imageNamed:"bubble")
    self.hidden = true
}

init(texture: SKTexture!, color: UIColor!, size: CGSize) {
    super.init(texture: texture, color: color, size: size)
}

convenienceinitに追加し、init(texture: SKTexture!)を削除します

9
Kosmetika