0

这是我在这个论坛上的第一篇文章,如果我做的事情不正确,我提前道歉!:)

我正在使用 Swift & SpriteKit 制作 iphone 游戏,但我目前面临一个问题。当我的应用程序进入后台时,它会调用一个函数 pause(参见下文),但在游戏恢复时它会自动取消暂停。

我看过这篇非常有趣的帖子:Spritekit - 在 didBecomeActive 时保持游戏暂停(以及如何在应用程序变得活跃时保持 SpriteKit 场景暂停?)但我被卡住了。

我不知道如何实现新的 SKView 类,因为我的 View 配置如下面的代码所示......

这就是我的应用程序的工作方式:

class GameViewController: UIViewController {

var scene: GameScene!

override func viewDidLoad() {
    super.viewDidLoad()

    // Configure the View
    let SkView = view as! SKView
    SkView.multipleTouchEnabled = true

    // Create and configure the scene
    scene = GameScene(size: SkView.bounds.size)
    scene.scaleMode = .AspectFill

    // Present the scene
    SkView.presentScene(scene)

    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("PauseWhenBackGround:"), name:"PauseWhenBackGround", object: nil)
}

func PauseWhenBackGround(notification : NSNotification) {
    if scene.Pausing == false{
        scene.Pause()
    }
}

我尝试了以下方法:

我添加了一个新类:

class GameSceneView : SKView {      
    func CBApplicationDidBecomeActive() {
    }
}

然后,我尝试将我的视图设置为,let SkView = view as! GameSceneView但我收到一条错误消息,说我无法将视图投射到 MyProjectName.GameSceneView()... 我还尝试了以下操作:let SkView! = GameSceneView() as GameSceneView!但我最终得到了一个灰色的背景场景...

有谁知道我如何实现新的 SKView 类以防止发生 CBApplicationDidBecomeActive() 错误,以便游戏在激活时不会取消暂停?

非常感谢您提前!:)

4

1 回答 1

0

我认为更好的方法不是暂停整个场景,而是可以在 GameScene 中创建一个 worldNode 并将所有需要暂停的精灵添加到该 worldNode。更好的是,如果您暂停场景,则无法添加暂停菜单节点或使用开始触摸等。它基本上为您提供了更大的灵活性,暂停节点而不是整个场景。

首先创建世界节点(如果需要,创建全局属性)

 let worldNode = SKNode()
 addChild(worldNode)

比将所有需要暂停的精灵添加到 worldNode

 worldNode.addChild(sprite1)
 worldNode.addChild(sprite2)

为您的不同游戏状态创建一个枚举

enum GameState {
    case Playing
    case Paused
    case GameOver
    static var current = GameState.Playing
}

比在你的游戏场景中暂停功能

 func pause() {
     GameState.current = .Paused
     //self.physicsWorld.speed = 0 // in update
     //worldNode.paused = true     // in update

     // show pause menu etc
 }

并像上面那样使用 NSNotification 调用它,甚至更好地使用委托。

我更喜欢这种方法,而不是从 gameViewController 暂停场景并暂停整个场景。

创建简历方法

 func resume() {
        GameState.current = .Playing
        self.physicsWorld.speed = 1
        worldNode.paused = false  

        // remove pause menu etc
 }

最后将其添加到您的更新方法中

override func update(currentTime: CFTimeInterval) {

  if GameState.current == .Paused { 
      self.physicsWorld.speed = 0
      worldNode.paused = true
}

Spritekit 有时会在应用再次激活时或当应用内购买等警报被解除时恢复游戏。为了避免这种情况,我总是将代码实际暂停在更新方法中。

希望这可以帮助。

于 2016-01-06T10:03:49.337 回答