如何在JavaScript中创建File对象的修改副本?

问题描述 投票:12回答:3

<input type="file">收到的文件属性是只读的。

例如,以下尝试重写file.name将无声地失败或抛出TypeError: Cannot assign to read only property 'name' of object '#<File>'

<input onchange="onchange" type="file">
onchange = (event) => {
    const file = event.target.files[0];
    file.name = 'foo';
}

尝试通过Object.assign({}, file)创建副本失败(创建一个空对象)。

那么如何克隆一个File对象呢?

javascript file copy clone
3个回答
14
投票

我的解决方案在于File构造函数:

https://developer.mozilla.org/en-US/docs/Web/API/File#Implementation_notes

这本身就是Blob的扩展:

https://developer.mozilla.org/en-US/docs/Web/API/Blob/Blob

let file = event.target.files[0];
if (this.props.distro) {
    const name = 'new-name-here' + // Concat with file extension.
        file.name.substring(file.name.lastIndexOf('.'));
    // Instantiate copy of file, giving it new name.
    file = new File([file], name, { type: file.type });
}

注意File()的第一个参数必须是一个数组,而不仅仅是原始文件。


3
投票

您可以使用FormData.prototype.append(),它还将Blob转换为File对象。

let file = event.target.files[0];
let data = new FormData();
data.append("file", file, file.name);
let _file = data.get("file");

1
投票

A more cross browser solution

The accepted answer在现代浏览器中也适合我,但不幸的是它在IE11中不起作用,因为IE11 does not support the File constructor。但是,IE11确实支持Blob构造函数,因此它可以用作替代方法。

例如:

var newFile  = new Blob([originalFile], {type: originalFile.type});
newFile.name = 'copy-of-'+originalFile.name;
newFile.lastModifiedDate = originalFile.lastModifiedDate;

资料来源:MSDN - How to create a file instannce using HTML 5 file API?

© www.soinside.com 2019 - 2024. All rights reserved.