14

我正在开发一个 iOS 节拍器网络应用程序。由于移动版 Safari 一次只能播放一种声音,我正在尝试创建一个“音频精灵”——我可以在其中使用单个音轨的不同片段来生成不同的声音。我有一个 1 秒的剪辑,上面有 2 个半秒的声音。

<audio id="sample" src="sounds.mp3"></audio>

<a href="javascript:play1();">Play1</a>
<a href="javascript:play2();">Play2</a>
<a href="javascript:pauseAudio();">Pause</a>

<script>
var audio = document.getElementById('click');

function play1(){
    audio.currentTime = 0;
    audio.play();

    // This is the problem area
    audio.addEventListener('timeupdate', function (){
        if (currentTime >= 0.5) {
            audio.pause();
        }
    }, false);
}   

function play2(){
    audio.currentTime = 0.5;
    audio.play();
}

function pause(){
    audio.pause();
}
</script>

JSFiddle上查看。

如您所见,我尝试使用“timeupdate”事件(jPlayer 示例)但无济于事。

我看过Remy Sharp 关于音频精灵的帖子,但是(A)我无法让它为我工作,并且(B)我更愿意远离图书馆依赖。

有任何想法吗?


更新

我现在可以使用它setInterval

function play1(){
    audio.currentTime = 0;
    audio.play();
    int = setInterval(function() {
        if (audio.currentTime > 0.4) {
            audio.pause();
            clearInterval(int);
        }
    }, 10);
}    

function play2(){
    clearInterval(int);
    audio.currentTime = 0.5;
    audio.play();
}

序列和设置/清除间隔存在一些问题,但出于我的目的 - 它似乎有效。

JSFiddle

PS如果有人对此有修复,这可以在游戏和界面声音FX中使用。

4

2 回答 2

22

我认为这里有几个问题。

首先,每次用户单击 Play 1 时,您都会添加一个事件侦听器。

我也觉得

if (currentTime >= 0.5) { ...

应该

if (audio.currentTime >= 0.5) { ...

这也有效:

<audio id="sample" src="http://dl.dropbox.com/u/222645/click1sec.mp3" controls preload></audio>

<a href="javascript:playSegment(0.0, 0.5);">Play1</a>
<a href="javascript:playSegment(0.5);">Play2</a>

<script>
var audio = document.getElementById('sample');
var segmentEnd;

audio.addEventListener('timeupdate', function (){
    if (segmentEnd && audio.currentTime >= segmentEnd) {
        audio.pause();
    }   
    console.log(audio.currentTime);
}, false);

function playSegment(startTime, endTime){
    segmentEnd = endTime;
    audio.currentTime = startTime;
    audio.play();
}
</script>
于 2011-05-18T02:17:43.893 回答
0

我没有找到一个干净的函数来播放音频对象的片段,所以这就是我想出的。如果用户在短时间内单击多个触发器,它还将解决以下错误。

“未捕获(承诺中)DOMException:play() 请求被对 pause() 的调用中断”

const audioObj_1 = new Audio('/some_audio_file.m4a');
playSegment(audioObj_1 , 1.11, 2.45); // this will play from 1.11 sec to 2.45 sec

function playSegment(audioObj, start, stop){
    let audioObjNew = audioObj.cloneNode(true); //this is to prevent "play() request was interrupted" error. 
    audioObjNew.currentTime = start;
    audioObjNew.play();
    audioObjNew.int = setInterval(function() {
        if (audioObjNew.currentTime > stop) {
            audioObjNew.pause();
            clearInterval(audioObjNew.int);
        }
    }, 10);
} 
于 2020-10-03T21:27:01.527 回答