自定义音频播放样式结合Howler.js

滑动式滚动条

请添加图片描述

不使用audio默认样式  自定义音频播放样式
当前时间 开始时间 结束时间 可播放可暂停 滚动条可拖动进行同步
具体样式可调整
npm install howler --save
<template><div class="audio-player"><div v-if="isLoading" class="loading-message">音频加载中...</div><div v-else><div class="audio-time-info"><span>开始时间: {{ formatDuration(startTime) }}</span><span>当前时间: {{ formatDuration(currentTime) }}</span><span>结束时间: {{ formatDuration(endTime) }}</span></div><div class="progress-container"><inputtype="range"class="progress-bar":min="0":max="duration"v-model.number="currentTime"@input="onSeek"/><div class="progress-fill" :style="{ width: progressWidth }"></div></div><div class="control-buttons"><button @click="togglePlayPause">{{ playPauseButtonText }}</button></div></div></div>
</template>
<script lang="ts">
import {defineComponent,ref,onMounted,onBeforeUnmount,watch,computed
} from 'vue';
import { Howl, Howler } from 'howler';
function formatDuration(seconds: number): string {const hours = Math.floor(seconds / 3600);const minutes = Math.floor((seconds % 3600) / 60);const secs = Math.floor(seconds % 60);if (hours > 0) {return `${hours}:${minutes.toString().padStart(2, '0')}:${secs.toString().padStart(2, '0')}`;} else {return `${minutes}:${secs.toString().padStart(2, '0')}`;}
}
export default defineComponent({setup() {const audioSrc = ref('../20250109.wav'); // 请替换为实际的音频文件路径const sound = ref<Howl | null>(null);const currentTime = ref(0);const duration = ref(0);const startTime = ref(0);const endTime = ref(0);const playing = ref(false);const isLoading = ref(true);let requestId: number | null = null;const initAudio = () => {isLoading.value = true;sound.value = new Howl({src: [audioSrc.value],onload: () => {duration.value = sound.value!.duration();endTime.value = sound.value!.duration();isLoading.value = false;},onplay: () => {playing.value = true;startTime.value = sound.value!.seek();startUpdatingTime();},onpause: () => {playing.value = false;stopUpdatingTime();},onend: () => {playing.value = false;startTime.value = 0;currentTime.value = 0;stopUpdatingTime();}});};const togglePlayPause = () => {if (sound.value) {if (playing.value) {sound.value.pause();} else {sound.value.play();}}};const onSeek = () => {if (sound.value) {sound.value.seek(currentTime.value);}};const startUpdatingTime = () => {const update = () => {if (sound.value && playing.value) {currentTime.value = sound.value!.seek();requestId = requestAnimationFrame(update);}};requestId = requestAnimationFrame(update);};const stopUpdatingTime = () => {if (requestId) {cancelAnimationFrame(requestId);requestId = null;}};onMounted(() => {initAudio();});onBeforeUnmount(() => {if (sound.value) {sound.value.unload();}});const progressWidth = computed(() => {if (duration.value > 0) {const percentage = (currentTime.value / duration.value) * 100;return `${percentage}%`;}return '0%';});return {sound,currentTime,duration,startTime,endTime,playing,togglePlayPause,onSeek,playPauseButtonText: computed(() => playing.value ? '暂停' : '播放'),formatDuration,isLoading,progressWidth};}
});
</script>
<style scoped>
.audio-player {display: flex;flex-direction: column;align-items: center;padding: 20px;border: 1px solid #ccc;border-radius: 5px;background-color: #f9f9f9;
}.audio-time-info {display: flex;justify-content: space-between;margin-bottom: 10px;width: 100%;
}.audio-time-info span {font-size: 14px;color: #666;
}/* Progress Container */
.progress-container {position: relative;width: 100%;height: 8px; /* 设置一个合适的高度 */background-color: #ddd;border-radius: 4px; /* 圆角边框 */overflow: hidden;cursor: pointer;
}/* Progress Bar (Hidden Input) */
.progress-bar {position: absolute;top: 0;left: 0;width: 100%;height: 100%;-webkit-appearance: none;appearance: none;background: transparent;outline: none;opacity: 0; /* 使输入不可见 */z-index: 2; /* 确保它覆盖在 .progress-fill 上 */cursor: pointer;
}/* Webkit 浏览器的滑块样式 */
.progress-bar::-webkit-slider-thumb {-webkit-appearance: none;appearance: none;width: 10px;height: 10px;border-radius: 50%;background: #4CAF50;cursor: pointer;box-shadow: 0 0 2px rgba(0, 0, 0, 0.5);
}/* Firefox 浏览器的滑块样式 */
.progress-bar::-moz-range-thumb {width: 10px;height: 10px;border-radius: 50%;background: #4CAF50;cursor: pointer;box-shadow: 0 0 2px rgba(0, 0, 0, 0.5);
}/* Progress Fill */
.progress-fill {position: absolute;top: 0;left: 0;height: 100%;background-color: #4CAF50;transition: width 0.2s linear;/* appearance: none; 改变元素默认风格 *//* background-color: #0074fd; */z-index: 1;
}.control-buttons button {width:60px;margin:10px 0 0 0;padding: 8px;border: none;background-color: #4CAF50;color: white;cursor: pointer;border-radius: 5px;transition: background-color 0.3s;
}.control-buttons button:hover {background-color: #45a049;
}.loading-message {color: #999;text-align: center;margin-bottom: 10px;
}
</style>

跳跃式滚动条

请添加图片描述

不使用audio默认样式  自定义音频播放样式
当前时间 开始时间 结束时间 可播放可暂停 滚动条可拖动进行同步
具体样式可调整
npm install howler --save
<template>
<!-- 跳跃式进度 --><div class="audio-player"><div v-if="isLoading" class="loading-message">音频加载中...</div><div v-else><div class="audio-time-info"><span>开始时间: {{ formatDuration(startTime) }}</span><span>结束时间: {{ formatDuration(endTime) }}</span><span>当前时间: {{ formatDuration(currentTime) }}</span></div><inputtype="range"class="progress-bar":min="0":max="duration"v-model.number="currentTime"@input="onSeek"/><div class="control-buttons"><button @click="togglePlayPause">{{ playPauseButtonText }}</button></div></div></div>
</template><script lang="ts">
import {defineComponent,ref,onMounted,onBeforeUnmount,watch,computed,onUnmounted
} from 'vue';
import { Howl, Howler } from 'howler';function formatDuration(seconds: number): string {const hours = Math.floor(seconds / 3600);const minutes = Math.floor((seconds % 3600) / 60);const secs = Math.floor(seconds % 60);if (hours > 0) {return `${hours}:${minutes.toString().padStart(2, '0')}:${secs.toString().padStart(2, '0')}`;} else {return `${minutes}:${secs.toString().padStart(2, '0')}`;}
}export default defineComponent({setup() {const audioSrc = ref('../20250109.wav'); // 请替换为实际的音频文件路径const sound = ref<Howl | null>(null);const currentTime = ref(0);const duration = ref(0);const startTime = ref(0);const endTime = ref(0);const playing = ref(false);const isLoading = ref(true);let requestId: number | null = null;const initAudio = () => {isLoading.value = true;sound.value = new Howl({src: [audioSrc.value],onload: () => {duration.value = sound.value!.duration();endTime.value = sound.value!.duration();isLoading.value = false;},onplay: () => {playing.value = true;startTime.value = sound.value!.seek();startUpdatingTime();},onpause: () => {playing.value = false;stopUpdatingTime();},onend: () => {playing.value = false;startTime.value = 0;currentTime.value = 0;stopUpdatingTime();}});};const togglePlayPause = () => {if (sound.value) {if (playing.value) {sound.value.pause();} else {sound.value.play();}}};const onSeek = () => {if (sound.value) {sound.value.seek(currentTime.value);}};const startUpdatingTime = () => {const update = () => {if (sound.value && playing.value) {currentTime.value = sound.value!.seek();requestId = requestAnimationFrame(update);}};requestId = requestAnimationFrame(update);};const stopUpdatingTime = () => {if (requestId) {cancelAnimationFrame(requestId);requestId = null;}};onMounted(() => {initAudio();});onBeforeUnmount(() => {if (sound.value) {sound.value.unload();}});onUnmounted(() => {stopUpdatingTime();});watch(currentTime, () => {if (sound.value) {sound.value.seek(currentTime.value);}});return {sound,currentTime,duration,startTime,endTime,playing,togglePlayPause,onSeek,playPauseButtonText: computed(() => (playing.value? '暂停' : '播放')),formatDuration,isLoading};}
});
</script><style scoped>
.audio-player {display: flex;flex-direction: column;align-items: center;padding: 20px;border: 1px solid #ccc;border-radius: 5px;background-color: #f9f9f9;
}
.audio-time-info {display: flex;justify-content: space-between;margin-bottom: 10px;width: 100%;
}
.audio-time-info span {font-size: 14px;color: #666;
}
.progress-bar {width: 100%;margin-bottom: 10px;-webkit-appearance: none;appearance: none;height: 5px;background: #ddd;outline: none;opacity: 0.7;-webkit-transition: 0.2s;transition: 0.2s;border-radius: 5px;
}
.progress-bar::-webkit-slider-thumb {-webkit-appearance: none;appearance: none;width: 15px;height: 15px;border-radius: 50%;background: #4CAF50;cursor: pointer;
}
.progress-bar::-moz-range-thumb {width: 15px;height: 15px;border-radius: 50%;background: #4CAF50;cursor: pointer;
}
.control-buttons button {padding: 10px 20px;border: none;background-color: #4CAF50;color: white;cursor: pointer;border-radius: 5px;
}
.loading-message {color: #999;text-align: center;margin-bottom: 10px;
}
</style>

自定义音频播放组件

如需更改可进行更改样式 

请添加图片描述

不使用audio默认样式  自定义音频播放样式
当前时间 开始时间 结束时间 可播放可暂停 滚动条可拖动进行同步
具体样式可调整
npm install howler --save

父组件

<template><div><AudioPlayer :src="'../20250109.wav'" @play="handlePlay" @pause="handlePause" @end="handleEnd" />// src对应你的音频文件</div>
</template><script lang="ts">
import { defineComponent } from 'vue';
import AudioPlayer from './components/pop.vue';export default defineComponent({components: {AudioPlayer},methods: {handlePlay() {console.log('音频开始播放');},handlePause() {console.log('音频暂停');},handleEnd() {console.log('音频播放结束');}}
});
</script>

子组件

components-pop.vue

<template><div class="audio-player"><div v-if="isLoading" class="loading-message">音频加载中...</div><div v-else><div class="audio-time-info"><span>开始时间: {{ formatDuration(startTime) }}</span><span>当前时间: {{ formatDuration(currentTime) }}</span><span>结束时间: {{ formatDuration(endTime) }}</span></div><div class="progress-container"><inputtype="range"class="progress-bar":min="0":max="duration"v-model.number="currentTime"@input="onSeek"/><div class="progress-fill" :style="{ width: progressWidth }"></div></div><div class="control-buttons"><button @click="togglePlayPause">{{ playPauseButtonText }}</button></div></div></div>
</template><script lang="ts">
import { defineComponent, PropType, ref, onMounted, onBeforeUnmount, watch, computed } from 'vue';
import { Howl, Howler } from 'howler';export default defineComponent({name: 'AudioPlayer',props: {src: {type: String as PropType<string>,required: true,},},emits: ['play', 'pause', 'end'],setup(props, { emit }) {const sound = ref<Howl | null>(null);const currentTime = ref(0);const duration = ref(0);const startTime = ref(0);const endTime = ref(0);const playing = ref(false);const isLoading = ref(true);let requestId: number | null = null;const initAudio = () => {isLoading.value = true;sound.value = new Howl({src: [props.src],onload: () => {duration.value = sound.value!.duration();endTime.value = sound.value!.duration();isLoading.value = false;},onplay: () => {playing.value = true;startTime.value = sound.value!.seek();startUpdatingTime();emit('play');},onpause: () => {playing.value = false;stopUpdatingTime();emit('pause');},onend: () => {playing.value = false;startTime.value = 0;currentTime.value = 0;stopUpdatingTime();emit('end');}});};const togglePlayPause = () => {if (sound.value) {if (playing.value) {sound.value.pause();} else {sound.value.play();}}};const onSeek = () => {if (sound.value) {sound.value.seek(currentTime.value);}};const startUpdatingTime = () => {const update = () => {if (sound.value && playing.value) {currentTime.value = sound.value!.seek()!;requestId = requestAnimationFrame(update);}};requestId = requestAnimationFrame(update);};const stopUpdatingTime = () => {if (requestId) {cancelAnimationFrame(requestId);requestId = null;}};onMounted(() => {initAudio();});onBeforeUnmount(() => {if (sound.value) {sound.value.unload();}});const progressWidth = computed(() => {if (duration.value > 0) {const percentage = (currentTime.value / duration.value) * 100;return `${percentage}%`;}return '0%';});const formatDuration = (seconds: number): string => {const hours = Math.floor(seconds / 3600);const minutes = Math.floor((seconds % 3600) / 60);const secs = Math.floor(seconds % 60);if (hours > 0) {return `${hours}:${minutes.toString().padStart(2, '0')}:${secs.toString().padStart(2, '0')}`;} else {return `${minutes}:${secs.toString().padStart(2, '0')}`;}};return {sound,currentTime,duration,startTime,endTime,playing,togglePlayPause,onSeek,playPauseButtonText: computed(() => playing.value ? '暂停' : '播放'),formatDuration,isLoading,progressWidth,};}
});
</script><style scoped>
/* 省略了之前的样式部分,因为它们已经符合要求 */
.audio-player {display: flex;flex-direction: column;align-items: center;padding: 20px;border: 1px solid #ccc;border-radius: 5px;background-color: #f9f9f9;
}.audio-time-info {display: flex;justify-content: space-between;margin-bottom: 10px;width: 100%;
}.audio-time-info span {font-size: 14px;color: #666;
}/* Progress Container */
.progress-container {position: relative;width: 100%;height: 8px; /* 设置一个合适的高度 */background-color: #ddd;border-radius: 4px; /* 圆角边框 */overflow: hidden;cursor: pointer;
}/* Progress Bar (Hidden Input) */
.progress-bar {position: absolute;top: 0;left: 0;width: 100%;height: 100%;-webkit-appearance: none;appearance: none;background: transparent;outline: none;opacity: 0; /* 使输入不可见 */z-index: 2; /* 确保它覆盖在 .progress-fill 上 */cursor: pointer;
}/* Webkit 浏览器的滑块样式 */
.progress-bar::-webkit-slider-thumb {-webkit-appearance: none;appearance: none;width: 10px;height: 10px;border-radius: 50%;background: #4CAF50;cursor: pointer;box-shadow: 0 0 2px rgba(0, 0, 0, 0.5);
}/* Firefox 浏览器的滑块样式 */
.progress-bar::-moz-range-thumb {width: 10px;height: 10px;border-radius: 50%;background: #4CAF50;cursor: pointer;box-shadow: 0 0 2px rgba(0, 0, 0, 0.5);
}/* Progress Fill */
.progress-fill {position: absolute;top: 0;left: 0;height: 100%;background-color: #4CAF50;transition: width 0.2s linear;z-index: 1;
}.control-buttons button {width:60px;margin:10px 0 0 0;padding: 8px;border: none;background-color: #4CAF50;color: white;cursor: pointer;border-radius: 5px;transition: background-color 0.3s;
}.control-buttons button:hover {background-color: #45a049;
}.loading-message {color: #999;text-align: center;margin-bottom: 10px;
}
</style>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/892342.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

LLM prompt提示构造案例:语音回复内容;o1思维链

1、语音回复内容 目的&#xff1a; 语音聊天助手的prompt&#xff0c;让大模型来引导聊天内容&#xff0c;简短和友好&#xff0c;从而文字转语音时候也比较高效。 ## 角色设定与交互规则 ### 基本角色 你是用户的好朋友. 你的回答将通过逼真的文字转语音技术阅读. ### 回答规则…

AES 与 SM4 加密算法:深度解析与对比

&#x1f9d1; 博主简介&#xff1a;CSDN博客专家&#xff0c;历代文学网&#xff08;PC端可以访问&#xff1a;https://literature.sinhy.com/#/literature?__c1000&#xff0c;移动端可微信小程序搜索“历代文学”&#xff09;总架构师&#xff0c;15年工作经验&#xff0c;…

Sentinel服务保护 + Seata分布式事务

服务保护 【雪崩问题】微服务调用链路中某个服务&#xff0c;引起整个链路中所有微服务都不可用。 【原因】&#xff1a; 微服务相互调用&#xff0c;服务提供者出现故障。服务调用这没有做好异常处理&#xff0c;导致自身故障。调用链中所有服务级联失败&#xff0c;导致整个…

ssh2-sftp-client uploadDir Upload error: getLocalStatus: Bad path: ./public

报错解释 这个错误表明在使用 ssh2-sftp-client 这个Node.js库进行目录上传时遇到了问题。具体来说&#xff0c;是指定的本地路径&#xff08;./public&#xff09;不正确或者不存在。 解决方法&#xff1a; 确认当前工作目录&#xff1a;确保你在执行上传操作时的当前工作目…

AI赋能服装零售:商品计划智能化,化危机为转机

在服装零售这片竞争激烈的战场上&#xff0c;每一个细微的决策都可能成为品牌兴衰的关键。当市场波动、消费者口味变化、供应链挑战接踵而至时&#xff0c;许多品牌往往将危机归咎于外部环境。然而&#xff0c;真相往往更为深刻——“危机不是外部的&#xff0c;而是你的商品计…

基于YOLOv8的水下目标检测系统

基于YOLOv8的水下目标检测系统 (价格90) 使用的是DUO水下目标检测数据集 训练集 6671张 验证集 1111张 测试集 1111张 包含 [holothurian, echinus, scallop, starfish] [海参, 海胆, 扇贝, 海星] 4个类 通过PYQT构建UI界面&#xff0c;包含图片检测&#xff0c;视…

【git】在服务器使用docker设置了一个gogs服务器,访问和现实都不理想

以下问题应该都可以通过设置custom/conf/app.ini来解决 配置文档参考地址:https://www.bookstack.cn/read/gogs_zh/advanced-configuration_cheat_sheet.md domain显示的事localhost&#xff0c;实际上应该是一个IP地址。 关键字&#xff1a; DOMAIN ROOT_URL 因为是docker…

统一门户单点登入(C#-OOS机制)

1.非自研系统 通过接口&#xff0c;获取第三方系统token&#xff0c;存redis缓存&#xff0c;设计跳转配置&#xff0c;根据获取的配置路由等用户信息来访问第三方系统免登录。&#xff08;登入校验在第三方系统实现&#xff09;/// <summary> /// 获取OA登录Token /// …

Julia语言的软件工程

Julia语言的软件工程探讨 引言 随着科技的迅猛发展&#xff0c;编程语言的发展也日新月异。在众多编程语言中&#xff0c;Julia作为一门新兴语言&#xff0c;以其高性能、易用性&#xff0c;以及强大的科学计算能力&#xff0c;逐渐吸引了大量开发者和研究人员的关注。本文旨…

web-前端小实验4

实现以上图片中的内容 代码 <!DOCTYPE html> <html lang"en"> <head><meta charset"UTF-8"><meta name"viewport" content"widthdevice-width, initial-scale1.0"><title>用户注册</title&…

网站自动签到

我研究生生涯面临两个问题&#xff0c;一是写毕业论文&#xff0c;二是找工作&#xff0c;这两者又有很大的冲突。怎么解决这两个冲突呢&#xff1f;把python学好是一个路子&#xff0c;因此从今天我要开一个专栏就是学python 其实我的本意不是网站签到&#xff0c;我喜欢在起点…

【MATLAB第112期】基于MATLAB的SHAP可解释神经网络回归模型(敏感性分析方法)

【MATLAB第112期】基于MATLAB的SHAP可解释神经网络回归模型&#xff08;敏感性分析方法&#xff09; 引言 该文章实现了一个可解释的神经网络回归模型&#xff0c;使用BP神经网络&#xff08;BPNN&#xff09;来预测特征输出。该模型利用七个变量参数作为输入特征进行训练。为…

F.interpolate函数

F.interpolate 是 PyTorch 中用于对张量&#xff08;通常是图像数据&#xff09;进行插值操作的函数&#xff0c;常用于调整张量的大小&#xff0c;例如改变图像的分辨率。它支持多种插值方法&#xff0c;包括最近邻插值、双线性插值和三次插值等。 语法 torch.nn.functional…

iOS 本地新项目上传git仓库,并使用sourceTree管理

此文记录的场景描述&#xff1a; iOS前期开发时&#xff0c;在本地创建项目&#xff0c;直至开发一段时间&#xff0c;初期编码及框架已完善后&#xff0c;才拿到git仓库的地址。此时需要将本地代码上传到git仓库。 上传至git仓库&#xff0c;可以使用终端&#xff0c;键入命令…

为深度学习引入张量

为深度学习引入张量 什么是张量&#xff1f; 神经网络中的输入、输出和转换都是使用张量表示的&#xff0c;因此&#xff0c;神经网络编程大量使用张量。 张量是神经网络使用的主要数据结构。 张量的概念是其他更具体概念的数学概括。让我们看看一些张量的具体实例。 张量…

欧拉公式和傅里叶变换

注&#xff1a;英文引文机翻&#xff0c;未校。 中文引文未整理去重&#xff0c;如有异常&#xff0c;请看原文。 Euler’s Formula and Fourier Transform Posted byczxttkl October 7, 2018 Euler’s formula states that e i x cos ⁡ x i sin ⁡ x e^{ix} \cos{x} i …

sql 函数

# 四则运算 - * / # 函数 distinct 、count、sum、max、min、avg、sum、round select concat(device_id 是,device_id ) device_id from device_id_apply_factor where device_id D6A42CE6A0; select concat_ws(|||,device_id ,factor_a ,module_type) from 、device_id_app…

边缘计算应用十大领域

边缘计算解决了互联网的网速问题&#xff0c;作为实现边缘计算的基础&#xff0c;那边缘计算是5G与产业互联网、物联网时代的重要技术支撑&#xff0c;也正迎来广阔的增长空间。那么现在我们生活中有哪些领域正在使用边缘计算呢&#xff1f;今天我们来盘点一下我们身边正在使用…

Python视频处理:噪声矩阵与并行计算的完美融合

噪声级别对视频质量有显著的影响&#xff0c;主要体现在以下几个方面&#xff1a; 1. 视觉质量 低噪声级别&#xff1a;当噪声级别较低时&#xff0c;视频的视觉质量较好。噪声对图像细节的干扰较小&#xff0c;画面看起来较为清晰和自然。观众可以更容易地识别图像中的细节和…

HDFS编程 - 使用HDFS Java API进行文件操作

文章目录 前言一、创建hdfs-demo项目1. 在idea上创建maven项目2. 导入hadoop相关依赖 二、常用 HDFS Java API1. 简介2. 获取文件系统实例3. 创建目录4. 创建文件4.1 创建文件并写入数据4.2 创建新空白文件 5. 查看文件内容6. 查看目录下的文件或目录信息6.1 查看指定目录下的文…