我在使用AngularJS绑定数值时遇到问题。
我在JSFiddle上添加了一个简化示例:http://jsfiddle.net/treerock/ZvdXp/
<div ng-controller="MyCont" ng-app>
<input type="number" min="0" max="50" value="{{value}}" ng-model="value" />
<input type="text" value="{{value}}" ng-model="value" />
<input type="range" min="0" max="50" value="{{value}}" ng-model="value" />
{{value}}
</div>
这应该是三种不同类型的输入字段,如果更新一个,则应更新所有值。除了数字输入之外,这是有效的。例如如果我在第一个数字框中输入20,它会更新所有其他值的实例。但是,如果我更新文本或范围输入,则数字输入变为空白。
我想知道问题是如何在字段之间表示/转换数字。例如数字输入是一个浮点数,文本输入是一个字符串吗?
答案 0 :(得分:11)
你是对的,它与字符串与数字类型有关。我使用$scope.watch
语句来修复它:http://jsfiddle.net/ZvdXp/6/
答案 1 :(得分:5)
您也可以使用指令修复此问题。我创建了一个指令来强制绑定到数字字段的输入为数字。
HTML:
myApp.directive('numericbinding', function () {
return {
restrict: 'A',
require: 'ngModel',
scope: {
model: '=ngModel',
},
link: function (scope, element, attrs, ngModelCtrl) {
if (scope.model && typeof scope.model == 'string') {
scope.model = parseInt(scope.model);
}
}
};
});
您可以将其添加到数字字段中,如下所示:
<input data-ng-model="stringnumber" numericbinding type="number"/>
答案 2 :(得分:5)
我已经扩展了Tim的答案,以便在用户更新控制值后使其更正数据类型。
myApp.directive('numericbinding', function () {
return {
restrict: 'A',
require: 'ngModel',
scope: {
model: '=ngModel',
},
link: function (scope, element, attrs, ngModelCtrl) {
if (scope.model && typeof scope.model == 'string') {
scope.model = parseInt(scope.model);
}
scope.$watch('model', function(val, old) {
if (typeof val == 'string') {
scope.model = parseInt(val);
}
});
}
};
});
答案 3 :(得分:4)
如果您希望在模型中保存数值,可以使用一个指令,通过角度解析器转换由文本输入生成的字符串和数值输入的范围,如下所示:
myApp.directive('numericsaving', function () {
return {
restrict: 'A',
require: '?ngModel',
scope: {
model: '=ngModel'
},
link: function (scope, element, attrs, ngModelCtrl) {
if (!ngModelCtrl) {
return;
}
ngModelCtrl.$parsers.push(function (value) {
if (!value || value==='' || isNaN(parseInt(value)) || parseInt(value)!==value) {
value=0;
}
return parseInt(value);
});
}
};
});
在HTML中,保持数字输入不变,并以这种方式在其他输入中添加指令:
<input type="number" min="0" max="50" value="{{value}}" ng-model="value" />
<input type="range" min="0" max="50" value="{{value}}" ng-model="value" numericsaving/>
<input type="text" value="{{value}}" ng-model="value" numericsaving/>
角度解析器将字符串输入转换为数值,然后将其保存在模型中,因此数字输入将自动生效。 Here the complete fiddle
此外,如果用户在文本输入中插入字母或任何奇怪的字符,它们将不会保存在模型中,从而防止应用程序的单一事实来源中的无效值。 只有文本开头的“+”和“ - ”字符才能正确解析,因此允许使用负值。 我希望这有帮助! :)
答案 4 :(得分:1)
TypeScript版本启发了ainos984,为了子孙后代
export class ngIntegerDirective implements ng.IDirective {
static directiveKey: string = 'ngInteger';
require: string = 'ngModel';
link = (scope, ele, attr, ctrl: ng.INgModelController) => {
ctrl.$parsers.unshift(function (viewValue) {
let result: number = parseInt(viewValue,10);
if (isNaN(result)) {
result = 0;
}
return result;
});
}
public static Factory(): ng.IDirectiveFactory {
const directive = () => new ngIntegerDirective();
directive.$inject = []; //injecter les dépendances ici
return directive;
}
}