我有一个问题,我希望有人能够提供帮助...
使用此 JSFIDDLE ,我可以动态创建画布,并在所有不同的画布之间拖放图像。
var next = 4
function addCanvas() {
// create a new canvas element
var newCanvas = document.createElement("canvas");
newCanvas.id = "addedcanvases" + next; //added this to give each new canvas a unique id
next++;
newCanvas.width = canvasWidth;
newCanvas.height = canvasHeight;
// add a context for the new canvas to the contexts[] array
contexts.push(newCanvas.getContext("2d"));
// link the new canvas to its context in the contexts[] array
newCanvas.contextIndex = contexts.length;
// wire up the click handler
newCanvas.onclick = function (e) {
handleClick(e, this.contextIndex);
};
// wire up the mousemove handler
newCanvas.onmousemove = function (e) {
handleMousemove(e, this.contextIndex);
};
// add the new canvas to the page
document.body.appendChild(newCanvas);
}
问题:
$("#saveCanvasStates").click(function () {
// save canvases and images on them to a database
});
在画布之间进行一些拖放操作结束时,用户需要能够按下“保存”按钮(此处显示为 JSFIDDLE ),这将保存当前状态所有画布到数据库即:
这样,用户可以稍后返回并继续他们离开的地方 - 拖放功能仍然有效。
这样做的最佳方法是什么?因为关于这个特定主题的信息/材料似乎很少,所以对你的帮助将非常感激,因为任何JSFIDDLE例子都会有所帮助 - 非常感谢
答案 0 :(得分:1)
保存/恢复用户工作所需的所有信息都在states []数组中,其中包含定义所有拖放项状态的javascript对象。
实际上...
...有很多关于序列化,传输,保存,检索和反序列化javascript对象的信息;)
对于序列化javascript对象,使用JSON.stringify
可以将对象数组序列化为单个JSON字符串(JSON代表JavaScriptObjectNotation)。这个单字符串很容易传输到您的服务器,以便发布到您的数据库。
要获取状态信息,可以要求服务器返回相同的JSON字符串。您可以使用JSON.parse
将该JSON字符串转换回对象数组。
要传输和接收JSON数据字符串,可以使用jQueries $.ajax
方法。 Ajax可用于向您的服务器发送信息 - 这称为ajax POST。 Ajax可用于从服务器请求信息 - 这称为ajax GET。
当您的服务器收到POST请求时,它将获取您提供的JSON字符串并将其保存在数据库中。
当您的服务器收到GET请求时,它将查询数据库以检索保存的JSON字符串并将其发送回您的用户。
设置服务器和数据库超出了stackoverflow问题的范围,但是这里有一系列关于如何一起使用jQuery,JSON,Ajax,Php和MySQL数据库来保存和恢复状态的教程:
www.youtube.com/watch?v=Yz0RF__mFDU
以下是序列化和发布状态信息的客户端代码的快速示例:
// Serialize the states array
var JsonStringForTransport = JSON.stringify({stateForUserNumber7: states});
// POST the JSON to your server
var thePost = $.ajax({
url: 'saveToServer.php',
type: 'POST',
dataType: 'json',
data: JsonStringForTransport,
contentType: 'application/json; charset=utf-8'
});
thePost.always(function(result){
// use this during testing to be sure something's happening
});
thePost.fail(function(result){
// handle failure
});
thePost.done(function(result){
// handle success
});
祝你的项目好运! :)