Come riprodurre un suono con Swift?


149

Vorrei riprodurre un suono utilizzando Swift.

Il mio codice ha funzionato in Swift 1.0 ma ora non funziona più in Swift 2 o versioni successive.

override func viewDidLoad() {
  super.viewDidLoad()

  let url:NSURL = NSBundle.mainBundle().URLForResource("soundName", withExtension: "mp3")!

  do { 
    player = try AVAudioPlayer(contentsOfURL: url, fileTypeHint: nil) 
  } catch _{
    return
  }

  bgMusic.numberOfLoops = 1
  bgMusic.prepareToPlay()

  if (Data.backgroundMenuPlayed == 0){
    player.play()
    Data.backgroundMenuPlayed = 1
  }
}

1
Dai un'occhiata a SwiftySound . Maggiori dettagli in questa risposta .
Adam,

Se vuoi solo un suono dal sistema, vedi: Utilizzo dei suoni di sistema esistenti nell'app iOS
Honey

Risposte:


292

Preferibilmente potresti voler usare AVFoundation . Fornisce tutti gli elementi essenziali per lavorare con i media audiovisivi.

Aggiornamento: compatibile con Swift 2 , Swift 3 e Swift 4 come suggerito da alcuni di voi nei commenti.


Swift 2.3

import AVFoundation

var player: AVAudioPlayer?

func playSound() {
    let url = NSBundle.mainBundle().URLForResource("soundName", withExtension: "mp3")!

    do {
        player = try AVAudioPlayer(contentsOfURL: url)
        guard let player = player else { return }

        player.prepareToPlay()
        player.play()

    } catch let error as NSError {
        print(error.description)
    }
}

Swift 3

import AVFoundation

var player: AVAudioPlayer?

func playSound() {
    guard let url = Bundle.main.url(forResource: "soundName", withExtension: "mp3") else { return }

    do {
        try AVAudioSession.sharedInstance().setCategory(AVAudioSessionCategoryPlayback)
        try AVAudioSession.sharedInstance().setActive(true)

        let player = try AVAudioPlayer(contentsOf: url)

        player.play()

    } catch let error {
        print(error.localizedDescription)
    }
}

Swift 4 (compatibile con iOS 13)

import AVFoundation

var player: AVAudioPlayer?

func playSound() {
    guard let url = Bundle.main.url(forResource: "soundName", withExtension: "mp3") else { return }

    do {
        try AVAudioSession.sharedInstance().setCategory(.playback, mode: .default)            
        try AVAudioSession.sharedInstance().setActive(true)

        /* The following line is required for the player to work on iOS 11. Change the file type accordingly*/
        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileType.mp3.rawValue)

        /* iOS 10 and earlier require the following line:
        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileTypeMPEGLayer3) */

        guard let player = player else { return }

        player.play()

    } catch let error {
        print(error.localizedDescription)
    }
}

Assicurati di cambiare il nome della tua melodia così come l' estensione . Il file deve essere importato correttamente ( Project Build Phases> Copy Bundle Resources). Si consiglia di posizionarlo assets.xcassetsper maggiore comodità.

Per file audio brevi potresti voler scegliere formati audio non compressi, ad esempio .wavpoiché hanno la migliore qualità e un basso impatto sulla CPU. Il maggiore consumo di spazio su disco non dovrebbe essere un grosso problema per i file audio brevi. Più i file sono lunghi, potresti voler scegliere un formato compresso come .mp3ecc. Pp. Controlla i formati audio compatibili di CoreAudio.


Curiosità: ci sono piccole librerie ordinate che rendono la riproduzione dei suoni ancora più semplice. :)
Ad esempio: SwiftySound


Siamo spiacenti ma questo codice non funziona più in Swift 2.0 richiede un errore "La chiamata può essere lanciata, ma non è contrassegnata con 'prova' e l'errore non viene gestito"
Michel Kansou

2
Sostituisci bgMusic = AVAudioPlayer(contentsOfURL: bgMusicURL, fileTypeHint: nil)condo { bgMusic = try AVAudioPlayer(contentsOfURL: bgMusicURL, fileTypeHint: nil) } catch _ { return \\ if it doesn't exist, don't play it}
saagarjha il

11
Ho dovuto rendere l'oggetto AVAudioPlayer una variabile di istanza per farlo funzionare. Come variabile locale non riprodurrebbe nulla, nessun errore. I delegati non verrebbero nemmeno chiamati.
Kaleb,

