通过单击控件切换html5 onClick

Dav*_*d B 5 javascript html5-video

我在视频元素中添加了一个事件监听器,以便用户可以通过单击元素上的任意位置来播放或暂停视频.我注意到即使我点击视频控件(例如更改音量滑块),事件也会触发,这显然不是我的意图.

这有一个相对简单的解决方法吗?

Jes*_*Arr 5

您可以使用接受事件参数的函数来处理视频元素的 onclick 事件。该事件参数将填充有关鼠标单击的大量数据,包括其在图层中的 X/Y 位置(应该是视频标签)

仅当点击视频的某些区域时,您才能从那里触发播放/暂停事件。我在下面提供了一个示例,其中我们处理视频中除底部 50 像素之外的所有位置的点击。

document.getElementById("videoElement").onclick = function(ev){
    var vid = document.getElementById("videoElement");
    var heightOfControls = 50; 
// You'll have to figure out a good height to use for your unclickable region where the controls are.
// I used 50 pixels as an example.
    var areaAboveControls = vid.height - heightOfControls;

// the layerY attribute of the event lets us know where the mouse was within the topmost layer when the click occurred.
// Using this we can find out where we are in the video and react accordingly.
// Remember that 0 is at the top of the screen on the Y axis, so we need to use greater than to find out if it's BELOW
// our area above the controls.
    if(ev.layerY > areaAboveControls)
    {
        alert("Clicked controls!");
    }
    else
    {
        alert("Did not click controls");
        // Raise play/pause event from here since the controls won't handle the event and we can safely toggle play/pause.
    }
};
Run Code Online (Sandbox Code Playgroud)

通过一些实验,您应该能够找到 heightOfControls 的一个很好的值,它可以为您提供所需的行为。

小提琴: http: //jsfiddle.net/hTYck/4/

希望这可以帮助!

  • 对于对此修复感兴趣的其他人,将 heightOfControls 设置为 35 似乎对于标准 html5 视频控件来说是最准确的。 (4认同)