创建具有以下功能的HTML代码网页中添加音/视频标签; (2)可以控制视频的暂停和播放; (3)点击播放之后按钮变为暂停,点击暂停按钮变成播放; (4)在播放的时候能够显示当前播放时间和总时间; (5)拖动进度条可以快进和快退。
时间: 2024-01-18 12:02:28 浏览: 75
好的,以下是一个简单的HTML代码示例,实现了您所需的功能:
```html
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>视频播放器</title>
<style>
/* 样式 */
video {
width: 100%;
}
#play-button {
font-size: 16px;
padding: 5px 10px;
border: none;
background-color: #ccc;
cursor: pointer;
}
#progress-bar {
display: block;
width: 100%;
height: 10px;
margin: 10px 0;
}
#progress-bar::-webkit-slider-thumb {
-webkit-appearance: none;
appearance: none;
width: 10px;
height: 10px;
background-color: #000;
border-radius: 50%;
cursor: pointer;
}
</style>
</head>
<body>
<video src="video.mp4" controls></video>
<button id="play-button">播放</button>
<span id="current-time">0:00</span> / <span id="total-time">0:00</span>
<input type="range" id="progress-bar" min="0" max="100" value="0">
<script>
// JavaScript代码
var video = document.querySelector('video');
var playButton = document.querySelector('#play-button');
var currentTime = document.querySelector('#current-time');
var totalTime = document.querySelector('#total-time');
var progressBar = document.querySelector('#progress-bar');
playButton.addEventListener('click', function() {
if (video.paused) {
video.play();
playButton.textContent = '暂停';
} else {
video.pause();
playButton.textContent = '播放';
}
});
video.addEventListener('timeupdate', function() {
currentTime.textContent = formatTime(video.currentTime);
totalTime.textContent = formatTime(video.duration);
progressBar.value = (video.currentTime / video.duration) * 100;
});
progressBar.addEventListener('input', function() {
video.currentTime = video.duration * (progressBar.value / 100);
});
function formatTime(time) {
var minutes = Math.floor(time / 60);
var seconds = Math.floor(time % 60);
return minutes + ':' + (seconds < 10 ? '0' : '') + seconds;
}
</script>
</body>
</html>
```
以上代码中,我们首先使用`<video>`标签添加了一个视频,并且使用`controls`属性来自动创建控制面板。
然后,我们使用`<button>`标签创建了一个播放/暂停按钮,并且使用JavaScript代码来控制其功能。
我们还使用`<span>`标签来显示当前时间和总时间,并且使用`<input>`标签来创建进度条,通过JavaScript代码实现拖动进度条可以快进和快退的效果。
最后,我们还添加了一些CSS样式来美化页面。
阅读全文