2
Perché usi una guardia qui? player = try AVAudioPlayer(contentsOf: url) guard let player = player else { return }mi sembra un lavoro extra, perché non solo let player = try AVAudioPlayer(contentsOf: url)?
xandermonkey,

2
L'uso di un'istruzione guard ti rende abbastanza sicuro da crash a causa del valore zero.
Aashish

43

Per Swift 3 :

import AVFoundation

/// **must** define instance variable outside, because .play() will deallocate AVAudioPlayer 
/// immediately and you won't hear a thing
var player: AVAudioPlayer?

func playSound() {
    guard let url = Bundle.main.url(forResource: "soundName", withExtension: "mp3") else {
        print("url not found")
        return
    }

    do {
        /// this codes for making this app ready to takeover the device audio
        try AVAudioSession.sharedInstance().setCategory(AVAudioSessionCategoryPlayback)
        try AVAudioSession.sharedInstance().setActive(true)

        /// change fileTypeHint according to the type of your audio file (you can omit this)

        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileTypeMPEGLayer3)

        // no need for prepareToPlay because prepareToPlay is happen automatically when calling play()
        player!.play()
    } catch let error as NSError {
        print("error: \(error.localizedDescription)")
    }
}

La migliore pratica per le risorse locali è metterla all'interno assets.xcassetse caricare il file in questo modo:

func playSound() {
    guard let url = Bundle.main.url(forResource: "soundName", withExtension: "mp3") else {
        print("url not found")
        return
    }

    do {
        /// this codes for making this app ready to takeover the device audio
        try AVAudioSession.sharedInstance().setCategory(AVAudioSessionCategoryPlayback)
        try AVAudioSession.sharedInstance().setActive(true)

        /// change fileTypeHint according to the type of your audio file (you can omit this)

        /// for iOS 11 onward, use :
        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileType.mp3.rawValue)

        /// else :
        /// player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileTypeMPEGLayer3)

        // no need for prepareToPlay because prepareToPlay is happen automatically when calling play()
        player!.play()
    } catch let error as NSError {
        print("error: \(error.localizedDescription)")
    }
}

Questo codice ha funzionato per me su iOS 10.2.1, xCode 8.2.1. Per me, le due linee "provare AVAudioSession" hanno fatto la differenza tra i suoni effettivamente ascoltati su un dispositivo reale o meno. Senza di loro, nessun suono.
pvanallen,

Questo mi ha aiutato moltissimo, comunque ho qualche problema a capire cosa succede nel doblocco. ovviamente player!.play()si spiega da sé. Ma qual è lo scopo dei metodi setCategorye setActive?
Shan Robertson,

2
Se si forniscono AVAudioSessionCategoryPlaybacka setCategory, si garantirà l'audio viene sempre riprodotto anche se telefono è in schermata di blocco o in modalità silenziosa. setActiveè come dire al sistema che la tua app è pronta per riprodurre l'audio
Adi Nugroho,

@AdiNugroho pensi che potresti aiutarmi con la mia domanda: stackoverflow.com/questions/44201592/… ?
JamesG,

Ho un sacco di problemi con questo su iOS 11. Funzionava ma ora all'improvviso non funziona. Qualche idea?
Nickdnk,

15

iOS 12 - Xcode 10 beta 6 - Swift 4.2

Usa solo 1 IBAction e punta tutti i pulsanti su quell'azione 1.

import AVFoundation

var player = AVAudioPlayer()

@IBAction func notePressed(_ sender: UIButton) {
    print(sender.tag) // testing button pressed tag
    let path = Bundle.main.path(forResource: "note\(sender.tag)", ofType : "wav")!
    let url = URL(fileURLWithPath : path)
    do {
        player = try AVAudioPlayer(contentsOf: url)
        player.play()
    } catch {
        print ("There is an issue with this code!")
    }
}

5
È divertente supporre che tutti stiano guardando "iOS 11 e Swift 4 - Il Bootcamp completo per lo sviluppo di app iOS" 😂😂
karlingen,

12

Se il codice non genera alcun errore, ma non senti l'audio, crea il player come un'istanza:

   static var player: AVAudioPlayer!

Per me la prima soluzione ha funzionato quando ho fatto questo cambiamento :)


Per me va bene. Qualcuno sa perché devi impostare questo su statico?
kuzdu,

