SoundPool(播放小音频)

    • SoundPool介绍
    • 使用示例
        • 程序
      • spoolplay参数介绍

SoundPool介绍

我们之前有用过MediaPlayer进行播放音频文件,但是当我们的应用程序需要经常的播放密集、短促的音效时,调用MediaPlayer则会占用系统的大量资源,且延时时间较长,不支持多个音频同时播放。这种简单的音乐的播放就运用到了我们的SoundPool,它使用音效池的概念来管理短促的音效,例如它可以开始就加载20 个音效,通过他们的id进行管理与播放。SoundPool的优势在于占用的CPU资源少,反应延迟降低。另外它还支持自行设置声音的品质,音量,播放比率。

使用示例

注意:使用时我们需要在res目录下新建一个文件夹raw(这个名字是固定的,必须这样写),将音乐放在该文件夹下面。
SoundPool(播放小音频)_第1张图片

程序

 private Button mButtonSound;
    private int voiceID;
    private SoundPool pool;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        mButtonSound = (Button) findViewById(R.id.button_sound);
        mButtonSound.setOnClickListener(this);
        voiceID = initSoundPool();
    }
    public int initSoundPool() {
        //Sdk版本>=21时使用下面的方法
        if (Build.VERSION.SDK_INT > 21) {
            SoundPool.Builder builder = new SoundPool.Builder();
            builder.setMaxStreams(2);//设置最多容纳的流数
            AudioAttributes.Builder attrBuilder = new AudioAttributes.Builder();
            attrBuilder.setLegacyStreamType(AudioManager.STREAM_MUSIC);
            builder.setAudioAttributes(attrBuilder.build());
            pool = builder.build();
        } else {
            pool = new SoundPool(2, AudioManager.STREAM_MUSIC, 0);

        }
        //加载音频文件,返回音频文件的id
        int id = pool.load(getApplicationContext(), R.raw.gg, 1);

        return id;

    }

    @Override
    public void onClick(View v) {
        switch (v.getId()) {
            case R.id.button_sound:
                //SoundPool的创建需要时间,因此不能将SoundPool初始化后直接start

                playSound();
                break;
        }
    }

    public void playSound() {
         /*参数: (int soundID, float leftVolume, float rightVolume, int priority, int loop, float rate)*/
        pool.play(voiceID, 1, 1, 0, -1, 1);//将第五个参数换成-1会一直播放。

    }

**注意:**SDK在21之前直接用new SoundPool()去建立pool,21(包括21)之后会先建立一个builder,然后再进行一系列的操作再建立pool,所以在代码中会先判断SDK的版本号,根据不同的版本号进行不同的操作。具体的代码内容注释已经讲的比较清楚了,这里不再赘余。
注意:在load后不可以立刻play,因为load需要时间,所以将两者分开,初始化在oncreat中

spool.play参数介绍

注 spool.play参数介绍(参考API):
Parameters
soundID    load方法返回的ID号
leftVolume     left volume value (range = 0.0 to 1.0)左声道
rightVolume    right volume value (range = 0.0 to 1.0)右声道
priority       stream priority (0 = lowest priority)优先级
loop       loop mode (0 = no loop, -1 = loop forever)是否循环播放
rate       playback rate (1.0 = normal playback, range 0.5 to 2.0)属性设置或返回音频/视频的当前播放速度

你可能感兴趣的:(SoundPool(播放小音频))