2

如何让 Html5 音频在点击时播放声音?(ogg 用于 Firefox 等浏览器,mp3 用于 chrome 等浏览器)

到目前为止,onclick 我可以更改为单个文件类型,但我无法像在普通 html5 音频声明中那样拥有备份选项,即

<audio controls>
  <source src="horse.ogg" type="audio/ogg">
  <source src="horse.mp3" type="audio/mpeg">
Your browser does not support the audio element.
</audio> 

代码:

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">

<head>
<meta content="text/html; charset=utf-8" http-equiv="Content-Type" />
<title>How do i call the javascript function and get it to play .ogg if can't play .mp3?</title>
</head>
<body>
    <audio id="Mp3Me" autoplay autobuffer controls>
  <source src="Piano.mp3">
</audio>

<a href="javascript:GuitarTrack()">Guitar</a>

<script type="text/javascript">
function GuitarTrack(){
var Mp3Me= document.getElementById('Mp3Me');
Mp3Me.src = "Guitar.mp3";
Mp3Me.src = "Guitar.ogg";
}
</script>

</body>

</html>
4

1 回答 1

3

由于您只创建一个<source>元素,因此您必须<source>在 HTML 中创建另一个元素或使用 JavaScript 创建一个。

  1. 使用 HTML 创建第二个元素。http://jsfiddle.net/PVqvC/

    <audio id="Mp3Me" autoplay autobuffer controls>
    <source src="Piano.mp3">
    <source src="Piano.ogg">
    </audio>
    <a href="javascript:GuitarTrack();">Guitar</a>
    
    <script type="text/javascript">
    function GuitarTrack(){
        var Mp3Me= document.getElementById('Mp3Me');
        Mp3Me.children[0].src = "Guitar.mp3";
        Mp3Me.children[1].src = "Guitar.ogg";
        Mp3Me.load();
    }
    </script>
    
  2. 使用 JS 创建第二个元素。http://jsfiddle.net/MBvsC/1/

    <audio id="Mp3Me" autoplay autobuffer controls>
    <source src="Piano.mp3">
    </audio>
    <a href="javascript:GuitarTrack();">Guitar</a>
    
    <script type="text/javascript">
    function GuitarTrack(){
        var Mp3Me= document.getElementById('Mp3Me').getElementsByTagName('source');
    
        if(Mp3Me.length > 1) { //there are 2 elements
            Mp3Me[0].src = "Guitar.mp3";
            Mp3Me[1].src = "Guitar.ogg";
        }
        if(Mp3Me.length == 1) { //only one element, so we need to create the second one
            Mp3Me[0].src = "Guitar.mp3"; //changes existing element
    
            var node = document.getElementById('Mp3Me');
            var newelem = document.createElement('source');
            newelem.setAttribute('src', 'Guitar.ogg');
            node.appendChild(newelem); //creating new element with appropriate src                         
        }
        Mp3Me.load();
    }
    </script>
    

如您所见,第一种方法更短更简洁,因此如果您可以使用它,请使用它。如果您还有其他问题 - 请随时提出。

于 2013-03-10T01:05:01.350 回答