是否可以在文件系统/网络驱动器(c:\abc.xlsx
或p:\abc.xlsx
)上打开本地文件?
如果是这样,是否可以通过我为Google Chrome创建的自定义扩展程序来实现?
答案 0 :(得分:2)
可以通过设置--allow-file-access-from-files
标志来完成。
不要正常打开Chrome,请运行:
path\to\your\chrome\installation\chrome.exe --allow-file-access-from-files
答案 1 :(得分:2)
HTML5最终通过File API规范提供了与本地文件交互的标准方法。
规范提供了几个用于访问“本地”文件的界面。文件系统:
当与上述数据结构结合使用时,FileReader接口可用于通过熟悉的JavaScript事件处理异步读取文件。因此,可以监视读取,捕获错误的进度,并确定何时加载完成。在许多方面,API类似于XMLHttpRequest的事件模型。
要做的第一件事是检查您的浏览器是否完全支持File API:
// Check for the various File API support.
if (window.File && window.FileReader && window.FileList && window.Blob) {
// Great success! All the File APIs are supported.
} else {
alert('The File APIs are not fully supported in this browser.');
}
接下来,处理文件选择:
<input type="file" id="files" name="files[]" multiple />
<output id="list"></output>
<script>
function handleFileSelect(evt) {
var files = evt.target.files; // FileList object
// files is a FileList of File objects. List some properties.
var output = [];
for (var i = 0, f; f = files[i]; i++) {
output.push('<li><strong>', escape(f.name), '</strong> (', f.type || 'n/a', ') - ',
f.size, ' bytes, last modified: ',
f.lastModifiedDate ? f.lastModifiedDate.toLocaleDateString() : 'n/a',
'</li>');
}
document.getElementById('list').innerHTML = '<ul>' + output.join('') + '</ul>';
}
document.getElementById('files').addEventListener('change', handleFileSelect, false);
要读取文件,请按原样扩展handleFileSelect:
function handleFileSelect(evt) {
var files = evt.target.files; // FileList object
// Loop through the FileList and render image files as thumbnails.
for (var i = 0, f; f = files[i]; i++) {
// Only process image files.
if (!f.type.match('image.*')) {
continue;
}
var reader = new FileReader();
// Closure to capture the file information.
reader.onload = (function(theFile) {
return function(e) {
// Render thumbnail.
var span = document.createElement('span');
span.innerHTML = ['<img class="thumb" src="', e.target.result,
'" title="', escape(theFile.name), '"/>'].join('');
document.getElementById('list').insertBefore(span, null);
};
})(f);
// Read in the image file as a data URL.
reader.readAsDataURL(f);
}
}
document.getElementById('files').addEventListener('change', handleFileSelect, false);
最后,这是文件规范:http://www.w3.org/TR/file-upload/