我有一个实用函数 notNull() 打算与这样的过滤器一起使用:
...| filter:notNull()"
我在更多指令中需要它,这就是我将它放在 $rootScope 中的原因。
问题是我的过滤器没有被调用。我创建了一个示例 plnkr:
http://plnkr.co/edit/Nq0iLw?p=preview
有人可以帮忙吗?为什么不调用过滤器并且不过滤我的项目?
PS。过滤器中的这个表达式不适用于空值:
...| filter:{myProp:!null}
我有一个实用函数 notNull() 打算与这样的过滤器一起使用:
...| filter:notNull()"
我在更多指令中需要它,这就是我将它放在 $rootScope 中的原因。
问题是我的过滤器没有被调用。我创建了一个示例 plnkr:
http://plnkr.co/edit/Nq0iLw?p=preview
有人可以帮忙吗?为什么不调用过滤器并且不过滤我的项目?
PS。过滤器中的这个表达式不适用于空值:
...| filter:{myProp:!null}
[注:更新按时间倒序排列。]
更新 2
首先,回答您的问题“为什么不起作用...| filter:{myProp:!null}
:
这是因为您尝试使用的语法(根据文档)仅适用于字符串值(并且null不是字符串值)。
您可以创建(并附加到您的应用程序)自定义过滤器:
app.filter("notEqual", function() {
return function(items, key, value) {
var filtered = [];
items.forEach(function(item) {
if (item && (item[key] !== undefined)
&& (item[key] !== value)) {
filtered.push(item);
}
});
return filtered;
};
});
然后从像这样的任何指令中使用它:
...| notEqual:'<keyName>':<valueToCompareAgainst>
例如:
app.directive("mytag", function() {
return {
restrict: "E",
template: "<div ng-repeat=\"item in myModel | notEqual:'a':null\">"
+ " item: {{item}}"
+ "</div>",
scope: {
myModel: "="
}
};
});
另请参阅另一个简短的演示。
更新
将服务或工厂用于许多控制器/范围应该可用并且应该可定制的实用方法可能是一个更好的主意。例如:
app.factory("notNullFactory", function() {
var factory = {};
factory.notNull = function(caption) {
return function(item) {
console.log(caption + " " + JSON.stringify(item));
return (item !== null);
};
};
return factory;
});
现在,您可以使用notNullFactory
'snotNull(...)
函数来创建可自定义的过滤器函数:
app.directive("mytag", function(notNullFactory) {
return {
restrict: "E",
template: "<div>"
+ " <div ng-repeat=\"item in myModel | filter:notNull('Checking')\">"
+ " item: {{item}}"
+ " </div>"
+ "</div>",
scope: {
myModel: "="
},
link: function($scope) {
$scope.notNull = function(caption) {
return notNullFactory.notNull(caption);
};
}
};
});
另请参阅另一个简短的演示。
不是没有调用您的过滤器,而是没有定义它。在您定义$scope.notNull
时,将其设置为等于$rootScope.notNull
,后者是未定义的。
相反,您可以摆脱链接属性并使用:
...| filter:$parent.notNull()...
另请参阅这个简短的演示。