IllegalStateException в MediaPlayer # Пауза - PullRequest
0 голосов
/ 29 июня 2018

Я загрузил свое приложение в консоль Google и в предварительном отчете, только на 2 устройствах, была эта проблема java.lang.IllegalStateException

FATAL EXCEPTION: ControllerMessenger
Process: com.wolframite.manos.crack_the_code, PID: 11744
java.lang.IllegalStateException
at android.media.MediaPlayer.isPlaying(Native Method)
at com.wolframite.manos.crack_the_code.Music$1.onReceive(Music.java:36)
at android.support.v4.content.LocalBroadcastManager.executePendingBroadcasts(LocalBroadcastManager.java:311)
at android.support.v4.content.LocalBroadcastManager.access$000(LocalBroadcastManager.java:47)
at android.support.v4.content.LocalBroadcastManager$1.handleMessage(LocalBroadcastManager.java:120)
at android.os.Handler.dispatchMessage(Handler.java:102)
at android.support.test.espresso.base.Interrogator.a(Interrogator.java:19)
at android.support.test.espresso.base.UiControllerImpl.a(UiControllerImpl.java:142)
at android.support.test.espresso.base.UiControllerImpl.a(UiControllerImpl.java:134)
at android.support.test.espresso.base.UiControllerImpl.a(UiControllerImpl.java:34)
at android.support.test.espresso.action.MotionEvents.a(MotionEvents.java:74)
at android.support.test.espresso.action.MotionEvents.a(MotionEvents.java:52)
at android.support.test.espresso.action.Tap.c(Tap.java:9)
at android.support.test.espresso.action.Tap.a(Tap.java:19)
at android.support.test.espresso.action.Tap$1.b(Tap.java:2)
at android.support.test.espresso.action.GeneralClickAction.perform(GeneralClickAction.java:22)
at android.support.test.espresso.ViewInteraction$SingleExecutionViewAction.perform(ViewInteraction.java:9)
at android.support.test.espresso.ViewInteraction.a(ViewInteraction.java:78)
at android.support.test.espresso.ViewInteraction.a(ViewInteraction.java:94)
at android.support.test.espresso.ViewInteraction$1.call(ViewInteraction.java:3)
at java.util.concurrent.FutureTask.run(FutureTask.java:237)
at android.os.Handler.handleCallback(Handler.java:746)
at android.os.Handler.dispatchMessage(Handler.java:95)
at android.os.Looper.loop(Looper.java:148)
at android.app.ActivityThread.main(ActivityThread.java:5459)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:728)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:618)

Я не знаю, что делать. Что это за проблема, и что еще мне нужно загрузить, чтобы решить эту проблему.

Музыкальный класс, который используется для воспроизведения музыки в приложении и получает трансляцию, когда приложение переходит в фоновый режим, чтобы остановить музыку, и когда приложение выходит на передний план, чтобы возобновить его, где строка 36 - player.pause ():

public class Music extends Service {
private MediaPlayer player;

@Override
public IBinder onBind(Intent intent) {
    return null;
}
public void onCreate() {
    player = MediaPlayer.create(this, R.raw.music);
    player.setLooping(true);
    LocalBroadcastManager.getInstance(this).registerReceiver(StateReceiver, new IntentFilter("status"));

}
private final BroadcastReceiver StateReceiver = new BroadcastReceiver() {
    @Override
    public void onReceive(Context context, Intent intent) {
        String status = intent.getStringExtra("status");
        if (parseInt(String.valueOf(status)) == 0) {
            player.pause();
        } else if (parseInt(String.valueOf(status)) == 1) {
            if (player != null)
                player.start();
            else {
                player = MediaPlayer.create(Music.this, R.raw.music);
                player.setLooping(true);
                player.start();
            }
        } else if(player != null){
            player.stop();
            player.release();
        }

    }
};
public int onStartCommand(Intent intent, int flags, int startId) {
    player.start();
    return Service.START_NOT_STICKY;
}
public void onDestroy() {
    player.stop();
    player.release();
    LocalBroadcastManager.getInstance(this).unregisterReceiver(StateReceiver);
    stopSelf();
    super.onDestroy();

}

1 Ответ

0 голосов
/ 02 июля 2018

Чтобы избежать ошибок такого типа, вы можете создать служебный класс, который действует как безопасная оболочка для методов MediaPlayer, которые иногда выдают непредвиденные исключения и вызывают сбой вашего приложения.

Я использовал код в классе под названием MediaPlayerUtils, как в примере ниже, чтобы избежать такого поведения и добавить дополнительный уровень безопасности для моих приложений:

public static void pause(MediaPlayer mediaPlayer) {
    if (mediaPlayer != null) {
        try {
            if (mediaPlayer.isPlaying()) {
                mediaPlayer.pause();
            }
        } catch (Exception e) {
            Log.w(MediaPlayerUtil.class.getName(),
                    String.format("Failed to stop media player: %s", e));
        }
    }
}

Затем вы должны использовать вместо:

player.pause(); // not safe

этот код:

MediaPlayerUtils.pause(player);  // safe

Вы можете добавить аналогичные методы для for MediaPlayer.stop(), например, например:;

public static void stop(MediaPlayer mediaPlayer) {
    if (mediaPlayer != null) {
        try {
            if (mediaPlayer.isPlaying()) {
                mediaPlayer.stop();
            }
            resetRelease(mediaPlayer);
        } catch (Exception e) {
            Log.e(MediaPlayerUtil.class.getName(),
                    String.format("Failed to stop media player: %s", e));
        }
    }
}
...