我试图用附加小部件构建一个简单的列表作为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
我做错了什么?提前谢谢!
答案 0 :(得分: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
,一切都会按预期运作。
请参阅此处了解正常工作demo。
希望它有所帮助。
答案 1 :(得分: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: []}));
}