How to add a song that is played over 2 of my scenes in my swift game

55 Views Asked by At

My final game over scene has an SKTransition back to the Main Menu. I am able to make a song play for the final game over scene, but I would like the song to continue into my Main Menu.

Here is a copy of the code I have at the moment.

import Foundation
import SpriteKit
import AVFoundation


class SceneThree: SKScene {

   var game = SKSpriteNode()

var new: AVAudioPlayer?

override func didMove(to view: SKView) {

    self.backgroundColor = SKColor.black

    playSound()

}

func playSound() {
    let url = Bundle.main.url(forResource: "new", withExtension: "caf")!

    do {
        new = try AVAudioPlayer(contentsOf: url)
        guard let new = new else { return }

        new.prepareToPlay()
        new.play()
    } catch let error {
        print(error.localizedDescription)
    }
}



override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {

    let gameScene = GameScene(fileNamed: "GameScene")
    gameScene?.scaleMode = .aspectFill
    self.view?.presentScene(gameScene!, transition: SKTransition.fade(withDuration: 4.5))



}
1

There are 1 best solutions below

2
On

When you change scene the old one will get destroyed, which includes your AVPlayer property.

You can create a helper class for your music to avoid this.

class MusicManager {

    static let shared = MusicManager()

    var audioPlayer = AVAudioPlayer()


    private init() { } // private singleton init


    func setup() {
         do {
            audioPlayer =  try AVAudioPlayer(contentsOf: URL.init(fileURLWithPath: Bundle.main.path(forResource: "music", ofType: "mp3")!))
             audioPlayer.prepareToPlay()

        } catch {
           print (error)
        }
    }


    func play() {
        audioPlayer.play()
    }

    func stop() {
        audioPlayer.stop()
        audioPlayer.currentTime = 0 // I usually reset the song when I stop it. To pause it create another method and call the pause() method on the audioPlayer.
        audioPlayer.prepareToPlay()
    }
}

When your project launches just call the setup method

MusicManager.shared.setup()

Than from any where in your project you can say

MusicManager.shared.play()

to play the music.

To than stop it just call the stop method

MusicManager.shared.stop()

For a more feature rich example with multiple tracks check out my helper on GitHub

https://github.com/crashoverride777/SwiftyMusic

Hope this helps