32

我似乎找不到监听播放状态的事件。我最感兴趣的是play/pause状态。我正在使用MediaControllerwhich 有一个Play/Pause按钮,但我有一个辅助按钮也可以控制Play/Pause. 使用我的自定义按钮,我可以play/pause,但如果我play/pause使用MediaController play/pause按钮,我目前无法将自定义play/pause按钮上的图像更改为播放或暂停。

有没有我不知道的事件,所以我可以在播放/暂停期间做一些工作?

这是一个非常相似的问题:How to catch event when click pause/play button on MediaController

4

2 回答 2

96

如果您将 theMediaController与 a 结合使用VideoView,则扩展后者并添加您自己的侦听器应该相对容易。

然后,自定义 VideoView 的最基本形式如下所示:

public class CustomVideoView extends VideoView {

    private PlayPauseListener mListener;

    public CustomVideoView(Context context) {
        super(context);
    }

    public CustomVideoView(Context context, AttributeSet attrs) {
        super(context, attrs);
    }

    public CustomVideoView(Context context, AttributeSet attrs, int defStyle) {
        super(context, attrs, defStyle);
    }

    public void setPlayPauseListener(PlayPauseListener listener) {
        mListener = listener;
    }

    @Override
    public void pause() {
        super.pause();
        if (mListener != null) {
            mListener.onPause();
        }
    }

    @Override
    public void start() {
        super.start();
        if (mListener != null) {
            mListener.onPlay();
        }
    }

    public static interface PlayPauseListener {
        void onPlay();
        void onPause();
    }

}

使用它与使用常规的 相同VideoView,唯一的区别是我们现在可以将我们自己的侦听器连接到它。

// Some other code above...
CustomVideoView cVideoView = (CustomVideoView) findViewById(R.id.custom_videoview);
cVideoView.setPlayPauseListener(new CustomVideoView.PlayPauseListener() {

    @Override
    public void onPlay() {
        System.out.println("Play!");
    }

    @Override
    public void onPause() {
        System.out.println("Pause!");
    }
});

cVideoView.setMediaController(new MediaController(this));
cVideoView.setVideoURI(...);
// or
cVideoView.setVideoPath(...);
// Some other code below...

最后,您还可以在您的 xml 布局中声明它并对其进行扩展(如上所示) - 只需确保您使用<package_name>.CustomVideoView. 例子:

<mh.so.CustomVideoView android:layout_width="wrap_content"
    android:layout_height="wrap_content" android:id="@+id/custom_videoview" />
于 2011-11-08T05:55:31.810 回答
2

您应该能够设置自己的MediaController.MediaPlayerControl并覆盖暂停和启动

于 2011-11-04T16:39:42.793 回答