studio sonido reproductor reproducir pulsar para musica mediaplayer manejo fuente fondo crear codigo boton audios android video android-listview android-mediaplayer mp4

android - sonido - ¿Cómo reproducir videos múltiples en una vista de lista usando MediaPlayer?



reproducir sonido al pulsar boton android (5)

Estoy tratando de implementar la vista de lista con videos como sus elementos. Estoy usando este proyecto para mostrar video en la vista de textura. Utiliza MediaPlayer debajo. Falla (la mayoría de las veces) al cargar dos videos al mismo tiempo.

El error que recibo es:

TextureVideoView error. File or network related operation errors. MediaPlayer: error (1, -2147479551)

y esto también ocurre cuando el archivo se carga desde el disco

En la parte de manejo de errores intenté restablecer la URL. Entonces, la mayoría de las veces

E/BufferQueueProducer: [unnamed-30578-12] disconnect(P): connected to another API (cur=0 req=3)

error. Lo que no tengo claro es que la configuración de algunos videos arbitrarios desde la web funcionará, pero volver a intentar la misma URL fallará.

Entonces en OnErrorListener:

textureView.setVideo(item.getUriMp4(),MediaFensterPlayerController.DEFAULT_VIDEO_START);

fallará pero:

textureView.setVideo("http://different.video" ... )

funcionará muy bien.

Esto tampoco es un problema con un archivo específico, ya que al desplazarse por diferentes archivos de video, fallará. A veces, aquellos que fallaron funcionarán la próxima vez, etc.

También probé la combinación MediaCodec y MediaExtractor lugar del enfoque de MediaPlayer , pero me encontré con, lo que parece, una falla de plataforma específica del dispositivo

alguna indirecta? ¿alguna sugerencia?

Gracias

w.


Agregue todas sus rutas de video en una matriz o ArrayList e implemente mediaplayer.setOnMediaPlayerCompletionListener, cuando se reproduzcan los medios, se llamará a esta interfaz desde aquí inicialice la nueva instancia de Media Player que proporciona los nuevos medios y llame a start ()

Solo te digo la lógica, espero que esto funcione



Puede probar esto en lugar de una biblioteca. Está tomado de una muestra de Google en github:

Decodifica dos transmisiones de video simultáneamente a dos TextureViews.

Una característica clave es que los decodificadores de video no se detienen cuando la actividad se reinicia debido a un cambio de orientación. Esto es para simular la reproducción de una transmisión de video en tiempo real. Si la Actividad se está pausando porque está "terminada" (lo que indica que estamos dejando la Actividad por una cantidad de tiempo no trivial), los decodificadores de video se apagan.

TODO: considere apagar cuando la pantalla esté apagada, para preservar la batería.

Java:

DoubleDecodeActivity.java

