正确的方法(IMO)是创建一个自定义控件,如此处所述。
作为练习,我在这个小提琴中实现了它:http: //jsfiddle.net/6cn7y/
该指令的代码是(您可能需要调整一些细节):
app.directive("range", function() {
var ID=0;
function constructRangeString(from, to) {
var result;
if( !from && !to ) {
result = null;
}
else if( from ) {
result = from + "/" + (to || "");
}
else if( to ) {
result = "/" + to;
}
return result;
}
return {
require: "ngModel",
restrict: "E",
replace: true,
scope: {
name: "@"
},
template:
'<div ng-form="{{ subFormName }}">' +
'<input type="text" ng-model="from" class="range-from" />' +
'<input type="text" ng-model="to" class="range-to" />' +
'</div>',
link: function(scope,elem,attrs,ngModel) {
var re = /([0-9]+)\/([0-9]+)/;
if( scope.name ) {
scope.subFormName = scope.name;
}
else {
scope.subFormName = "_range" + ID;
ID++;
}
ngModel.$render = function() {
var result, from, to;
result = re.exec(ngModel.$viewValue);
if( result ) {
from = parseInt(result[1]);
to = parseInt(result[2]);
}
scope.from = from;
scope.to = to;
};
scope.$watch("from", function(newval) {
var result = constructRangeString(newval, scope.to);
ngModel.$setViewValue(result);
});
scope.$watch("to", function(newval) {
var result = constructRangeString(scope.from, newval);
ngModel.$setViewValue(result);
});
}
};
});
它的用法是:
<range ng-model="ctrl.theRange" name="myRange" required="true"></range>
我怀疑过滤器会带你到任何地方,因为它们不进行双向绑定。
编辑:即使这解决了问题,我还是建议采用稍微不同的方法。我将range
指令的模型定义为一个对象:
{
from: ...,
to: ...
}
这意味着ctrl.theRange
示例中变量中的输出将是与上述类似的对象。如果您真的想要字符串格式"from/to"
,请在管道中添加解析器/格式化程序ngModel
,即constructRangeString()
函数。使用解析器/格式化程序,ctrl.theRange
变量获得所需的字符串格式,同时保持代码更加模块化(constructRangeString()
函数在指令外部)和更加参数化(模型采用可以轻松处理和转换的格式)。
和概念证明:http: //jsfiddle.net/W99rX/