数以千计的方式给这只猫剥皮。我知道您是在{{}}之间询问,但是对于其他来这里的人,我认为值得展示其他一些选择。
在$ scope上起作用(IMO,这是大多数情况下的最佳选择):
app.controller('MyCtrl', function($scope) {
$scope.foo = 1;
$scope.showSomething = function(input) {
return input == 1 ? 'Foo' : 'Bar';
};
});
<span>{{showSomething(foo)}}</span>
ng-show和ng-hide当然是:
<span ng-show="foo == 1">Foo</span><span ng-hide="foo == 1">Bar</span>
ngSwitch
<div ng-switch on="foo">
<span ng-switch-when="1">Foo</span>
<span ng-switch-when="2">Bar</span>
<span ng-switch-default>What?</span>
</div>
如Bertrand建议的自定义过滤器。(如果您必须一遍又一遍地做同样的事情,这是您的最佳选择)
app.filter('myFilter', function() {
return function(input) {
return input == 1 ? 'Foo' : 'Bar';
}
}
{{foo | myFilter}}
或自定义指令:
app.directive('myDirective', function() {
return {
restrict: 'E',
replace: true,
link: function(scope, elem, attrs) {
scope.$watch(attrs.value, function(v) {
elem.text(v == 1 ? 'Foo': 'Bar');
});
}
};
});
<my-directive value="foo"></my-directive>
就个人而言,在大多数情况下,我会在范围内使用一个函数,该函数可使标记保持整洁,并且实现起来既快速又容易。除非,也就是说,您将一遍又一遍地做同样的事情,在这种情况下,我会根据情况选择Bertrand的建议并创建一个过滤器或一个指令。
与往常一样,最重要的是您的解决方案易于维护,并且有望进行测试。这将完全取决于您的具体情况。