答案 0 :(得分:77)
{{#if}}
助手只能测试属性,而不能测试任意表达式。因此,在这种情况下,最好的办法就是编写一个属性来计算你想要测试的条件。
personIsJohn: function() {
return this.get('person') === 'John';
}.property('person')
然后执行{{#if personIsJohn}}
。
注意:如果您发现此限制太多,您还可以register your own more powerful if
helper。
答案 1 :(得分:26)
使用Ember.Component
,从而避免在类中重复定义计算属性(如上面的personIsJohn
):
// if_equal_component.js script
App.IfEqualComponent = Ember.Component.extend({
isEqual: function() {
return this.get('param1') === this.get('param2');
}.property('param1', 'param2')
});
// if-equal.handlebars template
{{#if isEqual}}
{{yield}}
{{/if}}
您可以使用App.ElseEqualComponent
:
// else_equal_component.js script
App.ElseEqualComponent = App.IfEqualComponent.extend();
// else-equal.handlebars template
{{#unless isEqual}}
{{yield}}
{{/unless}}
{{#if-equal param1=person param2="John"}}
Hi John!
{{/if-equal}}
{{#else-equal param1=person param2="John"}}
Who are you?
{{/else-equal}}
答案 2 :(得分:19)
如果您使用的是HTMLBars(Ember版本1.10+),那么您可以使用 Ember Truth Helper 插件:
https://github.com/jmurphyau/ember-truth-helpers
安装完成后,就会这么简单:
{{#if (eq person "John")}} hello {{/if}}
答案 3 :(得分:7)
虽然这个问题可以通过编写
使用eq helper来解决{{#if (eq person "John")}} hello {{/if}}
但是对于一般解决方案,您可以创建自己的帮助程序,其中三个参数param[0]
和param[2]
是操作数,param[1]
是操作符。以下是帮助文件。
compare.js
import Ember from 'ember';
export function compare(params) {
if(params[3]){ //handle case insensitive conditions if 4 param is passed.
params[0]= params[0].toLowerCase();
params[2]= params[2].toLowerCase();
}
let v1 = params[0];
let operator = params[1];
let v2 = params[2];
switch (operator) {
case '==':
return (v1 == v2);
case '!=':
return (v1 != v2);
case '===':
return (v1 === v2);
case '<':
return (v1 < v2);
case '<=':
return (v1 <= v2);
case '>':
return (v1 > v2);
case '>=':
return (v1 >= v2);
case '&&':
return !!(v1 && v2);
case '||':
return !!(v1 || v2);
default:
return false;
}
}
export default Ember.Helper.helper(compare);
现在您可以轻松地将其用于多种用途。
用于平等检查。
{{#if (compare person '===' 'John')}} {{/if}}
进行更大的检查。
{{#if (compare money '>' 300)}} {{/if}}
等等。
答案 4 :(得分:4)
扩展Jo Liss的答案,您现在可以使用计算属性宏执行此操作,以获得更简洁和可读的代码。
personIsJohn: function() {
return this.get('person') === 'John';
}.property('person')
变为
personIsJohn: Ember.computed.equal('person', 'John')