I'm browsing the discussion for a similar topic, but can't find my situation...
Am trying call parent constructors with parameters... can't seem to get it right.
I have a PhysicsBody
superclass that takes aNode
as its only constructor argument:
function PhysicsBody(aNode) { this.userData = aNode; // ... }
Of this PhysicsBody
inherits a DynamicBody
class. Is constructor also takes aNode
as only argument... Like I would do it in Java, I'd love to call something equivalent to "super(aNode");
Can't seem to find out how.
Here's the DynamicBody
class:
// Wanted to give "new PhysicsBody(this, aNode)", but that fails! DynamicBody.prototype = new PhysicsBody(); DynamicBody.prototype.constructor=DynamicBody; function DynamicBody(aNode) { // calling the parent constructor fails too: // PhysicsBody.prototype.constructor.call(this, aNode); //... }
Constructors are not members of classes and only members are inherited. You cannot inherit a constructor.
Constructors are not members, so they are not inherited by subclasses, but the constructor of the superclass can be invoked from the subclass.
Constructors are not inherited. The superclass constructor can be called from the first line of a subclass constructor by using the keyword super and passing appropriate parameters to set the private instance variables of the superclass.
No. The first thing a subclass constructor must do is to invoke one of the superclass constructors. If you don't, then the compiler calls the no-arg constructor of the superclass for you.
One way to do it:
function PhysicsBody( aNode ) { this.userData = aNode; } PhysicsBody.prototype.pbMethod = function () {}; function DynamicBody( aNode ) { PhysicsBody.call( this, aNode ); } // setting up the inheritance DynamicBody.prototype = Object.create( PhysicsBody.prototype ); DynamicBody.prototype.dbMethod = function () {};
Now, when you do
var pb = new PhysicsBody( '...' );
the instance pb
gets a userData
property and also inherits the methods from PhysicsBody.prototype
(pbMethod
in this case).
When you do
var db = new DynamicBody( '...' );
the instance db
gets a userData
property and also inherits the methods from DynamicBody.prototype
(dbMethod
in this case), which in turn inherits from PhysicsBody.prototype
.
If I understand you correctly, by saying you want to inherit the parent constructor arguments, you mean that new DynamicBody(1, 2, 3)
will internally call PhysicsBody(1, 2, 3)
for the DynamicBody
instance.
This can be accomplished by using .apply
and passing arguments
along: http://jsfiddle.net/pmkrQ/.
function DynamicBody() { PhysicsBody.apply(this, arguments); }
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With