Vue2 video播放器封装(支持七项功能)

         自己根据html原生的video播放器,在原有基础上封装了多项功能,包括①录制(含录制计时器)②截图③全屏放大④播放/暂停⑤倍速功能(样式需要自己写,我的样式写在了别的页面)⑥音量调节/静音⑦计算缓冲速度。

        在开始前,需要先执行:

        npm install html2canvas (截图用到的插件) 

        npm install RecordRTC (rtc录制插件)

        代码部分:

<template>
  <div class="container" ref="container">
    <video
      class="htmlVideo"
      ref="videoPlayer"
      :src="source"
      autoplay
      :id="`videos-${index}`"
      @ended="handleVideoEnded"
      @loadedmetadata="onLoadedMetadata"
      crossOrigin="anonymous"
    ></video>
    <div v-show="showOverlay" class="overlay" @click="togglePlay">
      <div class="triangle"></div>
    </div>
    <div
    v-if="recording"
      style="
        position: absolute;
        left: 45%;
        width: 12%;
        height: 5%;
        background-color: #161616;
        display: flex;
        justify-content: center;
        top: 3%;
        pointer-events: none;
      "
    >
      <!-- 录制小红点 -->
      <div
      v-if="recording"
        style="
          width: 10px;
          height: 10px;
          margin-top: 3px;
          background-color: red;
          border-radius: 50%;
        "
      ></div>
      <!-- 计时器 -->
      <div
      v-if="recording"
        style="color: white; margin-left: 5px; font-size: 10px; margin-top: 3px;"
      >
        {{ recordingTimeReader }}
      </div>
      <img
      v-if="recording"
        :src="stopIcon"
        alt="start Icon"
        style="margin-left: 7px;"
      />
    </div>
    <canvas
      style="display: none; width: 200px; height: 200px"
      id="myCanvas"
    ></canvas>
    <div class="console">
      <div class="loadingSpeed">{{ loadingSpeed }}</div>
      <div class="right-controls">
        <div class="volume-control" @mouseenter="showSlider = true" @mouseleave="showSlider = false">
          <img
            class="resized-img"
            :src="isMuted ? closeIcon : upIcon"
            alt="Play/Pause Icon"
            @click="toggleMute"
          />
          <div class="slider-container" v-show="showSlider">
            <input type="range" min="0" max="100" v-model="volume" @input="updateVolume" class="volume-slider" />
          </div>
          <div class="volume-display">{{ volume }}</div>
        </div>
        <!-- 截图按钮 -->
        <div class="screenShot">
          <img
            class="resized-img"
            src="@/assets/png/screenShot.png"
            alt="Icon"
            @click="screenShot"
          />
        </div>
        <!-- 录制视频 -->
        <div class="downloadLink">
          <img
          class="resized-img"
            :src="recording ? stopIcon : startIcon"
            alt="start/stop Icon"
            @click="toggleRecording"
          />
        </div>
        <!-- 播放/暂停 -->
        <div class="playPause">
          <img
            class="resized-img"
            :src="isPlaying ? pauseIcon : playIcon"
            alt="Play/Pause Icon"
            @click="togglePlay"
          />
        </div>
        <!-- 全屏播放 -->
        <div class="custom-controls">
          <img
            class="resized-img"
            src="@/assets/png/toggleFullscreen.png"
            alt="Icon"
            @click="toggleFullscreen"
          />
        </div>
        <!-- 关闭播放器 -->
        <div class="custom-controls">
          <img class="resized-img" src="@/assets/png/videoOut.png" alt="Icon" @click="videoOut" />
        </div>
      </div>
    </div>
  </div>
</template>

