InnerAudioContext를 기반으로 기본 오디오 구성 요소를 캡슐화하는 uni-app(vue)에 대한 자세한 설명

coldplay.xixi
풀어 주다: 2020-09-19 16:38:10
앞으로
4796명이 탐색했습니다.

InnerAudioContext를 기반으로 기본 오디오 구성 요소를 캡슐화하는 uni-app(vue)에 대한 자세한 설명

관련 학습 권장 사항: WeChat 애플릿 개발

이유

같은 이유는 애플릿 공식이 audio 구성 요소audio组件了

音频组件的要求与限制

1、点击播放或者暂停
2、显示播放进度及总时长
3、通过图标变化显示当前音频所处状态(暂停/播放/加载中)
4、页面音频更新时刷新组件状态
5、全局有且只有一个音频处于播放状态
6、离开页面之后要自动停止播放并销毁音频实例

材料/属性/方法

让我们开始吧

uni-app Vue

  • 同样的先构造DOM结构
<view class="custom-audio">
  <image v-if="audioSrc !== undefined && audioSrc !== null && audioSrc !== &#39;&#39;" @click="playOrStopAudio" :src="audioImg" class="audio-btn" />
  <text v-else @click="tips" class="audio-btn">无音源</text>
  <text>{{ fmtSecond(currentTime) }}/{{ fmtSecond(duration) }}</text></view>复制代码
로그인 후 복사
  • 定义接受的组件
props: {  audioSrc: {    type: String,    default: &#39;&#39;
  },
},复制代码
로그인 후 복사
  • 定义CustomAudio组件的初始化相关的操作,并给innerAudioContext的回调添加一些行为(之前Taro那篇我们踩过的坑这里就直接上代码了)