public class DoubleDecodeActivity extends Activity { private static final String TAG = MainActivity.TAG; private static final int VIDEO_COUNT = 2; //How many videos to play simultaneously. // Must be static storage so they''ll survive Activity restart. private static boolean sVideoRunning = false; private static VideoBlob[] sBlob = new VideoBlob[VIDEO_COUNT]; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_double_decode); if (!sVideoRunning) { sBlob[0] = new VideoBlob((TextureView) findViewById(R.id.double1_texture_view), ContentManager.MOVIE_SLIDERS, 0); sBlob[1] = new VideoBlob((TextureView) findViewById(R.id.double2_texture_view), ContentManager.MOVIE_EIGHT_RECTS, 1); sVideoRunning = true; } else { sBlob[0].recreateView((TextureView) findViewById(R.id.double1_texture_view)); sBlob[1].recreateView((TextureView) findViewById(R.id.double2_texture_view)); } } @Override protected void onPause() { super.onPause(); boolean finishing = isFinishing(); Log.d(TAG, "isFinishing: " + finishing); for (int i = 0; i < VIDEO_COUNT; i++) { if (finishing) { sBlob[i].stopPlayback(); sBlob[i] = null; } } sVideoRunning = !finishing; Log.d(TAG, "onPause complete"); } /** * Video playback blob. * <p> * Encapsulates the video decoder and playback surface. * <p> * We want to avoid tearing down and recreating the video decoder on orientation changes, * because it can be expensive to do so. That means keeping the decoder''s output Surface * around, which means keeping the SurfaceTexture around. * <p> * It''s possible that the orientation change will cause the UI thread''s EGL context to be * torn down and recreated (the app framework docs don''t seem to make any guarantees here), * so we need to detach the SurfaceTexture from EGL on destroy, and reattach it when * the new SurfaceTexture becomes available. Happily, TextureView does this for us. */ private static class VideoBlob implements TextureView.SurfaceTextureListener { private final String LTAG; private TextureView mTextureView; private int mMovieTag; private SurfaceTexture mSavedSurfaceTexture; private PlayMovieThread mPlayThread; private SpeedControlCallback mCallback; /** * Constructs the VideoBlob. * * @param view The TextureView object we want to draw into. * @param movieTag Which movie to play. * @param ordinal The blob''s ordinal (only used for log messages). */ public VideoBlob(TextureView view, int movieTag, int ordinal) { LTAG = TAG + ordinal; Log.d(LTAG, "VideoBlob: tag=" + movieTag + " view=" + view); mMovieTag = movieTag; mCallback = new SpeedControlCallback(); recreateView(view); } /** * Performs partial construction. The VideoBlob is already created, but the Activity * was recreated, so we need to update our view. */ public void recreateView(TextureView view) { Log.d(LTAG, "recreateView: " + view); mTextureView = view; mTextureView.setSurfaceTextureListener(this); if (mSavedSurfaceTexture != null) { Log.d(LTAG, "using saved st=" + mSavedSurfaceTexture); view.setSurfaceTexture(mSavedSurfaceTexture); } } /** * Stop playback and shut everything down. */ public void stopPlayback() { Log.d(LTAG, "stopPlayback"); mPlayThread.requestStop(); // TODO: wait for the playback thread to stop so we don''t kill the Surface // before the video stops // We don''t need this any more, so null it out. This also serves as a signal // to let onSurfaceTextureDestroyed() know that it can tell TextureView to // free the SurfaceTexture. mSavedSurfaceTexture = null; } @Override public void onSurfaceTextureAvailable(SurfaceTexture st, int width, int height) { Log.d(LTAG, "onSurfaceTextureAvailable size=" + width + "x" + height + ", st=" + st); // If this is our first time though, we''re going to use the SurfaceTexture that // the TextureView provided. If not, we''re going to replace the current one with // the original. if (mSavedSurfaceTexture == null) { mSavedSurfaceTexture = st; File sliders = ContentManager.getInstance().getPath(mMovieTag); mPlayThread = new PlayMovieThread(sliders, new Surface(st), mCallback); } else { // Can''t do it here in Android <= 4.4. The TextureView doesn''t add a // listener on the new SurfaceTexture, so it never sees any updates. // Needs to happen from activity onCreate() -- see recreateView(). //Log.d(LTAG, "using saved st=" + mSavedSurfaceTexture); //mTextureView.setSurfaceTexture(mSavedSurfaceTexture); } } @Override public void onSurfaceTextureSizeChanged(SurfaceTexture st, int width, int height) { Log.d(LTAG, "onSurfaceTextureSizeChanged size=" + width + "x" + height + ", st=" + st); } @Override public boolean onSurfaceTextureDestroyed(SurfaceTexture st) { Log.d(LTAG, "onSurfaceTextureDestroyed st=" + st); // The SurfaceTexture is already detached from the EGL context at this point, so // we don''t need to do that. // // The saved SurfaceTexture will be null if we''re shutting down, so we want to // return "true" in that case (indicating that TextureView can release the ST). return (mSavedSurfaceTexture == null); } @Override public void onSurfaceTextureUpdated(SurfaceTexture st) { //Log.d(TAG, "onSurfaceTextureUpdated st=" + st); } } /** * Thread object that plays a movie from a file to a surface. * <p> * Currently loops until told to stop. */ private static class PlayMovieThread extends Thread { private final File mFile; private final Surface mSurface; private final SpeedControlCallback mCallback; private MoviePlayer mMoviePlayer; /** * Creates thread and starts execution. * <p> * The object takes ownership of the Surface, and will access it from the new thread. * When playback completes, the Surface will be released. */ public PlayMovieThread(File file, Surface surface, SpeedControlCallback callback) { mFile = file; mSurface = surface; mCallback = callback; start(); } /** * Asks MoviePlayer to halt playback. Returns without waiting for playback to halt. * <p> * Call from UI thread. */ public void requestStop() { mMoviePlayer.requestStop(); } @Override public void run() { try { mMoviePlayer = new MoviePlayer(mFile, mSurface, mCallback); mMoviePlayer.setLoopMode(true); mMoviePlayer.play(); } catch (IOException ioe) { Log.e(TAG, "movie playback failed", ioe); } finally { mSurface.release(); Log.d(TAG, "PlayMovieThread stopping"); } } } }

XML:

activity_double_decode.xml

<?xml version="1.0" encoding="utf-8"?> <!-- portrait layout --> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="fill_parent" android:layout_height="fill_parent" android:baselineAligned="false" android:orientation="vertical" > <LinearLayout android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="horizontal" android:layout_weight="1" android:layout_marginBottom="8dp" > <TextureView android:id="@+id/double1_texture_view" android:layout_width="wrap_content" android:layout_height="wrap_content" /> </LinearLayout> <LinearLayout android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="horizontal" android:layout_weight="1" > <TextureView android:id="@+id/double2_texture_view" android:layout_width="wrap_content" android:layout_height="wrap_content" /> </LinearLayout> </LinearLayout>


Solución actual: recomiendo JavaCV / OpenCV para reproducir múltiples videos a la vez en Java. Es compatible con muchos formatos.

Tutorial - http://ganeshtiwaridotcomdotnp.blogspot.co.nz/search/label/OpenCV-JavaCV

JavaFX también puede reproducir algunos formatos de video .MP4.

Solución anterior: aunque JMF puede reproducir varios videos a la vez, está desactualizado y ya no se mantiene.