<script>
import html2canvas from "html2canvas";
import RecordRTC from "recordrtc";
var playButton = document.querySelector(".custom-controls button");
var seekRange = document.getElementById("seekRange");
var currentTimeDisplay = document.getElementById("currentTime");
var durationDisplay = document.getElementById("duration");
export default {
  props: {
    source: {
      type: String,
      default: "https://media.w3.org/2010/05/sintel/trailer.mp4",
      required: true,
    },
    videoObj: {
      type: Array,
    },
    selectIndex: {
      type: Number,
      default: 0,
    },
    playArray: {
      type: Array,
    },
    index: {
      type: Number,
      default: 0,
    },
  },
  data() {
    return {
      showOverlay: false,
      playIcon: require("@/assets/png/play.png"),
      pauseIcon: require("@/assets/png/pause.png"),
      startIcon: require("@/assets/png/start.png"),
      stopIcon: require("@/assets/png/stop.png"),
      upIcon: require("@/assets/png/upMusic.png"),
      closeIcon: require("@/assets/png/closeMusic.png"),
      isPlaying: true,
      videoElement: null,
      videoUrl: "",
      loadingSpeed: null,
      isMuted: false,
      volume: 100,
      showSlider: false,
      speed: "1",
      duration: 0,
      timerId: null,
      currentTime: 0,
      isRecording: false,
      recordedChunks: [],
      recording: false,
      recordingTime: 0,
      recordingTimeReader: "00:00:00",
      recorder: null,
    };
  },
  mounted() {
    const video = this.$refs.videoPlayer;
    this.videoElement = this.$refs.videoPlayer;
    video.addEventListener("progress", this.updateLoadingSpeed);
  },
  beforeDestroy() {
    const video = this.$refs.videoPlayer;
    video.removeEventListener("progress", this.updateLoadingSpeed);
  },
  beforeUnmount() {
    clearInterval(this.timerId);
  },
  methods: {
    // 录制
    toggleRecording() {
      if (this.recording) {
        // 结束录制
        this.recording = false;
        clearInterval(this.timer);
        this.recorder.stopRecording(() => {
          const blob = this.recorder.getBlob();
          const url = URL.createObjectURL(blob);
          // 获取下载地址
          this.videoUrl = url;
          // 创建隐藏的 <a> 标签
          const link = document.createElement("a");
          link.style.display = "none";
          link.href = this.videoUrl;
          link.download = "录屏.webm";
          // 将 <a> 标签添加到 DOM 中
          document.body.appendChild(link);
          // 触发点击事件
          link.click();
          // 删除 <a> 标签
          document.body.removeChild(link);
        });
      } else {
        // 开始录制
        this.startRecording();
      }
    },
    // 开始录制
    startRecording() {
      this.recording = true;
      this.recordingTime = 0;
      this.videoUrl = "";
      // 获取视频元素
      const videoElement = document.getElementById(`videos-${this.index}`);
      // 使用 RecordRTC 创建录制器
      const stream = videoElement.captureStream();
      this.recorder = RecordRTC(stream, {
        type: "video",
      });
      this.recorder.startRecording();
      // 更新录制时长
      this.timer = setInterval(() => {
        this.recordingTime++;
        this.recordingTimeReader = this.formatTime(this.recordingTime);
      }, 1000);
    },
    // 录制专用的时间计时器
    formatTime(time) {
      const hours = Math.floor(time / 3600);
      const minutes = Math.floor((time % 3600) / 60);
      const seconds = Math.floor(time % 60);

      const formattedHours = this.padZero(hours);
      const formattedMinutes = this.padZero(minutes);
      const formattedSeconds = this.padZero(seconds);

      return `${formattedHours}:${formattedMinutes}:${formattedSeconds}`;
    },
    padZero(num) {
      return num.toString().padStart(2, "0");
    },
    // 录制意外中断(视频到头,拖动时间轴,自选时间等)
    recordingStop() {
      this.recording = false
      this.recordingTimeReader = "00:00:00"
    },
    // 截图
    screenShot() {
      let video = document.getElementById(`videos-${this.index}`);
      // let canvas = document.getElementById("myCanvas");
      html2canvas(video, {
        allowTaint: true,
        useCORS: true,
      }).then((canvas) => {
        // base64
        const capture = canvas.toDataURL("image/png");
        const saveInfo = {
          download: "截屏" + ".png",
          href: capture,
        };
        const element = document.createElement("a");
        element.style.display = "none";
        for (const key in saveInfo) {
          element.setAttribute(key, saveInfo[key]);
        }
        document.body.appendChild(element);
        element.click();
        setTimeout(() => {
          document.body.removeChild(element);
        }, 300);
      });
    },
    // video计时器
    onLoadedMetadata() {
      const videoElement = this.$refs.videoPlayer;
      this.duration = Math.floor(videoElement.duration * 1000);

      // 使用定时器每秒更新当前播放时间
      this.timerId = setInterval(() => {
        this.currentTime = Math.floor(videoElement.currentTime);
        this.$emit("timeUpdate", this.index, this.currentTime);
      }, 1000);
    },
    // 视频播放结束
    handleVideoEnded() {
      console.log("timeUpdateList", this.playArray);
      this.$emit("timeUpdateList", this.playArray[this.selectIndex]);
      this.recordingStop()
    },
    // 视频播放倍速
    changePlaybackRate(date) {
      if (date == "x2") {
        this.speed = "2";
      } else if (date == "x4") {
        this.speed = "4";
      } else if (date == "x8") {
        this.speed = "8";
      }
      const videoElement = this.$refs.videoPlayer;
      videoElement.playbackRate = parseFloat(this.speed);
    },
    // 设置移动时间轴起播事件
    initVideoPlayer(currentTime) {
      // alert(currentTime)
      console.log(currentTime);
      const video = this.$refs.videoPlayer;
      video.addEventListener("loadedmetadata", () => {
        video.currentTime = currentTime;
        // 开始播放视频
        video.play();
      });
    },
    // 播放/暂停
    togglePlay() {
      if (this.isPlaying) {
        this.videoElement.pause();
        this.showOverlay = true;
      } else {
        this.videoElement.play();
        this.showOverlay = false;
      }
      this.isPlaying = !this.isPlaying;
    },
    PlayIcon() {
      if (this.isPlaying) {
        this.videoElement.pause();
        this.showOverlay = true;
      }
      this.isPlaying = !this.isPlaying;
    },
    pause() {
      if (!this.isPlaying) {
        this.videoElement.play();
        this.showOverlay = false;
      }
      this.isPlaying = !this.isPlaying;
    },
    // 全屏
    toggleFullscreen() {
      const video = document.getElementById(`videos-${this.index}`);

      if (video.requestFullscreen) {
        video.requestFullscreen();
      } else if (video.mozRequestFullScreen) {
        video.mozRequestFullScreen();
      } else if (video.webkitRequestFullscreen) {
        video.webkitRequestFullscreen();
      } else if (video.msRequestFullscreen) {
        video.msRequestFullscreen();
      }
    },
    // 静音非静音
    toggleMute() {
      if (this.isMuted) {
        this.isMuted = false;
      } else {
        this.isMuted = true;
      }
    },
    // 音量调节
    updateVolume() {
      if (!this.isMuted) {
        // 更新video标签的音量
        this.$refs.videoPlayer.volume = this.volume / 100;
      }
    },
    // 退出播放
    videoOut() {
      console.log(this.videoObj);
      console.log(this.selectIndex);
      const index = this.selectIndex;
      this.$set(this.videoObj, index, {
        ...this.videoObj[index],
        playUrl: "",
        index,
        rate: 1,
        playS: 0,
        data: [],
        channelId: "",
        deviceId: "",
        streamId: "",
      });
      this.$emit("videoObj", this.videoObj);
    },
    // 计算缓冲速度
    updateLoadingSpeed() {
      const video = document.getElementById(`videos-${this.index}`);
      const progressEvent = video.buffered.end(0); // 获取已缓冲的时间范围结束点

      if (progressEvent > 0) {
        const duration = video.duration; // 获取音频总时长
        const loadedPercentage = (progressEvent / duration) * 100; // 计算已缓冲的百分比
        const loadingSpeed =
          Math.round((progressEvent / video.currentTime) * 1000) / 1000; // 计算加载速度(已缓冲时段的大小除以当前播放位置的时间)
        // 如果加载速率趋于无穷,则显示为0kb
        if (loadingSpeed * 8 > 1000000) {
          this.loadingSpeed = `0 KB/S`;
        } else {
          this.loadingSpeed = `${(loadingSpeed * 8).toFixed(2)} KB/S`;
        }
      }
    },
    clearLoadingSpeed() {
      this.loadingSpeed = null;
    },
  },
};
</script>

