我在我的网络应用中使用rapaeljs。 我想设置对象的可丢弃边界。对象可以在可丢弃区域中移动。一旦物体进入可伸缩区域,对象应该没有出路。
答案 0 :(得分:63)
Raphael通过 .drag()
建立了拖放支持。以element.drag(start, move, up);
形式使用它。其中3个参数是对您编写的处理mousedown,movement和mouseup事件的函数的3个函数引用。
请注意this.ox
和this.oy
如何用于存储起始位置,dx
和dy
用于移动。
The following 在框中实施拖放操作。盒子总是可以移动,但一旦它在“监狱”盒子里,它就不能移回。当盒子进入监狱时,颜色会立即改变,以通知用户功能已经改变。
这是通过dx
和dy
之后 Math.min()
和 Math.max()
调整框位置来实现的被添加到当前位置:
var nowX, nowY, move = function (dx, dy) {
// move will be called with dx and dy
if (this.attr("y") > 60 || this.attr("x") > 60)
this.attr({x: this.ox + dx, y: this.oy + dy});
else {
nowX = Math.min(60, this.ox + dx);
nowY = Math.min(60, this.oy + dy);
nowX = Math.max(0, nowX);
nowY = Math.max(0, nowY);
this.attr({x: nowX, y: nowY });
if (this.attr("fill") != "#000") this.attr({fill: "#000"});
}
}
你也可以这样做,这样一旦把它放在“监狱”框中就不能再拿起它。这可以通过move()
或start()
函数中的位置测试或c.undrag(f)
函数中stop()
的使用来完成。
window.onload = function() {
var nowX, nowY, R = Raphael("canvas", 500, 500),
c = R.rect(200, 200, 40, 40).attr({
fill: "hsb(.8, 1, 1)",
stroke: "none",
opacity: .5,
cursor: "move"
}),
j = R.rect(0,0,100,100),
// start, move, and up are the drag functions
start = function () {
// storing original coordinates
this.ox = this.attr("x");
this.oy = this.attr("y");
this.attr({opacity: 1});
if (this.attr("y") < 60 && this.attr("x") < 60)
this.attr({fill: "#000"});
},
move = function (dx, dy) {
// move will be called with dx and dy
if (this.attr("y") > 60 || this.attr("x") > 60)
this.attr({x: this.ox + dx, y: this.oy + dy});
else {
nowX = Math.min(60, this.ox + dx);
nowY = Math.min(60, this.oy + dy);
nowX = Math.max(0, nowX);
nowY = Math.max(0, nowY);
this.attr({x: nowX, y: nowY });
if (this.attr("fill") != "#000") this.attr({fill: "#000"});
}
},
up = function () {
// restoring state
this.attr({opacity: .5});
if (this.attr("y") < 60 && this.attr("x") < 60)
this.attr({fill: "#AEAEAE"});
};
// rstart and rmove are the resize functions;
c.drag(move, start, up);
};