当用户复制画布选择时,我正试图将图像放入剪贴板:
所以我认为正确的方法是将canvas tu dataURL,dataURL转换为blob和blob转换为二进制字符串。
理论上应该可以跳过blob,但我不知道为什么。
所以这就是我所做的:
function copy(event) {
console.log("copy");
console.log(event);
//Get DataTransfer object
var items = (event.clipboardData || event.originalEvent.clipboardData);
//Canvas to blob
var blob = Blob.fromDataURL(_this.editor.selection.getSelectedImage().toDataURL("image/png"));
//File reader to convert blob to binary string
var reader = new FileReader();
//File reader is for some reason asynchronous
reader.onloadend = function () {
items.setData(reader.result, "image/png");
}
//This starts the conversion
reader.readAsBinaryString(blob);
//Prevent default copy operation
event.preventDefault();
event.cancelBubble = true;
return false;
}
div.addEventListener('copy', copy);
但是当DataTransfer
事件线程中使用paste
对象时,setData
不再有任何机会生效。
如何在同一个函数线程中进行转换?
答案 0 :(得分:7)
这是一种从blob到它的字节同步的hacky方式。我不确定它对任何二进制数据的效果如何。
function blobToUint8Array(b) {
var uri = URL.createObjectURL(b),
xhr = new XMLHttpRequest(),
i,
ui8;
xhr.open('GET', uri, false);
xhr.send();
URL.revokeObjectURL(uri);
ui8 = new Uint8Array(xhr.response.length);
for (i = 0; i < xhr.response.length; ++i) {
ui8[i] = xhr.response.charCodeAt(i);
}
return ui8;
}
var b = new Blob(['abc'], {type: 'application/octet-stream'});
blobToUint8Array(b); // [97, 98, 99]
但是,您应该考虑保持异步,但要将其设为两个阶段,因为您最终可能会锁定浏览器。
此外,您可以通过包含二进制安全 Base64 解码器完全跳过 Blob ,您可能不需要通过 Base64 < / em> AND Blob ,只是其中之一。
答案 1 :(得分:0)