<style scoped lang="scss">
.container {
  width: 100%;
  height: 100%;
  background-color: #000;
  padding-bottom: 46.25%;
  position: relative;
  display: flex;
  flex-direction: column;

  .htmlVideo {
    width: 100%;
    /* 视频元素宽度设置为100%以填充容器 */
    height: 91%;
    /* 视频元素高度设置为100%以填充容器 */
    position: absolute;
    /* 设置绝对定位,使其覆盖容器 */
    top: 0;
    left: 0;
    object-fit: fill;
  }
}

.console {
  bottom: -7px;
  height: 11%;
  width: 100%;
  position: absolute;
  // justify-content: center;
  /* 垂直居中 */
  display: flex;
  // flex-direction: column;
  background-color: #161616;

  .loadingSpeed {
    justify-content: center;
    /* 垂直居中 */
    font-size: 14px;
    margin-left: -3%;
    width: 20%;
    display: flex;
    margin-top: 10px;
  }

  .right-controls {
    position: absolute;
    right: 0;
    display: flex;
    margin-top: 10px;
  }

  .volume-control {
    position: relative;
    display: inline-block;
    margin-left: 20px;
  }

  .volume-icon {
    background: transparent;
    border: none;
    font-size: 24px;
    cursor: pointer;
    outline: none;
  }

  .slider-container {
    // position: absolute;
    top: 50%;
    left: -10px;
    // transform: rotate(90deg) translateY(-50%);
    width: 100px;
    height: 150px;
    background-color: #f1f1f1;
    border-radius: 10px;
    z-index: 9999;
    opacity: 0;
    transition: opacity 0.2s ease;
  }

  .volume-slider {
    position: absolute;
    top: 5px;
    left: 50%;
    transform: translateX(-50%);
    width: 80%;
  }

  .volume-display {
    position: absolute;
    top: 50%;
    left: 45px;
    transform: translateY(-50%);
    color: #000;
    font-size: 12px;
  }

  .volume-control:hover .slider-container {
    opacity: 1;
  }

  .screenShot {
    width: 80%;
    margin-right: 14px;
  }

  .downloadLink {
    width: 80%;
    margin-right: 10px;
  }

  .playPause {
    margin-top: 1px;
    width: 80%;
    margin-right: 10px;
  }

  .custom-controls {
    width: 80%;
    margin-right: 10px;
  }

  .volume-control {
    width: 80%;
    margin-right: 10px;
    // margin-top: -4px;
  }
}
.resized-img {
  transform: scale(0.8);
}
.overlay {
  position: absolute;
  top: 0;
  left: 0;
  width: 100%;
  height: 100%;
  background-color: rgba(0, 0, 0, 0.5);
  display: flex;
  align-items: center;
  justify-content: center;
  z-index: 1;
}
.triangle {
  width: 0;
  height: 0;
  border-left: 30px solid transparent;
  border-right: 30px solid transparent;
  border-bottom: 48px solid white;
  transform: rotate(90deg);
}

