Define a “nested” object constructor in JavaScript

2019-02-13 14:03发布

Is it possible to define an object within another object? I'm thinking something like this:

function MyObj(name) {
    this.name = name;

    function EmbeddedObj(id) {
        this.id = id;
    }
}

And I could then create an EmbeddedObj like this:

var myEmbeddedObj = new MyObj.EmbeddedObj();

Meme for bonus points: Objectception! :o

3条回答
Root(大扎)
2楼-- · 2019-02-13 14:28
function MyObj(name) {
    this.name = name;
}

MyObj.EmbeddedObj = function(id) {
    this.id = id;
}

var myEmbeddedObj = new MyObj.EmbeddedObj();

Does that look like what you're after?

查看更多
别忘想泡老子
3楼-- · 2019-02-13 14:36

Here is example of nested constructor.

function cimdb(name,review,year) {

 function nestedConstructor(name,review,year) {
    this.name = name;
    this.review = review;
    this.year = year
};

    this.name = name;
    this[name] = new nestedConstructor(name,review,year);

}



  var lionking = new cimdb("The Lion King", "The lion King review ..", 2015);

I guess this is what you mean by nested object constructor.

查看更多
闹够了就滚
4楼-- · 2019-02-13 14:42

Yes, and no.

function MyObj(name) {
    this.name = name;
}
MyObj.EmbeddedObj = function EmbeddedObj(id) {
    this.id = id;
}
new MyObj.EmbeddedObj(42);

Would run, but it might not yield the expected results for "embedded object" (see comment).

Note that in the case of new expr the expression is evaluated first so, in this case it creates a new object using the function-object evaluated from MyObject.EmbeddedObj as a constructor. (There is a silly rule with parenthesis in the expression, but that's another story.)


Now, if a "parent" and "child" relationship was desired, that could be done, using a more round-about method:

function Parent (name) {
   this.name = name;
   var parent = this; // for closure
   this.Child = function Child () {
      this.Parent = parent;
   }
}

// create new parent object
var parent = new Parent();       
// each new parent has a different Child constructor and
// any function-object can be used as a constructor
var child = new parent.Child();
// true: child is "bound" to parent
child.Parent === parent;
查看更多
登录 后发表回答