Home > Mobile >  How to play 2 videos one after the other in ReactJS?
How to play 2 videos one after the other in ReactJS?

Time:05-31

I want to play intro video just once followed by another video which loops. I have this code to detect when first video ends but how do i load the second video and set it to play in loop?

const vidIndex = 0;
const videos = [videoIntro, videoLoop];
return (
    <div className="main">
        <video src = {videos[vidIndex]} autoPlay muted onEnded={() => vidIndex  } />
    </div>
);

Thanks.

CodePudding user response:

You can simply use a useState to track the video index. CodeSandbox

import { useEffect, useState, useRef } from "react";

const videoIntro = "https://www.w3schools.com/tags/movie.mp4";
const videoLoop =
  "https://interactive-examples.mdn.mozilla.net/media/cc0-videos/flower.mp4";

function App() {
  const [vidIndex, setVidIndex] = useState(0);
  const ref = useRef(null);
  useEffect(() => {
    if (vidIndex === 0 && ref.current) {
      ref.current.play();
    }
  }, [ref, vidIndex]);
  return (
    <div className="main">
      <video
        style={{ display: vidIndex === 1 ? "none" : "block" }}
        src={videoIntro}
        autoPlay
        muted
        onEnded={() => setVidIndex((idx) => idx   1)}
      />
      <video
        style={{ display: vidIndex === 0 ? "none" : "block" }}
        src={videoLoop}
        muted
        loop
        ref={ref}
      />
    </div>
  );
}
  • Related