我的容器内有一个位图。当我拖动容器时,光标会变为编辑文本形状,并且图像也会跳转到光标的右下角(就好像我从左上角握住图像并拖动它一样)。
这是我的代码,以便您可以看到我有 RTFM:
function createIcon(imgPath) {
var image = new Image();
image.onload = function () {
var img = new createjs.Bitmap(event.target)
var con = new createjs.Container();
con.x = 160;
con.y = 100;
con.addChild(img);
stage.addChild(con);
con.on("pressmove", function(evt) {
evt.currentTarget.x = evt.stageX;
evt.currentTarget.y = evt.stageY;
stage.update();
});
stage.update();
}
image.src = imgPath;
}
有什么问题吗?
为了防止跳跃,您必须在按下移动之前添加一个额外的步骤:
con.on('mousedown', function(evt) {
var ct = evt.currentTarget,
local = ct.globalToLocal(evt.stageX, evt.stageY),
nx = ct.regX - local.x,
ny = ct.regY - local.y;
//set the new regX/Y
ct.regX = local.x;
ct.regY = local.y;
//adjust the real-position, otherwise the new regX/Y would cause a jump
ct.x -= nx;
ct.y -= ny;
});
这会将新的 regX/Y 设置为当前的鼠标位置,以防止形状/图像跳跃。
对于光标: 你可以通过 CSS 设置:
canvas {
cursor: default !important; /* in this case you couldn't set any other cursor via EaselJS though */
}
或者您可以通过 EaselJS 设置:http://www.createjs.com/Docs/EaselJS/classes/DisplayObject.html#property_cursor
con.cursor = "default"; //or 'pointer'...or whatever cursor you want it to be
// you have to activate enableMouseOver though on the stage for this to work
虽然@olsn提供的解决方案肯定有效,但使用 regX/regY 来偏移对象以考虑当前鼠标位置可能会在随后转换对象时导致困难。
例如如果您想围绕其中心旋转对象,则需要将 regX/regY 重置为对象宽度/2 和对象高度/2。这将重新引入故障,尽管是在对象操作的后期阶段。
考虑到这样的场景,我更喜欢避免使用 regX/regY 来防止拖动故障。
或者,在以下解决方案中,我记下
dragstart
上的鼠标位置,并在 dragging
时测量鼠标移动。通过将此移动应用于对象的 x/y 位置,该对象将看起来随着鼠标移动,从而有效地模拟拖动。
如this fiddle和以下代码所示:
function enableDrag(obj) {
obj.on("mousedown", dragstart);
obj.on("pressmove", drag);
};
function dragstart(evt) {
dragging = false;
}
function drag(evt) {
// register object starting point and mousedrag (stage) starting point
if (!dragging || !dragging.startCoords || !dragging.stageCoords) {
dragging = evt.currentTarget;
dragging.startCoords = {x: dragging.x, y: dragging.y};
dragging.stageCoords = {x: evt.stageX, y: evt.stageY};
}
// calculate mouse offset after move, relative to starting point, subtract this movement from object coords (move)
dragging.stageMove = {x: dragging.stageCoords.x - evt.stageX, y: dragging.stageCoords.y - evt.stageY};
dragging.objectMove = {x: dragging.startCoords.x - dragging.stageMove.x, y: dragging.startCoords.y - dragging.stageMove.y};
// apply movement to object
evt.currentTarget.x = dragging.objectMove.x;
evt.currentTarget.y = dragging.objectMove.y;
stage.update(); //update stage without passing through ticker for higher FPS
}
我的解决方案
(function(t, n) {
layer.addEventListener('mousedown', function(evt) {
var offset = {
x: t.x - evt.stageX,
y: t.y - evt.stageY
}
t.addEventListener("pressmove", function(e2){
t.x = offset.x + e2.stageX;
t.y = offset.y + e2.stageY;
app.stage.update();
})
});
})(layer, i);
其中layer是图层, 并且我没有被使用。