问题
在提供文件时,我怎么能触发一个字段的drop
事件,我在加载时无权访问。
详情
有一个字段,其中附加了一个drop
侦听器,该处理器在删除时处理图像。我希望能够通过粘贴图像来使用此过程。我知道如何从粘贴中获取文件,但我不知道如何发送包含此文件的drop
事件。
障碍是:
drop
侦听器附加到元素后,无法获取它。 似乎有一些方法可以在控制台中执行,但不是从脚本中执行。 有没有人知道如何解决这个问题?
我正在调查DragEvent但是“虽然这个接口有一个构造函数,但是不可能从脚本创建一个有用的DataTransfer对象,因为DataTransfer对象有一个协调的处理和安全模型拖放期间的浏览器。“
我看到了一种可能的方法https://stackoverflow.com/a/39066443/1004274,但我想用其数据模仿真实 drop事件,即传递我通过clipboardData.items[0].getAsFile();
而不仅仅是文本获得的文件。
答案 0 :(得分:1)
您可以伪造 drop 事件,并伪造几乎所有内容。您遇到的问题是触发默认事件,例如通过删除选项卡来打开文件。原因并非如此,因为 dataTransfer 对象受到保护,但事件不受信任。通过拥有受信任的事件和受保护的dataTransfer,您可以确保不会将数据传递给受信任的事件,并且不会使用不需要的数据触发默认事件。
但是,根据drop函数访问被删除文件的方式,您可以使用假的 drop 事件和伪 dataTransfer 对象来欺骗它。看看这个小提琴,了解它如何运作的一般概念:
var a = document.getElementById('link');
var dropZone1 = document.getElementById('dropZone1');
var dropZone2 = document.getElementById('dropZone2');
var fakeDropBtn = document.getElementById('fakeDropBtn');
dropZone1.addEventListener('dragover', function(e) {
e.preventDefault();
});
dropZone2.addEventListener('dragover', function(e) {
e.preventDefault();
});
dropZone1.addEventListener('drop', function(e) {
// This first drop zone is simply to get access to a file.
// In your case the file would come from the clipboard
// but you need to work with an extension to have access
// to paste data, so here I use a drop event
e.preventDefault();
fakeDropBtn.classList.remove('disabled');
dropZone2.classList.remove('disabled');
var fileToDrop = e.dataTransfer.files[0];
// You create a drop event
var fakeDropEvent = new DragEvent('drop');
// You override dataTransfer with whichever property
// and method the drop function needs
Object.defineProperty(fakeDropEvent, 'dataTransfer', {
value: new FakeDataTransfer(fileToDrop)
});
fakeDropBtn.addEventListener('click', function(e) {
e.preventDefault();
// the fake event will be called on the button click
dropZone2.dispatchEvent(fakeDropEvent);
});
});
dropZone2.addEventListener('drop', function(e) {
e.preventDefault();
// this is the fake event being called. In this case for
// example, the function gets access to dataTransfer files.
// You'll see the result will be the same with a real
// drop event or with a fake drop event. The only thing
// that matters is to override the specific property this function
// is using.
var url = window.URL.createObjectURL(e.dataTransfer.files[0]);
a.href = url;
a.click();
window.URL.revokeObjectURL(url);
});
function FakeDataTransfer(file) {
this.dropEffect = 'all';
this.effectAllowed = 'all';
this.items = [];
this.types = ['Files'];
this.getData = function() {
return file;
};
this.files = [file];
};