5

我正在定义一个模块Foo,并在另一个模块中实例化它Bar。我有第三个模块Other,我想为它提供创建和修改的相同Foo实例Bar

define('Foo', [], function() {
    var test = function() {
        this.foo = 'foo';        
    };

    return test;
});

define('Bar', ['Foo'], function(Foo) {
    Foo = new Foo();
    Foo.bar = 'bar';
    console.log('From bar', Foo);
});

define('Other', ['Foo'], function(Foo) {
    console.log('From the other', Foo);
});


require(['Foo', 'Bar', 'Other'], function(Foo, Bar, Other) {
    console.log('Bringing it all together');
});

http://jsfiddle.net/radu/Zhyx9/

没有要求,我会做类似的事情:

App = {};

App.Foo = function() {
    this.foo = 'foo';
}

App.Bar = function() {
    App.Foo = new App.Foo();
    App.Foo.bar = 'bar';
    console.log('From bar', App.Foo);
}

App.Other = function() {
   console.log('From other', App.Foo);
}

App.Bar();
App.Other();

http://jsfiddle.net/radu/eqxaA/

我知道我必须在这里遗漏一些东西,因为这是我第一次尝试 requirejs,所以可能混入了某种误解。这个例子可能看起来很做作,但我在将项目硬塞到使用 Backbone 和 RequireJS 时遇到了类似的情况. ​</p>

4

3 回答 3

3

您从使用的模块中公开的return内容可以从代表该模块的参数中访问

这是您的演示,已修改

define('Bar', ['Foo'], function(Foo) {
    Foo = new Foo();
    Foo.bar = 'bar';

    //return instantiated Foo
    return Foo;
});


require(['Foo', 'Bar', 'Other'], function(Foo, Bar, Other) {
    //Bar is the instantiated Foo, exposed from Bar
    console.log(Bar);
});
于 2012-09-11T02:41:09.723 回答
1

模块的返回值是 requirejs 认为暴露的 api 的值。所以你的console.log陈述破坏了这一点。

您需要从函数中返回一些内容,如下所示:

define('Bar', ['Foo'], function(Foo) {
    var Bar = { my: 'bar'};
    //or maybe return a function or whatever 
    return Bar;
 });
于 2012-09-11T02:34:42.450 回答
1

我将此作为对其中一个答案的评论发布,但我知道我可以像这样共享一个实例:

define('Foo', [], function() {
    var test = function() {
        this.foo = 'foo';        
    };

    return new test();
});

define('Bar', ['Foo'], function(Foo) {
    Foo.bar = 'bar';
    console.log('From bar', Foo);
});

define('Other', ['Foo'], function(Foo) {
    Foo.other = 'other';
    console.log('From the other', Foo);
});


require(['Foo', 'Bar', 'Other'], function(Foo, Bar, Other) {
    console.log('Bringing it all together');
});

http://jsfiddle.net/radu/XEL6S/

但是,我一开始没有这样做的原因是Foo模块无法实例化自身,因为它需要准备好 DOM。但是,作为 RequireJS 的新手,我不知道这种功能是内置在. 换句话说,要共享Foo我上面指定的模块实例,请在其定义中实例化并添加domReadyrequireJS 文档中指定的模块。

于 2012-09-11T03:14:28.967 回答