我找不到如何播放用户刚刚通过输入选择的音频文件的方法。 我有以下输入内容:
<input type='file' id="audio-input" class="audio-input" name="audio" accept=".mp3, .wav"/>
我想在用户选择音频文件时显示它,以便他播放。就像这样:
('#audio-input-0').change( function () {
let audio =
"<audio controls>" +
" <source id='audioFile' type='audio/mpeg'>" +
" Your browser does not support the audio element." +
"</audio>";
$('body').append(audio);
$('#audioFile').attr('src', $(this).val());
});
希望您能理解我的工作意图,我真的不知道如何解释(也许这就是为什么我在其他主题上找不到任何答案)的原因。
答案 0 :(得分:1)
.val()
实际上没有您放入input
中的文件。您需要使用其files
属性。
请考虑阅读此MDN文章,该文章将演示如何使用文件:Using files from web applications和URL.createObjectURL()
上的此文档,您需要使用它们为<audio>
提供src
function changeHandler({
target
}) {
// Make sure we have files to use
if (!target.files.length) return;
// Create a blob that we can use as an src for our audio element
const urlObj = URL.createObjectURL(target.files[0]);
// Create an audio element
const audio = document.createElement("audio");
// Clean up the URL Object after we are done with it
audio.addEventListener("load", () => {
URL.revokeObjectURL(urlObj);
});
// Append the audio element
document.body.appendChild(audio);
// Allow us to control the audio
audio.controls = "true";
// Set the src and start loading the audio from the file
audio.src = urlObj;
}
document
.getElementById("audio-upload")
.addEventListener("change", changeHandler);
<div><label for="audio-upload">Upload an audio file:</label></div>
<div><input id="audio-upload" type="file" /></div>