15

简而言之,我想在 Firefox 中播放一个 blob MP3 文件。

我可以访问 blob 本身:(blob使用 mime type 切片audio/mpeg3)和它的 URL blobURL = window.URL.createObjectURL(blob):。

我尝试过:

  1. HTML5 音频播放器:

    <audio controls="controls">
        <source src="[blobURL]" type="audio/mp3">
    </audio>
    

    但我在 Firebug 中收到警告,告诉我 Firefox 无法读取类型为 的文件audio/mpeg3

  2. 多个音频播放器库(SoundManagerJPlayer等),但似乎没有一个允许 blob URL 作为输入。

我做错了吗?或者有人知道可以从 blob 播放 MP3 文件的解决方法或库吗?

4

3 回答 3

17

这对我来说似乎很好,虽然我使用audio/mpeg的是 MIME 类型:

$scope.player = new window.Audio();

var xhr = new XMLHttpRequest();
xhr.onreadystatechange = function() {
    if (this.readyState == 4 && this.status == 200) {
        $scope.player.src = window.URL.createObjectURL(this.response);
        $scope.player.play();
    }
};
xhr.open('GET', url);
xhr.responseType = 'blob';
xhr.send();
于 2014-02-25T11:27:12.823 回答
3

我意识到这个问题已经得到解答,并且我的发现是针对不同的浏览器(Chrome),但我想我会把它留在这里,以防将来有人遇到我遇到的同样问题。我在通过音频播放器播放 blob 文件时遇到问题,但发现删除源标签可以解决问题。所以这行不通:

<audio controls="controls">
    <source src="[blobURL]" type="audio/mp3">
</audio>

但这很好用:

<audio controls="controls" src="[blobURL]" type="audio/mp3" />

我不确定为什么一个会起作用而另一个不会,但它确实存在。希望这对其他人有用。

于 2019-03-15T20:04:56.910 回答
1

尝试在 React 中播放上传的 mp3 时遇到了类似的挑战。能够根据之前在此处提供的 XHR 解决方案使其工作,但随后对其进行了调整以与 React refs 一起使用:

import {useState, useRef, useEffect} from 'react'

function FileUploadPage(){
  const [selectedFile, setSelectedFile] = useState();
  const [isFilePicked, setIsFilePicked] = useState(false);
  const myRef = useRef(null)

  const changeHandler = (event) => {
    setSelectedFile(event.target.files[0]);
    setIsFilePicked(true);
  };

  const playAudio = () => {
    myRef.current.src = window.URL.createObjectURL(selectedFile)
    myRef.current.play()
  }

  return(
    <div>
      <input type="file" name="file" onChange={changeHandler} />
        {isFilePicked ? (
          <div>
                <p>Filename: {selectedFile.name}</p>
                <p>Filetype: {selectedFile.type}</p>
                <p>Size in bytes: {selectedFile.size}</p>
                <p>
                    lastModifiedDate:{' '}
                    {selectedFile.lastModifiedDate.toLocaleDateString()}
                </p>
                <div>
                <button onClick={playAudio}>
                    <span>Play Audio</span>
                </button>
                <audio ref={myRef} id="audio-element" src="" type="audio/mp3" />
            </div>
            </div>
        ) : (
            <p>Select a file to show details</p>
        )}
    </div>
)

}

于 2021-02-06T22:02:52.570 回答