I would like to have a few objects (e.g. 20 of them), each time I mouse over any one of them, it moves up and each time my mouse leaves, it moves down.
obj1.addEventListener(MouseEvent.MOUSE_OVER, moveMyself1);
obj1.addEventListener(MouseEvent.MOUSE_OUT, moveMyself2);
obj2.addEventListener(MouseEvent.MOUSE_OVER, moveMyself1);
obj2.addEventListener(MouseEvent.MOUSE_OUT, moveMyself2);
obj3.addEventListener(MouseEvent.MOUSE_OVER, moveMyself1);
obj3.addEventListener(MouseEvent.MOUSE_OUT, moveMyself2);
obj4.addEventListener(MouseEvent.MOUSE_OVER, moveMyself1);
obj4.addEventListener(MouseEvent.MOUSE_OUT, moveMyself2);
obj5.addEventListener(MouseEvent.MOUSE_OVER, moveMyself1);
obj5.addEventListener(MouseEvent.MOUSE_OUT, moveMyself2);
//and etc...
function moveMyself1(e:MouseEvent):void{
obj1.y -= 30;
}
function moveMyself2(e:MouseEvent):void{
obj1.y += 30;
}
I don't want to add an event listener for each of the objects, then I would have 40 methods! Is there any way to write a static method so I can use for all the objects?
And I realized the obj is moving up and down too fast. If you try to put your mouse at the bottom end of the obj, you will see it jumping up n down very fast. Is there any way I can control the speed of the obj?
I wanted to have a few objects in which the user can mouse over and discover treasure underneath. The user can click on the treasure as well. I got this idea from a game. The object will fall back to the same position after the user moves the mouse away. If the object moves too fast, the user can't get to click on the treasure inside. Any idea on how to solve the movement issue?
var elements : Array = new Array();
var elements2 : Array = new Array();
for (var i:int = 1; i <= 5; i++) {
elements[i] = this['obj' + i];
elements2[i] = this['tracking' + i];
}
for each(var element_1 : IEventDispatcher in elements){
element_1.addEventListener(MouseEvent.MOUSE_OVER, moveUp);
}
for each(var element_2 : IEventDispatcher in elements2){
element_2.addEventListener(MouseEvent.MOUSE_OUT, moveDown);
}
function moveUp(e:MouseEvent):void{
e.currentTarget.y -= 30;
}
function moveDown(e:MouseEvent):void{
elements[elements2.indexOf(e.currentTarget)].y += 30;
}
Above is my updated code, I tried Richard's suggestion, but it seemed like the objects are moving up and down out of my control.
You could put the objects into an array and pass the object from the event handler to your method that applies the logic:
var elements : Array = [obj1, obj2, obj3, obj4];
for each(var element : IEventDispatcher in elements)
{
element.addEventListener(MouseEvent.MOUSE_OVER, function(e:Event) { moveUp(this); } );
element.addEventListener(MouseEvent.MOUSE_OUT, function(e:Event) { moveDown(this); });
}
function moveUp(element : UIElement)
{
element.y += 30;
}
function moveDown(element : UIElement)
{
element.y -= 30;
}
As far as the movement speed, perhaps you could trigger an animation instead?