Javascript功能播放和暂停视频

时间:2019-03-15 16:23:09

标签: javascript html5-video

我正在尝试通过可点击的播放按钮在某些点上开始和暂停html5视频,其中包括开始时间和结束时间:

function videostart(id,start,end){

  var video = document.getElementsByTagName("video")[0];
  video.currentTime = start;
  video.play();

  video.addEventListener("timeupdate", function() {
  if (video.currentTime >= end) {
  video.pause();
  }}, false);

};

第一个通话正常,从0开始播放,并在2:24结束。

<a href="#" onclick="videostart('1759',0.00,2.24); return false;">PLAY</a>

但是,第二个呼叫开始播放,然后立即停止:

<a href="#" onclick="videostart('1760',2.25,7.24); return false;">PLAY</a>

如果我先单击第一个链接,它可以正常工作,并且播放0到2.24。

如果我单击第二个链接“第一”,它会正常播放并且也会停止播放。

但是,如果我先单击第一个链接,然后单击第二个链接,它将开始播放,然后立即退出。

那时候我可以回去播放第一个链接,次数不限。

1 个答案:

答案 0 :(得分:1)

.addEventListener().removeEventListener()

首先避免使用onevent属性处理程序:

  

您需要删除timeupdate事件处理程序,因为它将不断更新初始end的值。这意味着需要.addEventListener().removeEventListener()

演示

详细信息在演示中被评论

/*
Register the document to the click event
When it's clicked, call function videoStart()
*/
document.addEventListener('click', videoStart);
// Declare variable
var END;
// Define function videoStart() -- pass Event Object
function videoStart(event) {
  // Reference the clicked button
  var button = event.target;
  // Get data-start value of clicked button
  var start = button.dataset.start;
  // Get data-end value of clicked button
  var end = button.dataset.end;
  // Assign value of end to END
  END = end;
  // Reference the video tag
  var video = document.querySelector("video");
  // Set time to start value
  video.currentTime = start;
  // Play video
  video.play();
  /* 
  Register video tag to timeupdate event 
  videoEnd() is the callback function
  */
  video.addEventListener("timeupdate", videoEnd);
};

// Define function videoEnd() -- pass the Event Object
function videoEnd(event) {
  // Reference the video tag
  var video = document.querySelector("video");
  /*
  if the current time is greater than or equal to END...
  pause video and remove the eventListener() so the next
  eventListener can be established according to new END
  argument.
  */
  if (video.currentTime >= END) {
    video.pause();
    video.removeEventListener("timeupdate", videoEnd);
  }
}
<video src='https://html5demos.com/assets/dizzy.mp4' width='320'></video>
<button data-start='0' data-end='3'>0 - 3</button>

<button data-start='3' data-end='5'>3 - 5</button>