.play-button {
  position: absolute;
  top: 10px;
  left: 10px;
}
</style>

  页面引入示例:

<template>
  <div>
    <div class="videoPlayer">
      <videoPlayer
          class="video"
          :source="videoUrl"
        >
        </videoPlayer>
    </div>
  </div>
</template>

<script>
import videoPlayer from "@/components/htmlVideoPlayer/index.vue";
export default {
  components: {
    videoPlayer
  },
  data() {
    return {
      videoUrl: "https://media.w3.org/2010/05/sintel/trailer.mp4", // 流地址
    };
  },
}
</script>

Vue Video Player 是一个基于 Vue视频播放器插件,它提供了一种方便的方式来在 Vue 项目中嵌入和控制视频播放。下面是一个简单的封装示例: 首先,安装 vue-video-player 插件: ``` npm install vue-video-player ``` 然后,在你的 Vue 组件中引入并使用 vue-video-player: ```vue <template> <div> <video-player ref="videoPlayer" :options="playerOptions" @ready="onPlayerReady"></video-player> </div> </template> <script> import { videoPlayer } from 'vue-video-player' import 'video.js/dist/video-js.css' export default { name: 'MyVideoPlayer', components: { videoPlayer }, data() { return { playerOptions: { autoplay: true, controls: true, sources: [{ src: 'path/to/your/video.mp4', type: 'video/mp4' }] } } }, methods: { onPlayerReady(player) { console.log('Video player is ready', player) // 可以在这里对视频播放器进行进一步的操作,例如设置播放器的样式、添加事件监听器等 } } } </script> ``` 上面的示例中,我们首先在模板中使用 `video-player` 组件,并通过 `options` 属性传递视频播放器的配置参数。在 `data` 中我们定义了播放器的选项,例如自动播放、显示控制条和视频源等。当播放器准备好后,会触发 `ready` 事件,我们可以通过该事件来获取播放器实例并进行进一步的操作。 这只是一个简单的封装示例,你可以根据具体的需求进行进一步的定制和扩展。希望能对你有所帮助!如果有更多问题,请继续提问。
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值