Trying to save canvas PNG data url to disk with HTML5 filesystem, but when I retrieve as URL, it#39;s invalid(尝试使用 HTML5 文件系统将画布 PNG 数据 url 保存到磁盘,但是当我作为 URL 检索时,它无效)
问题描述
我从画布中得到 base64 编码的图像:
I get the base64-encoded image form the canvas as:
var dataURL = canvas.toDataURL( "image/png" );
然后我把它变成这样的数据:
Then I turn it into data like this:
//Remove the beginning identifier and use Chrome/Firefox?safari built int base64Decoder
var data = atob( dataURL.substring( "data:image/png;base64,".length ) );
然后我通过以下方式将其写入文件系统:
Then I write it to the filesystem via:
event.createWriter(
function(writerEvent)
{
//The success handler
writerEvent.onwriteend = function(finishEvent)
{
...
};
//Error handler
writerEvent.onerror = settings.error;
// Create a new Blob
var blob = new Blob( [ data ], { type: "image/png" } );
//Write it into the path
writerEvent.write( blob );
}
}
我尝试将其设置为这样的图像的 src:
I try to set it as src of an image like this:
document.getElementById( "saved" ).src = event.toURL();
写入文件,我可以找到它并获得一个 url(通过读取它并使用事件:event.toURL()
.但图像显示为一个损坏的图像图标网页.我做错了什么?
That writes the file and I am able to find it and get a url (by reading it and using the event: event.toURL()
. But the image shows as a broken image icon on the web page. What am I doing wrong?
推荐答案
data
是一个字符串,所以当你将它传递给 blob 时,二进制数据将是 UTF-8 编码的那个字符串.你要二进制数据不是字符串.
data
is a string, so when you pass it to blob, the binary data will be that string in UTF-8 encoding. You want
binary data not a string.
你可以这样做:
var canvas = document.createElement("canvas");
var dataURL = canvas.toDataURL( "image/png" );
var data = atob( dataURL.substring( "data:image/png;base64,".length ) ),
asArray = new Uint8Array(data.length);
for( var i = 0, len = data.length; i < len; ++i ) {
asArray[i] = data.charCodeAt(i);
}
var blob = new Blob( [ asArray.buffer ], {type: "image/png"} );
还有 canvas.toBlob
将来可用,但目前不在 Chrome 中.
There is also canvas.toBlob
available in future but not currently in Chrome.
演示 http://jsfiddle.net/GaLRS/
这篇关于尝试使用 HTML5 文件系统将画布 PNG 数据 url 保存到磁盘,但是当我作为 URL 检索时,它无效的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:尝试使用 HTML5 文件系统将画布 PNG 数据 url 保存到磁盘,但是当我作为 URL 检索时,它无效
基础教程推荐
- 自定义 XMLHttpRequest.prototype.open 2022-01-01
- 如何使用JIT在顺风css中使用布局变体? 2022-01-01
- 用于 Twitter 小部件宽度的 HTML/CSS 2022-01-01
- Vue 3 – <过渡>渲染不能动画的非元素根节点 2022-01-01
- 如何使用TypeScrip将固定承诺数组中的项设置为可选 2022-01-01
- Electron 将 Node.js 和 Chromium 上下文结合起来意味着 2022-01-01
- 直接将值设置为滑块 2022-01-01
- 我可以在浏览器中与Babel一起使用ES模块,而不捆绑我的代码吗? 2022-01-01
- Chart.js 在线性图表上拖动点 2022-01-01
- html表格如何通过更改悬停边框来突出显示列? 2022-01-01