3
Non penso che debba essere statico (più?), Ma sembra forse che se lo lasci andare fuori ambito dopo che è stato creato, anche se hai chiamato play (), non giocherà? Ho appena reso una variabile di istanza della mia classe e funziona.
biomiker,

3
@kuzdu Ciò è dovuto al fatto che non hai inserito l' playerambito esterno. Altrimenti, playerviene delocalizzato e quindi non può riprodurre alcun suono in quanto non esiste più.
George_E,

Ha funzionato per me - senzastatic
Todd l'

5

Swift 4, 4.2 e 5

Riproduci l'audio dall'URL e dal tuo progetto (file locale)

import UIKit
import AVFoundation

class ViewController: UIViewController{

var audioPlayer : AVPlayer!

override func viewDidLoad() {
        super.viewDidLoad()
// call what ever function you want.
    }

    private func playAudioFromURL() {
        guard let url = URL(string: "https://geekanddummy.com/wp-content/uploads/2014/01/coin-spin-light.mp3") else {
            print("error to get the mp3 file")
            return
        }
        do {
            audioPlayer = try AVPlayer(url: url as URL)
        } catch {
            print("audio file error")
        }
        audioPlayer?.play()
    }

    private func playAudioFromProject() {
        guard let url = Bundle.main.url(forResource: "azanMakkah2016", withExtension: "mp3") else {
            print("error to get the mp3 file")
            return
        }

        do {
            audioPlayer = try AVPlayer(url: url)
        } catch {
            print("audio file error")
        }
        audioPlayer?.play()
    }

}

3

Swift 3

import AVFoundation


var myAudio: AVAudioPlayer!

    let path = Bundle.main.path(forResource: "example", ofType: "mp3")!
    let url = URL(fileURLWithPath: path)
do {
    let sound = try AVAudioPlayer(contentsOf: url)
    myAudio = sound
    sound.play()
} catch {
    // 
}

//If you want to stop the sound, you should use its stop()method.if you try to stop a sound that doesn't exist your app will crash, so it's best to check that it exists.

if myAudio != nil {
    myAudio.stop()
    myAudio = nil
}

1

Per prima cosa importa queste librerie

import AVFoundation

import AudioToolbox    

impostare delegato in questo modo

   AVAudioPlayerDelegate

scrivi questo grazioso codice sull'azione del pulsante o qualcosa del genere:

guard let url = Bundle.main.url(forResource: "ring", withExtension: "mp3") else { return }
    do {
        try AVAudioSession.sharedInstance().setCategory(AVAudioSessionCategoryPlayback)
        try AVAudioSession.sharedInstance().setActive(true)
        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileType.mp3.rawValue)
        guard let player = player else { return }

        player.play()
    }catch let error{
        print(error.localizedDescription)
    }

Lavoro al 100% nel mio progetto e testato


2
Non è necessario importare AudioToolboxin questo luogo.
IX

1

Testato con Swift 4 e iOS 12:

import UIKit
import AVFoundation
class ViewController: UIViewController{
    var player: AVAudioPlayer!
    override func viewDidLoad() {
        super.viewDidLoad()
    }

    func playTone(number: Int) {
        let path = Bundle.main.path(forResource: "note\(number)", ofType : "wav")!
        let url = URL(fileURLWithPath : path)
        do {
            player = try AVAudioPlayer(contentsOf: url)
            print ("note\(number)")
            player.play()
        }
        catch {
            print (error)
        }
    }

    @IBAction func notePressed(_ sender: UIButton) {
        playTone(number: sender.tag)
    }
}

1

Swift 4 (compatibile con iOS 12)

var player: AVAudioPlayer?

let path = Bundle.main.path(forResource: "note\(sender.tag)", ofType: "wav")
let url = URL(fileURLWithPath: path ?? "")
    
do {
   player = try AVAudioPlayer(contentsOf: url)
   player?.play()
} catch let error {
   print(error.localizedDescription)
}

Ottengo il seguente errore: The operation couldn’t be completed. (OSStatus error 1954115647.). Ho cercato dappertutto e non riesco a trovare una soluzione. Potrebbe pubblicare una domanda al riguardo.
George_E,

1

Stile di gioco:

file Sfx.swift

import AVFoundation

public let sfx = Sfx.shared
public final class Sfx: NSObject {
    
    static let shared = Sfx()
    
