5

我试图构建一个带有附加小部件作为 Emberjs 组件的简单列表。

以下是我使用的代码:

HTML:

<!DOCTYPE html>
<html>
<head>
<script src="http://ajax.googleapis.com/ajax/libs/jquery/1/jquery.min.js"></script>
<script src="http://cdnjs.cloudflare.com/ajax/libs/handlebars.js/1.0.0/handlebars.js"></script>
<script src="http://cdnjs.cloudflare.com/ajax/libs/ember.js/1.0.0/ember.min.js"></script>
<meta charset=utf-8 />
<title>Ember Component example</title>
</head>
<body>

  <script type="text/x-handlebars" id="components/appendable-list">
     <h2> An appendable list </h2>
     <ul> 
       {{#each item in myList}}
         <li> {{item}} </li>
       {{/each}} 
     </ul>
     {{input type="text" value=newItem}}
     <button {{action 'append'}}> Append Item </button>
  </script>

  <script type="text/x-handlebars">
    {{appendable-list}}
    {{appendable-list}}
  </script>

</body>
</html>

Javascript:

App = Ember.Application.create();

App.AppendableListComponent = Ember.Component.extend({
    theList: Ember.ArrayProxy.create({ content: [] }),
    actions: {
        appendItem: function(){
            var newItem = this.get('newItem');
            this.get('theList').pushObject(newItem);
        }
    }
});

在这种情况下,列表在两个实例之间共享(即,追加到另一个实例中)

这是检查它的 JsBin:http://jsbin.com/arACoqa/7/edit?html,js, output

如果我执行以下操作,它会起作用:

window.App = Ember.Application.create();

App.AppendableListComponent = Ember.Component.extend({
  didInsertElement: function(){
    this.set('myList', Ember.ArrayProxy.create({content: []}));
  },
  actions: {
    append: function(){
      var newItem = this.get('newItem');
      this.get('myList').pushObject(newItem);
    }
  }
});

这是 JsBin:http ://jsbin.com/arACoqa/8/edit?html,js,output

我究竟做错了什么?提前致谢!

4

2 回答 2

7

声明组件后,每次在模板中使用它时都会创建一个新实例,最重要的init是,每次实例化新实例时也会调用该钩子,因此拥有不同myList数组的最安全方法是使用组件init挂钩来初始化数组,因此请尝试以下操作:

App.AppendableListComponent = Ember.Component.extend({
  myList: null,
  init: function(){
    this._super();
    this.set('myList', Ember.ArrayProxy.create({content: []}));
  },
  actions: {
    append: function(){
      var newItem = this.get('newItem');
      this.get('myList').pushObject(newItem);
    }
  }
});

同样重要的是调用this._super();内部init,一切都会按预期工作。

请参阅此处查看工作演示

希望能帮助到你。

于 2013-09-28T19:55:04.117 回答
4

当您使用extend(hash)散列中存在的任何值时,将被复制到任何创建的实例。并且因为数组是一个对象,所以您在创建的对象中的引用将是相同的:

App.MyObject = Ember.Object.extend({ text: [] });

obj1 = App.MyObject.create();
obj2 = App.MyObject.create();

obj1.get('text') === obj2.get('text') // true

obj1.get('text').pushObject('lorem');
obj1.get('text'); // ["lorem"]

obj2.get('text').pushObject('ipsum');
obj2.get('text'); // ["lorem", "ipsum"]

didInsertElement为每个创建的新视图调用 ,每个视图都是一个不同的实例。因此,在您的实现中,每个视图总是会有一个新的 Ember.ArrayProxy 实例,然后不存在共享状态:

didInsertElement: function() {
    // each call for this method have a diferent instance
    this.set('myList', Ember.ArrayProxy.create({content: []}));
}
于 2013-09-28T19:53:11.117 回答