3

我有以下课程

盒子类

var Box = new Class({
    Implements: [Options],
    options: {
        name: 'new',
        weight: 0
    },
    initialize: function (options) {
        this.setOptions(options);
    },
    getParent: function () {
        return this.options.parent;
    }
});

收藏类

var Collection = new Class({
    Implements: [Options],
    options: {
        boxes: []
    },
    boxes: [],
    initialize: function (options) {
        var self = this;
        this.setOptions(options);
        Array.each(this.options.boxes, function (box) {
            self.boxes.push(new Box({
                parent: self,
                name: box.name,
                weight: box.weight
            }));
        });
    }
});

创建时,我将Collection类(作为parent)传递给 Box 类。

var newCollection = new Collection({
    boxes: [
        {
            name: 'A',
            weight: 9
        }, 
        {
            name: 'B',
            weight: 3
        }, 
        {
            name: 'C',
            weight: 2
        }, 
        {
            name: 'D',
            weight: 5
        }, 
        {
            name: 'E',
            weight: 7
        }
    ]
});

我希望类中的是parentBox类的引用Collection而不是副本,尽管似乎newCollection每次Box创建类时我都会获得类的副本(每个框的长度都不同)

Array.each(newCollection.boxes, function (box) {
    console.log('*',box.getParent());
});

我是 mootools 的新手,即使我已经阅读了文档,这也是我最终编写代码的方式。mootools 中是否有更可接受的编码模式,我可以通过它来引用parent

这是小提琴

4

1 回答 1

1

很容易错过。setOptions( docs )深度复制选项对象。只需parent在初始化后设置 Box 的属性。我在这里发布了您的代码的略微修改版本

Array.each(this.options.boxes, function (box) {
    var nB = new Box({
        name: box.name,
        weight: box.weight
    });
    // Note the difference
    nB.parent = self;
    self.boxes.push(nB);
});
于 2013-03-13T13:58:48.920 回答