uniapp可以封装组件嘛_Taro(React+TS)基于InnerAudioContext封装一个基本的音频组件(uniapp(vue)后续更新)...

5c39ef8cf47b6c74a36d13645b27e5ec.png

为什么要封装一个音频组件

主要因为微信小程序官方的audio不维护了,并且在很多iOS真机上确实也存在点击无法播放,总时长不显示等问题.

294bf60aa733f3f73ba0a10028eb1a47.png

音频组件的要求与限制

  1. 点击播放或者暂停

  2. 显示播放进度及总时长

  3. 通过图标变化显示当前音频所处状态(暂停/播放/加载中)

  4. 页面音频更新时刷新组件状态

  5. 全局有且只有一个音频处于播放状态

  6. 离开页面之后要自动停止播放并销毁音频实例

材料:

073d3d02394e125c544444528288df07.gif   3f47969890f6efabf48e8e24c534e9e1.png   b7a99501632c0fbe39dcd409a2e60828.png

InnerAudioContext提供的属性和方法

属性:

string src: 音频资源的地址,用于直接播放。

bumber startTime: 开始播放的位置(单位:s),默认为 0

boolean autoplay: 是否自动开始播放,默认为 false

boolean loop: 是否循环播放,默认为 false

number volume: 音量。范围 0~1。默认为 1

number playbackRate: 播放速度。范围 0.5-2.0,默认为 1。(Android 需要 6 及以上版本)

number duration: 当前音频的长度(单位 s)。只有在当前有合法的 src 时返回(只读)

number currentTime: 当前音频的播放位置(单位 s)。只有在当前有合法的 src 时返回,时间保留小数点后 6 位(只读)

boolean paused: 当前是是否暂停或停止状态(只读)

number buffered: 音频缓冲的时间点,仅保证当前播放时间点到此时间点内容已缓冲(只读)

方法:

play(): 播放

pause(): 暂停。暂停后的音频再播放会从暂停处开始播放

stop(): 停止。停止后的音频再播放会从头开始播放。

seek(postions: number):跳转到指定位置

destory(): 销毁当前实例

onCanplay(callback): 监听音频进入可以播放状态的事件。但不保证后面可以流畅播放

offCanplay(callback): 取消监听音频进入可以播放状态的事件

onPlay(callback): 监听音频播放事件

offPlay(callback): 取消监听音频播放事件

onPause(callback): 监听音频暂停事件

offPause(callback): 取消监听音频暂停事件

onStop(callback): 监听音频停止事件

offStop(callback): 取消监听音频停止事件

onEnded(callback): 监听音频自然播放至结束的事件

offEnded(callback): 取消监听音频自然播放至结束的事件

onTimeUpdate(callback): 监听音频播放进度更新事件

offTimeUpdate(callback): 取消监听音频播放进度更新事件

onError(callback): 监听音频播放错误事件

offError(callbcak): 取消监听音频播放错误事件

onWaiting(callback): 监听音频加载中事件。当音频因为数据不足,需要停下来加载时会触发

offWaiting(callback): 取消监听音频加载中事件

onSeeking(callback): 监听音频进行跳转操作的事件

offSeeking(callback): 取消监听音频进行跳转操作的事件

onSeeked(callback): 监听音频完成跳转操作的事件

offSeeked(callback): 取消监听音频完成跳转操作的事件

让我们开始吧🛠

Taro(React + TS)

  • 首先构建一个简单的jsx结构:

<View className='custom-audio'>  <Image onClick={() => this.playOrStopAudio()} src={audioImg} className='audio-btn' />  <Text>{this.fmtSecond(Math.floor(currentTime))}/{this.fmtSecond(Math.floor(duration))}Text>View>
  • 定义组件接受的参数

