我不确定画布尺寸是否有限制,但数据 URL 有限制,具体取决于浏览器:数据 URL 大小限制。
您可以尝试使用 Node.js + node-canvas(服务器端)重新创建画布。我一直在使用这些从画布元素创建可打印图像,并且到目前为止使用 toDataURL 没有任何问题/限制。
你在使用 fabric.js 库吗?我注意到你也在他们的论坛上发帖。Fabric.js 可以在 Node.js 中使用,并且有一个toDataURLWithMultiplier方法,它可以缩放画布/上下文,允许您更改 dataurl 图像大小。您可以检查方法源以了解这是如何完成的。
编辑:
由于您使用的是 fabric.js,我建议使用 Node.js 来处理画布以在服务器上进行图像处理。您将在此处找到有关如何在 Node.js 上使用 fabric.js 的更多信息。
这是一个使用 Node.js 和 express 的简单服务器:
var express = require('express'),
fs = require('fs'),
fabric = require('fabric').fabric,
app = express(),
port = 3000;
var allowCrossDomain = function (req, res, next) {
res.header('Access-Control-Allow-Origin', '*');
res.header('Access-Control-Allow-Methods', 'POST, OPTIONS');
res.header('Access-Control-Allow-Headers', 'Content-Type');
next();
}
app.configure(function() {
app.use(express.bodyParser());
app.use(allowCrossDomain);
});
app.options('/', function(req, res) {
res.send(200);
});
app.post('/', function(req, res) {
var canvas = fabric.createCanvasForNode(req.body.width, req.body.height);
console.log('> Loading JSON ...');
canvas.loadFromJSON(req.body.json, function() {
canvas.renderAll();
console.log('> Getting PNG data ... (this can take a while)');
var dataUrl = canvas.toDataURLWithMultiplier('png', req.body.multiplier),
data = dataUrl.replace(/^data:image\/png;base64,/, '');
console.log('> Saving PNG to file ...');
var filePath = __dirname + '/test.png';
fs.writeFile(filePath, data, 'base64', function(err) {
if (err) {
console.log('! Error saving PNG: ' + err);
res.json(200, { error: 'Error saving PNG: ' + err });
} else {
console.log('> PNG file saved to: ' + filePath);
res.json(200, { success: 'PNG file saved to: ' + filePath });
}
});
});
});
app.listen(port);
console.log('> Server listening on port ' + port);
当服务器运行时,您可以向它发送数据 ( postData
)。服务器期望json
,width
并height
重新创建画布,并 amultiplier
来缩放数据 url 图像。客户端代码如下所示:
var postData = {
json: canvas.toJSON(),
width: canvas.getWidth(),
height: canvas.getHeight(),
multiplier: 2
};
$.ajax({
url: 'http://localhost:3000',
type: 'POST',
contentType: 'application/json; charset=utf-8',
data: JSON.stringify(postData),
dataType: 'json',
success: function(data) {
console.log(data);
},
error: function(err) {
console.log(err);
}
});