Memory leak AVAudioPlayer

Let's consider the following code. I've created an actor that loads a list of .mp3 files from a Bundle and then makes it available for audio reproduction. Unfortunately, I'm experiencing a memory leak.

At the play method.

player.play()

From Instruments I get


_malloc_type_malloc_outlined	libsystem_malloc.dylib	

start_wqthread	                libsystem_pthread.dylib	
    private actor AudioActor {
        enum Failure: Error {
            case soundsNotLoaded([AudioPlayerClient.Sound: Error])
        }
        
        enum Player {
            case music(AVAudioPlayer)
        }
        
        var players: [Sound: Player] = [:]
        let bundles: [Bundle]
        
        init(bundles: UncheckedSendable<[Bundle]>) {
            self.bundles = bundles.wrappedValue
        }
        
        func load(sounds: [Sound]) throws {
            try AVAudioSession.sharedInstance().setActive(true, options: [])
            var errors: [Sound: Error] = [:]
            
            
            for sound in sounds {
                guard let url = bundle.url(forResource: sound.name, withExtension: "mp3")
                else { continue }
                
                do {
                    self.players[sound] = try .music(AVAudioPlayer(contentsOf: url))
                } catch {
                    errors[sound] = error
                }
            }
            
            guard errors.isEmpty
            else { throw Failure.soundsNotLoaded(errors) }
        }
        
        func play(sound: Sound, loops: Int?) throws {
            guard let player = self.players[sound]
            else { return }
            
            switch player {
            case let .music(player):
                player.numberOfLoops = loops ?? -1
                player.play()
            }
        }
        
        func stop(sound: Sound) throws {
            guard let player = self.players[sound]
            else { throw Failure.soundsNotLoaded([:]) }
            
            switch player {
            case let .music(player):
                player.stop()
            }
        }
    }
Memory leak AVAudioPlayer
 
 
Q