我试图围绕ember.js。我正在写一个小的网络应用程序,显示某些咖啡豆的价格。用户可以添加新的咖啡豆,但现在我想让用户能够编辑现有的咖啡豆。如果用户双击bean的条目,那么他或她应该能够输入新名称或价格:
<script type="text/x-handlebars" data-template-name="coffee">
<table>
<tr>
<th>Beans</th>
<th>Prices</th>
</tr>
{{#each}}
<tr>
{{#if isEditing}}
<td>{{input type="text"}}</td>
<td>{{input type="text"}}</td>
<td><button class="delete">Delete</button></td>
{{else}}
<td {{action "editCoffee" on="doubleClick"}}>{{bean}}</td>
<td {{action "editCoffee" on="doubleClick"}}>{{price}}</td>
<td><button class="delete">Delete</button></td>
{{/if}}
</tr>
{{/each}}
</table>
{{input type="text" placeholder="Beans" value=newBean}}
{{input type="text" placeholder="Price" value=newPrice}}
<button type="button" {{action 'createCoffee'}}>Submit</button>
</script>
以下是控制器的代码:
// Controllers
App.CoffeeController = Ember.ArrayController.extend({
actions: {
createCoffee: function() {
// Get the bean name
var bean = this.get('newBean');
if (!bean.trim()) { return; }
// Get the price
var price = this.get('newPrice');
if (!price.trim()) { return; }
// Create the new coffee model
var coffee = this.store.createRecord('coffee', {
bean: bean,
price: price
});
// Clear the text fields
this.set('newBean', '');
this.set('newPrice', '');
// Save the new model
coffee.save();
},
isEditing: false,
editCoffee: function () {
console.log('Hello World');
this.set('isEditing', true);
}
}
});
以下是JS Fiddle的链接:http://jsfiddle.net/cspears2002/y8MT3/
双击名称或价格会让我进入editCoffee函数,但由于某些原因我无法编辑咖啡豆。有什么想法吗?
答案 0 :(得分:1)
有几个问题。 isEditing
应该位于actions
哈希之外,而isEditing
上并不存在ArrayController
,因为该属性与单个项目相关,而不是整个数组。这就是说项目控制器在这里使用是合适的。在ember中,你可以告诉数组控制器,当迭代一个项目列表时,它应该使用一个项目控制器。最后一点,表格在ember中引起了大量问题,因为它删除并将dom插入到页面中,并且根据浏览器的不同,这可能会导致表格出现大量问题。所以我为了告诉你如何修复它而撕掉了所有的表格。
App.CoffeeItemController = Em.ObjectController.extend({
isEditing: false,
actions: {
editCoffee: function () {
this.toggleProperty('isEditing');
}
}
});
App.CoffeeController = Ember.ArrayController.extend({
itemController: 'coffeeItem'
....