    var apCheer: AVAudioPlayer? = nil
    
    private override init() {
        guard let s = Bundle.main.path(forResource: "cheer", ofType: "mp3") else {
            return  print("Sfx woe")
        }
        do {
            apComment = try AVAudioPlayer(contentsOf: URL(fileURLWithPath: s))
        } catch {
            return  print("Sfx woe")
        }
    }
    
    func cheer() { apCheer?.play() }
    func plonk() { apPlonk?.play() }
    func crack() { apCrack?.play() } .. etc
}

Ovunque nel codice

sfx.explosion()
sfx.cheer()

1

Questo è il codice di base per trovare e riprodurre un file audio in Swift.

Aggiungi il tuo file audio al tuo Xcode e aggiungi il codice qui sotto.

import AVFoundation

class ViewController: UIViewController {

   var audioPlayer = AVAudioPlayer() // declare globally

   override func viewDidLoad() {
        super.viewDidLoad()

        guard let sound = Bundle.main.path(forResource: "audiofilename", ofType: "mp3") else {
            print("Error getting the mp3 file from the main bundle.")
            return
        }
        do {
            audioPlayer = try AVAudioPlayer(contentsOf: URL(fileURLWithPath: sound))
        } catch {
            print("Audio file error.")
        }
        audioPlayer.play()
    }

    @IBAction func notePressed(_ sender: UIButton) { // Button action
        audioPlayer.stop()
    }
}

0
import UIKit
import AVFoundation

class ViewController: UIViewController{

    var player: AVAudioPlayer?

    override func viewDidLoad() {
        super.viewDidLoad()
    }

    @IBAction func notePressed(_ sender: UIButton) {

        guard let url = Bundle.main.url(forResource: "note1", withExtension: "wav") else { return }

        do {
            try AVAudioSession.sharedInstance().setCategory((AVAudioSession.Category.playback), mode: .default, options: [])
            try AVAudioSession.sharedInstance().setActive(true)


            /* The following line is required for the player to work on iOS 11. Change the file type accordingly*/
            player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileType.wav.rawValue)

            /* iOS 10 and earlier require the following line:
             player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileTypeMPEGLayer3) *//

            guard let player = player else { return }

            player.play()

        } catch let error {
            print(error.localizedDescription)
        }

    }

}

0
var soundEffect = AVAudioPlayer()

func playSound(_ buttonTag : Int){

    let path = Bundle.main.path(forResource: "note\(buttonTag)", ofType : "wav")!
    let url = URL(fileURLWithPath : path)

    do{
        soundEffect = try AVAudioPlayer(contentsOf: url)
        soundEffect?.play()
        // to stop the spound .stop()
    }catch{
        print ("file could not be loaded or other error!")
    }
}

funziona in Swift 4 ultima versione. ButtonTag sarebbe un tag su un pulsante sulla tua interfaccia. Le note si trovano in una cartella in una cartella parallela a Main.storyboard. Ogni nota è denominata nota1, nota2, ecc. ButtonTag fornisce il numero 1, 2, ecc. Dal pulsante selezionato che viene passato come parametro


0

import AVFoundation

importare AudioToolbox

classe finale pubblica MP3Player: NSObject {

// Singleton class
static let shared:MP3Player = MP3Player()

private var player: AVAudioPlayer? = nil

// Play only mp3 which are stored in the local
public func playLocalFile(name:String) {
    guard let url = Bundle.main.url(forResource: name, withExtension: "mp3") else { return }

    do {
        try AVAudioSession.sharedInstance().setCategory(AVAudioSession.Category.playback)
        try AVAudioSession.sharedInstance().setActive(true)
        player = try AVAudioPlayer(contentsOf: url, fileTypeHint: AVFileType.mp3.rawValue)
        guard let player = player else { return }

        player.play()
    }catch let error{
        print(error.localizedDescription)
    }
}

}

// Per chiamare questa funzione

MP3Player.shared.playLocalFile (nome: "JungleBook")


-1
import AVFoundation
var player:AVAudioPlayer!

func Play(){
    guard let path = Bundle.main.path(forResource: "KurdishSong", ofType: "mp3")else{return}
    let soundURl = URL(fileURLWithPath: path)
    player = try? AVAudioPlayer(contentsOf: soundURl)
    player.prepareToPlay()
    player.play()
    //player.pause()
    //player.stop()
}
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.