type PageOwnProps = {  audioSrc: string // 传入的音频的src}
  • 定义CustomAudio组件的初始化相关的操作,并给innerAudioContext的回调添加一些行为

// src/components/widget/CustomAudio.tsximport Taro, { Component, ComponentClass } from '@tarojs/taro'import { View, Image, Text } from "@tarojs/components";import iconPaused from '../../../assets/images/icon_paused.png'import iconPlaying from '../../../assets/images/icon_playing.png'import iconLoading from '../../../assets/images/icon_loading.gif'interface StateInterface {  audioCtx: Taro.InnerAudioContext // innerAudioContext实例  audioImg: string // 当前音频icon标识  currentTime: number // 当前播放的时间  duration: number // 当前音频总时长}class CustomAudio extends Component<{}, StateInterface> {  constructor(props) {    super(props)    this.fmtSecond = this.fmtSecond.bind(this)    this.state = {      audioCtx: Taro.createInnerAudioContext(),      audioImg: iconLoading, // 默认是在加载音频中的状态      currentTime: 0,      duration: 0    }  }  componentWillMount() {    const {      audioCtx,      audioImg    } = this.state    audioCtx.src = this.props.audioSrc    // 当播放的时候通过TimeUpdate的回调去更改当前播放时长和总时长(总时长更新放到onCanplay回调中会出错)    audioCtx.onTimeUpdate(() => {      if (audioCtx.currentTime > 0 && audioCtx.currentTime <= 1) {        this.setState({          currentTime: 1        })      } else if (audioCtx.currentTime !== Math.floor(audioCtx.currentTime)) {        this.setState({          currentTime: Math.floor(audioCtx.currentTime)        })      }      const tempDuration = Math.ceil(audioCtx.duration)      if (this.state.duration !== tempDuration) {        this.setState({          duration: tempDuration        })      }      console.log('onTimeUpdate')    })    // 当音频可以播放就将状态从loading变为可播放    audioCtx.onCanplay(() => {      if (audioImg === iconLoading) {        this.setAudioImg(iconPaused)        console.log('onCanplay')      }    })    // 当音频在缓冲时改变状态为加载中    audioCtx.onWaiting(() => {      if (audioImg !== iconLoading) {        this.setAudioImg(iconLoading)      }    })    // 开始播放后更改图标状态为播放中    audioCtx.onPlay(() => {      console.log('onPlay')      this.setAudioImg(iconPlaying)    })    // 暂停后更改图标状态为暂停    audioCtx.onPause(() => {      console.log('onPause')      this.setAudioImg(iconPaused)    })    // 播放结束后更改图标状态    audioCtx.onEnded(() => {      console.log('onEnded')      if (audioImg !== iconPaused) {        this.setAudioImg(iconPaused)      }    })    // 音频加载失败时 抛出异常    audioCtx.onError((e) => {      Taro.showToast({        title: '音频加载失败',        icon: 'none'      })      throw new Error(e.errMsg)    })  }  setAudioImg(newImg: string) {    this.setState({      audioImg: newImg    })  }  // 播放或者暂停  playOrStopAudio() {    const audioCtx = this.state.audioCtx    if (audioCtx.paused) {      audioCtx.play()    } else {      audioCtx.pause()    }  }  fmtSecond (time: number){    let hour = 0    let min = 0    let second = 0     if (typeof time !== 'number') {       throw new TypeError('必须是数字类型')    } else {        hour = Math.floor(time / 3600) >= 0 ? Math.floor(time / 3600) : 0,        min = Math.floor(time % 3600 / 60) >= 0 ? Math.floor(time % 3600 / 60) : 0,        second = Math.floor(time % 3600 % 60) >=0 ? Math.floor(time % 3600 % 60) : 0    }    }    return `${hour}:${min}:${second}`  }  render () {    const {      audioImg,      currentTime,      duration    } = this.state    return(               this.playOrStopAudio()} src={audioImg} className='audio-btn' />        {this.fmtSecond(Math.floor(currentTime))}/{this.fmtSecond(Math.floor(duration))}          )  }}export default CustomAudio as ComponentClass

问题

乍一看我们的组件已经满足了

  1. 点击播放或者暂停

  2. 显示播放进度及总时长

  3. 通过图标变化显示当前音频所处状态(暂停/播放/加载中)

但是这个组件还有一些问题:

  1. 页面卸载之后没有对innerAudioContext对象停止播放和回收

  2. 一个页面如果有多个音频组件这些组件可以同时播放这会导致音源混乱,性能降低

  3. 因为是在ComponentWillMount中初始化了innerAudioContext的属性所以当props中的audioSrc变化的时候组件本身不会更新音源、组件的播放状态和播放时长

改进

componentWillReceiveProps中增加一些行为达到props中的audioSrc更新时组件的音源也做一个更新,播放时长和状态也做一个更新

componentWillReceiveProps(nextProps) {  const newSrc = nextProps.audioSrc || ''  console.log('componentWillReceiveProps', nextProps)  if (this.props.audioSrc !== newSrc && newSrc !== '') {    const audioCtx = this.state.audioCtx    if (!audioCtx.paused) { // 如果还在播放中,先进行停止播放操作    audioCtx.stop()  }    audioCtx.src = nextProps.audioSrc    // 重置当前播放时间和总时长    this.setState({      currentTime: 0,      duration: 0,    })  }}

这时候我们在切换音源的时候就不会存在还在播放旧音源的问题

通过在componentWillUnmount中停止播放和销毁innerAudioContext达到一个提升性能的目的
componentWillUnmount() {  console.log('componentWillUnmount')  this.state.audioCtx.stop()  this.state.audioCtx.destory()}
通过一个全局变量audioPlaying来保证全局有且仅有一个音频组件可以处于播放状态
// 在Taro中定义全局变量按照以下的规范来,获取和更改数据也要使用定义的get和set方法,直接通过Taro.getApp()是不行的// src/lib/Global.tsconst globalData = {  audioPlaying: false, // 默认没有音频组件处于播放状态}export function setGlobalData (key: string, val: any) {  globalData[key] = val}export function getGlobalData (key: string) {  return globalData[key]}
我们通过封装两个函数去判断是否可以播放当前音源:beforeAudioPlayafterAudioPlay
// src/lib/Util.tsimport Taro from '@tarojs/taro'import { setGlobalData, getGlobalData } from "./Global";// 每次在一个音源暂停或者停止播放的时候将全局标识audioPlaying重置为false,用以让后续的音频可以播放export function afterAudioPlay() {  setGlobalData('audioPlaying', false)}// 在每次播放音频之前检查全局变量audioPlaying是否为true,如果是true,当前音频不能播放,需要之前的音频结束或者手动去暂停或者停止之前的音频播放,如果是false,返回true,并将audioPlaying置为trueexport function beforeAudioPlay() {  const audioPlaying = getGlobalData('audioPlaying')  if (audioPlaying) {    Taro.showToast({      title: '请先暂停其他音频播放',      icon: 'none'    })    return false  } else {    setGlobalData('audioPlaying', true)    return true  }}
接下来我们改造之前的CustomAudio组件
import { beforeAudioPlay, afterAudioPlay } from '../../lib/Utils';/* ... */// 因为组件卸载导致的停止播放别忘了也要改变全局audioPlaying的状态componentWillUnmount() {  console.log('componentWillUnmount')  this.state.audioCtx.stop()  this.state.audioCtx.destory()  ++ afterAudioPlay()}/* ... */// 每次暂停或者播放完毕的时候需要执行一次afterAudioPlay()让出播放音频的机会给其他的音频组件audioCtx.onPause(() => {  console.log('onPause')  this.setAudioImg(iconPaused)  ++ afterAudioPlay()})audioCtx.onEnded(() => {  console.log('onEnded')  if (audioImg !== iconPaused) {    this.setAudioImg(iconPaused)  }  ++ afterAudioPlay()})/* ... */// 播放前先检查有没有其他正在播放的音频,没有的情况下才能播放当前音频playOrStopAudio() {  const audioCtx = this.state.audioCtx  if (audioCtx.paused) {    ++ if (beforeAudioPlay()) {      audioCtx.play()    ++ }  } else {    audioCtx.pause()  }}

最终代码

// src/components/widget/CustomAudio.tsximport Taro, { Component, ComponentClass } from '@tarojs/taro'import { View, Image, Text } from "@tarojs/components";import { beforeAudioPlay, afterAudioPlay } from '../../lib/Utils';import './CustomAudio.scss'import iconPaused from '../../../assets/images/icon_paused.png'import iconPlaying from '../../../assets/images/icon_playing.png'import iconLoading from '../../../assets/images/icon_loading.gif'type PageStateProps = {}type PageDispatchProps = {}type PageOwnProps = {  audioSrc: string}type PageState = {}type IProps = PageStateProps & PageDispatchProps & PageOwnPropsinterface CustomAudio {  props: IProps}interface StateInterface {  audioCtx: Taro.InnerAudioContext  audioImg: string  currentTime: number  duration: number}class CustomAudio extends Component<{}, StateInterface> {  constructor(props) {    super(props)    this.fmtSecond = this.fmtSecond.bind(this)    this.state = {      audioCtx: Taro.createInnerAudioContext(),      audioImg: iconLoading,      currentTime: 0,      duration: 0    }  }  componentWillMount() {    const {      audioCtx,      audioImg    } = this.state    audioCtx.src = this.props.audioSrc    // 当播放的时候通过TimeUpdate的回调去更改当前播放时长和总时长(总时长更新放到onCanplay回调中会出错)    audioCtx.onTimeUpdate(() => {      if (audioCtx.currentTime > 0 && audioCtx.currentTime <= 1) {        this.setState({          currentTime: 1        })      } else if (audioCtx.currentTime !== Math.floor(audioCtx.currentTime)) {        this.setState({          currentTime: Math.floor(audioCtx.currentTime)        })      }      const tempDuration = Math.ceil(audioCtx.duration)      if (this.state.duration !== tempDuration) {        this.setState({          duration: tempDuration        })      }      console.log('onTimeUpdate')    })    // 当音频可以播放就将状态从loading变为可播放    audioCtx.onCanplay(() => {      if (audioImg === iconLoading) {        this.setAudioImg(iconPaused)        console.log('onCanplay')      }    })    // 当音频在缓冲时改变状态为加载中    audioCtx.onWaiting(() => {      if (audioImg !== iconLoading) {        this.setAudioImg(iconLoading)      }    })    // 开始播放后更改图标状态为播放中    audioCtx.onPlay(() => {      console.log('onPlay')      this.setAudioImg(iconPlaying)    })    // 暂停后更改图标状态为暂停    audioCtx.onPause(() => {      console.log('onPause')      this.setAudioImg(iconPaused)      afterAudioPlay()    })    // 播放结束后更改图标状态    audioCtx.onEnded(() => {      console.log('onEnded')      if (audioImg !== iconPaused) {        this.setAudioImg(iconPaused)      }      afterAudioPlay()    })    // 音频加载失败时 抛出异常    audioCtx.onError((e) => {      Taro.showToast({        title: '音频加载失败',        icon: 'none'      })      throw new Error(e.errMsg)    })  }  componentWillReceiveProps(nextProps) {    const newSrc = nextProps.audioSrc || ''  console.log('componentWillReceiveProps', nextProps)  if (this.props.audioSrc !== newSrc && newSrc !== '') {    const audioCtx = this.state.audioCtx    if (!audioCtx.paused) { // 如果还在播放中,先进行停止播放操作    audioCtx.stop()    }    audioCtx.src = nextProps.audioSrc    // 重置当前播放时间和总时长    this.setState({      currentTime: 0,      duration: 0,    })  }  }  componentWillUnmount() {  console.log('componentWillUnmount')  this.state.audioCtx.stop()  this.state.audioCtx.destory()  afterAudioPlay()  }  setAudioImg(newImg: string) {    this.setState({      audioImg: newImg    })  }  playOrStopAudio() {    const audioCtx = this.state.audioCtx    if (audioCtx.paused) {      if (beforeAudioPlay()) {        audioCtx.play()      }    } else {      audioCtx.pause()    }  }  fmtSecond (time: number){    let hour = 0    let min = 0    let second = 0     if (typeof time !== 'number') {       throw new TypeError('必须是数字类型')    } else {        hour = Math.floor(time / 3600) >= 0 ? Math.floor(time / 3600) : 0,        min = Math.floor(time % 3600 / 60) >= 0 ? Math.floor(time % 3600 / 60) : 0,        second = Math.floor(time % 3600 % 60) >=0 ? Math.floor(time % 3600 % 60) : 0    }    }    return `${hour}:${min}:${second}`  }  render () {    const {      audioImg,      currentTime,      duration    } = this.state    return(               this.playOrStopAudio()} src={audioImg} className='audio-btn' />        {this.fmtSecond(Math.floor(currentTime))}/{this.fmtSecond(Math.floor(duration))}          )  }}export default CustomAudio as ComponentClass
提供一份样式文件,也可以自己自行发挥
// src/components/widget/CustomAudio.scss.custom-audio {  border-radius: 8vw;  border: #CCC 1px solid;  background: #F3F6FC;  color: #333;  display: flex;  flex-flow: row nowrap;  align-items: center;  justify-content: space-between;  padding: 2vw;  font-size: 4vw;  .audio-btn {    width: 10vw;    height: 10vw;    white-space: nowrap;    display: flex;    align-items: center;    justify-content: center;  }}

最终效果~

13f93742c1381496bbda3b853ff06359.gif

★,°:.☆( ̄▽ ̄)/8ed3937c-6f2a-eb11-8da9-e4434bdf6706.svg:.°★ 。🎉🎉🎉

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

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

抵扣说明:

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

余额充值