How to play MP3 sound from buffer (ByteArray/Stream) in ActionScript 3? How to play MP3 sound from buffer (ByteArray/Stream) in ActionScript 3? arrays arrays

How to play MP3 sound from buffer (ByteArray/Stream) in ActionScript 3?


This one doesn't work since SampleDataEvent.data expects uncompressed raw sample data, not MP3. Use https://github.com/claus/as3swf/wiki/play-mp3-directly-from-bytearray instead.


I don't think there is a solution to mp3 binary data, but if it's a wav one, then this should work:

   private function loaded(event:Event):void {   var urlStream:URLStream = event.target as URLStream;   bArr = new ByteArray();   urlStream.readBytes(bArr, 0);   /**    * Remove wav header here    */   bArr.position = 0;   sampleMP3.addEventListener(SampleDataEvent.SAMPLE_DATA, sampleDataHandler);   soundChannel = sampleMP3.play();  }  private function sampleDataHandler(event:SampleDataEvent):void {   var bytesToRead:int = (bArr.bytesAvailable > 65536 ? 65536 : bArr.bytesAvailable);   event.data.writeBytes(bArr, bArr.position, bytesToRead);   bArr.position += bytesToRead;  }

Remember to remove wav header before sampling data though. Also, it only works well when sample rate is 44.1kHz. For other sample rates, you need to manually repeat or remove samples to make it 44.1kHz-like. Do pay attention to mono sounds, as you need to supply both left & right channel samples to Flash, thus need to repeat samples.

Good starting point is WavDecoder class inside Popforge's audio.format.wav package.


The following works for me:

package{ import flash.display.Sprite; import flash.events.Event; import flash.events.SampleDataEvent; import flash.media.Sound; import flash.media.SoundChannel; import flash.net.URLRequest; import flash.net.URLStream; import flash.utils.ByteArray; public class QuickSoundTest extends Sprite {  public var sampleMP3:Sound;  private var soundChannel:SoundChannel;   public var bArr:ByteArray;  public function QuickSoundTest()  {   sampleMP3 = new Sound();   var urlReq:URLRequest = new URLRequest("test.mp3");   var urlStream:URLStream = new URLStream();   urlStream.addEventListener(Event.COMPLETE, loaded);   urlStream.load(urlReq);  }  private function loaded(event:Event):void {   var urlStream:URLStream = event.target as URLStream;   bArr = new ByteArray();   urlStream.readBytes(bArr, 0, 40960);   sampleMP3.addEventListener(SampleDataEvent.SAMPLE_DATA, sampleDataHandler);   soundChannel = sampleMP3.play();  }  private function sampleDataHandler(event:SampleDataEvent):void {   event.data.writeBytes(bArr, 0, 40960);  } }}

You might need to check what is stored in your readResponse ByteArray or how the data is getting read in when you're loading it. Making sure that it's loaded the URLLoader using URLLoaderDataFormat.BINARY or just by using a URLStream as I've done here.