我正在使用以下代码播放声音文件:
var audio = new Audio();
audio.src = 'somePath/filename.ogg';
audio.volume = 10;
audio.autoPlay = false;
audio.preLoad = true;
// ...
audio.play();
而且效果很好。但是,某些浏览器可能不支持ogg格式,因此我也想添加mp3格式作为替代。我该如何使用javascript呢?
作为参考,当您提供多种格式时,这就是纯HTML5中的样子:
<audio volume="10" preload="auto">
<source src="filename.ogg" type="audio/ogg">
<source src="filename.mp3" type="audio/mpeg">
</audio>
因此,基本上不需要设置audio.src
,而是需要向<source>
对象添加Audio
元素。我该怎么办呢?我在这里需要在JavaScript中使用类似new Source()
之类的东西,以某种方式添加到audio
中吗?
奖金问题:如果浏览器不支持所提供的源格式,我可以以某种方式执行一些自定义代码,例如向用户打印一条消息,说他们的浏览器很烂吗? :)
答案 0 :(得分:1)
也许不完全是您的初衷,但是您可以通过DOM API实现此目标吗?
// Create audio instance with different source times by means of the DOM API
function createAudio(sourceData) {
const audio = document.createElement('audio')
// audio.preload = 'auto', Redundant as source children are dynamically created
audio.volume = 10
audio.style.display = 'none'
// Iterate each sourceInfo of input sourceData array
for(var sourceInfo of sourceData) {
const source = document.createElement('source')
source.src = sourceInfo.src
source.type = sourceInfo.type
// Append each source to audio instance
audio.appendChild(source)
}
document.appendChild(audio)
// Update, forgot this - thanks @Kaiido!
audio.load()
return audio
}
// Usage
createAudio([
{ src : 'filename.ogg', type : 'audio/ogg' },
{ src : 'filename.mp3', type : 'audio/mpeg' },
])