import { formatSecondToHHmmss, afterAudioPlay, beforeAudioRecordOrPlay } from &#39;../../lib/Utils&#39;const iconPaused = &#39;../../static/images/icon_paused.png&#39;const iconPlaying = &#39;../../static/images/icon_playing.png&#39;const iconStop = &#39;../../static/images/icon_stop.png&#39;const iconLoading = &#39;../../static/images/icon_loading.gif&#39;// ...data() {  return {    audioCtx: null, // 音频上下文
    duration: 0, // 音频总时长
    currentTime: 0, // 音频当前播放的时长
    audioImg: iconLoading, // 默认状态为加载中
  }
},watch: {  audioSrc: {
    handler(newSrc, oldSrc) {      console.log(&#39;watch&#39;, newSrc, oldSrc)      this.audioImg = iconLoading      this.currentTime = 0
      this.duration = 0
      if (this.audioCtx === undefined) {        this.audioCtx = uni.createInnerAudioContext()        this.onTimeUpdate = this.audioCtx.onTimeUpdate        this.bindAuidoCallback(this.audioCtx)
      } else {        this.audioCtx.src = newSrc
      }      if (this.audioCtx.play) {        this.audioCtx.stop()
        getApp().globalData.audioPlaying = false
      }
    }
  }
},
mounted() {  this.audioCtx = uni.createInnerAudioContext()  this.audioCtx.src = this.audioSrc  this.audioCtx.startTime = 0
  this.bindAuidoCallback(this.audioCtx)
},methods: {
  bindAuidoCallback(ctx) {
    ctx.onTimeUpdate((e) => {      this.onTimeUpdate(e)
    })
    ctx.onCanplay((e) => {      this.onCanplay(e)
    })
    ctx.onWaiting((e) => {      this.onWaiting(e)
    })
    ctx.onPlay((e) => {      this.onPlay(e)
    })
    ctx.onPause((e) => {      this.onPause(e)
    })
    ctx.onEnded((e) => {      this.onEnded(e)
    })
    ctx.onError((e) => {      this.onError(e)
    })
  },
  tips(){
    uni.showToast({      title: &#39;无效音源,请先录音&#39;,      icon: &#39;none&#39;
    })
  },
  playOrStopAudio() {    if (this.audioCtx === null) {      this.audioCtx = uni.createInnerAudioContext()      this.audioCtx.src = this.audioSrc      this.bindAuidoCallback(this.audioCtx)
    }    if (this.audioCtx.paused) {      if (beforeAudioRecordOrPlay(&#39;play&#39;)) {        this.audioCtx.play()        this.audioImg = iconPlaying
      }
    } else {      this.audioCtx.pause()
      afterAudioPlay()      this.audioImg = iconPaused
    }
  },
  onTimeUpdate(e) {    console.log(&#39;onTimeUpdate&#39;, this.audioCtx.duration, this.audioCtx.currentTime)    if (this.audioCtx.currentTime > 0 && this.audioCtx.currentTime <= 1) {      this.currentTime = 1
    } else if (this.currentTime !== Math.floor(this.audioCtx.currentTime)) {      this.currentTime = Math.floor(this.audioCtx.currentTime)
    }    const duration = Math.floor(this.audioCtx.duration)    if (this.duration !== duration) {      this.duration = duration
    }
  },
  onCanplay(e) {    if (this.audioImg === iconLoading) {      this.audioImg = iconPaused
    }    console.log(&#39;onCanplay&#39;, e)
  },
  onWaiting(e) {    if (this.audioImg !== iconLoading) {      this.audioImg = iconLoading
    }
  },
  onPlay(e) {    console.log(&#39;onPlay&#39;, e, this.audioCtx.duration)    this.audioImg = iconPlaying    if (this.audioCtx.duration > 0 && this.audioCtx.duration <= 1) {      this.duration = 1
    } else {      this.duration = Math.floor(this.audioCtx.duration)
    }
  },
  onPause(e) {    console.log(&#39;onPause&#39;, e)    this.audioImg = iconPaused
  },
  onEnded(e) {    console.log(&#39;onEnded&#39;, e)    if (this.audioImg !== iconPaused) {      this.audioImg = iconPaused
    }
    afterAudioPlay()
  },
  onError(e) {
    uni.showToast({      title: &#39;音频加载失败&#39;,      icon: &#39;none&#39;
    })    throw new Error(e.errMsg, e.errCode)
  },
  fmtSecond(sec) {    const { min, second } = formatSecondToHHmmss(sec)    return `${min}:${second}`
  }
},复制代码
로그인 후 복사

同样的scss

오디오 구성 요소 요구 사항 및 제한 사항

1. 재생 또는 일시 정지
2. 재생 진행률 및 전체 지속 시간 표시
3. 아이콘 변경/재생/로딩)
4. 페이지 오디오가 업데이트되면 구성요소 상태를 새로 고칩니다.
5. 전체적으로 재생 상태인 오디오는 하나만 있습니다.
6. 페이지를 떠난 후 오디오를 삭제합니다. 예시

재료/속성/방법
InnerAudioContext를 기반으로 기본 오디오 구성 요소를 캡슐화하는 uni-app(vue)에 대한 자세한 설명시작합시다

uni-app Vue

  • 동일한 우선 DOM 구조 구성
<style lang="scss" scoped>.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: 14px;
  .audio-btn {    width: 10vw;    height: 10vw;    white-space: nowrap;    display: flex;    align-items: center;    justify-content: center;
  }
}
</style>复制代码
로그인 후 복사
  • 허용되는 구성 요소 정의
rrreee
  • CustomAudio 구성 요소의 초기화와 관련된 작업을 정의하고 <code>innerAudioContext의 콜백에 일부 동작을 추가합니다(이전 Taro 기사에서 밟았던 함정은 직접적으로 여기에 코딩됨)
  • ul>rrreee

    동일한 scss 파일rrreee

    Finally

    문제가 발생하거나 제안 사항이 있으면 팔로우하세요. 토론해 보겠습니다~🎜🎜🎜다른 훌륭한 기사를 알고 싶다면 🎜uni-app🎜 칼럼을 방문하세요~🎜🎜

위 내용은 InnerAudioContext를 기반으로 기본 오디오 구성 요소를 캡슐화하는 uni-app(vue)에 대한 자세한 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:juejin.im
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