Quick method question

I made a method for applying force to x and y velocities of an object:

public function applyForce(_xForce:Number = null,_yForce:Number = null):void	
{
	if (_xForce)
	{
		velocity.x *= _xForce;	
	}
	if (_yForce)
	{
		velocity.y *= _yForce;	
	}
}

So if I wanted to only apply xForce I would do a call like :

applyForce(xForce);

But what if i only wanted to apply yForce? I tried:

applyForce(,yForce);
//or
applyForce(null,yForce);

why not abstract them into two methods ?

Well it’s more of a hypothetical question if anything. I’m just wondering if it is possible.

No, you have to specify the variables up to and including the one you actually want to specify even when giving them defaults in the constructor. It’s kinda annoying.

It’s possible… if you don’t mind passing a cardinal value of some sort as the first argument:

public function applyForce(_xForce:Number = NaN,_yForce:Number = NaN):void    
{
    if(!isNaN(_xForce))
    {
        velocity.x *= _xForce;    
    }
    if (!isNaN(_yForce))
    {
        velocity.y *= _yForce;    
    }
} 

You could also just pass 1, since that would be a more logical value (and you could check for it, too). null usually refers to an Object reference of some sort, and while Numbers are Objects, they are also primitives so you can’t really have a null primitive reference.

Well for this particular example I’d say apply both forces every time, but default the value to 1, since x*1=x
But you’re asking about how to do this in general cases?