提前道歉,指令不是我的强项!
我有一个简单的仅属性指令,其目的是在blur
字段后自动将字段中的字符串转换为HH:mm格式。这是指令:
(function () {
'use strict';
angular
.module('app.format-as-time')
.directive('formatAsTime', timeDirective);
timeDirective.$inject = [
'isValid'
];
function timeDirective (isValid) {
return {
require: 'ngModel',
restrict: 'A',
link: LinkFunction
};
function LinkFunction (scope, elem, attrs, ngModel) {
elem.bind('blur', function () {
var currentVal = ngModel.$modelValue,
formattedVal = '';
// Format something like 0115 to 01:15
if (currentVal.length === 4) {
formattedVal = currentVal.substr(0, 2) + ':' + currentVal.substr(2, 2);
// Format something like 115 to 01:15
} else if (currentVal.length === 3) {
formattedVal = '0' + currentVal.substr(0, 1) + ':' + currentVal.substr(1, 2);
// Format something like 15 to 00:15
} else if (currentVal.length === 2) {
formattedVal = '00:' + currentVal;
}
// If our formatted time is valid, apply it!
if (isValid.time(formattedVal)) {
scope.$applyAsync(function () {
ngModel.$viewValue = formattedVal;
ngModel.$render();
});
}
});
}
}
}());
相关观点:
<div ng-controller="TestController as test">
<input type="text"
maxlength="5"
placeholder="HH:mm"
ng-model="test.startTime"
format-as-time>
<button ng-click="test.getStartTime()">Get Start Time</button>
</div>
以及相关的控制器:
(function () {
'use strict';
angular
.module('app.testModule')
.controller('TestController', TestController);
function TestController () {
var vm = this;
vm.startTime = '';
vm.getStartTime = function () {
console.log(vm.startTime);
}
}
}());
目前,该指令对视图的预期效果如预期,但我的控制器中的模型没有更新,即输入将包含01:15,但模型将console.log()
115。
我尝试过使用:
scope: {
ngModel: '='
}
在指令中,但这没有做任何事情。
我是否以正确的方式完成了此操作,如果是这样,我需要添加什么以确保模型和视图保持同步?
如果我以错误的方式做到这一点,那么正确做到这一点的最佳方式是什么?
答案 0 :(得分:1)
问题出在这一行ngModel.$viewValue = formattedVal;
Angular有一个用于设置modelValue的管道,其中包括通过已注册的$ parsers和$ validators运行它。设置值的正确方法是调用$setViewValue(formattedVal)
,它将通过此管道运行值。