<!doctype html>
<html>
<head>
<meta charset="utf-8">
<title>Untitled Document</title>
</head>

<body>
<input type="file" id="files" multiple />
<label id="list"></label>

<script>
//Interact with local files using the HTML5 file API
function handleFileSelect(evt)
{
    //target is the element that triggered the event
    var files = evt.target.files; // FileList object

    // files is a FileList of File objects. List some properties.
    for(var i=0; i<files.length; i++)
    {
        f = files[i];
        document.getElementById('list').innerHTML += f.name + ' ' + f.type + ' ' + f.size + ' bytes ' + f.lastModifiedDate + '<br/>';
    }
}

document.getElementById('files').addEventListener('change', handleFileSelect, false);
</script>
</body>
</html>

我只是想知道如果脚本部分从正文移动到头部,为什么代码不能正常工作。

正确工作的代码应该显示文件名及其大小和其他详细信息,但是当代码移动时,它不会显示这些。

最佳答案

因为当你把它放在头部时,文件元素还不存在。所以当你调用 document.getElementById('files') 时,它​​返回 null ,导致 addEventListener 废话。

浏览器自上而下构建页面。最常见的原因是您将 JavaScript 放在底部。

或者,您可以连接到 DOMContentLoaded 事件。这基本上就是 jQuery 的 $(document).ready() 所做的。或者做 window.onload = function() {...}document.onload = function() {...}

但实际上,将它放在底部更简单。我通常只是这样做。

关于javascript - 为什么这只适用于 body 部分而不适用于头部,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28397319/

10-13 01:22