我有一个简单的验证器,它根据正则表达式检查输入:
.directive('test', function () {
return {
restrict: 'A',
require: 'ngModel',
link: function ($scope, element, attrs, ctrl) {
ctrl.$setValidity('namePattern', true);
function checkValid(name) {
console.log('checkValid executed');
if (!name || ctrl.$pristine) {
ctrl.$setValidity('namePattern', true);
return name;
}
var test = /^[A-Za-z0-9_-]+$/;
ctrl.$setValidity('namePattern', test.test(name));
return name;
}
// called when value changes via code/controller
ctrl.$formatters.unshift(checkValid);
// called when value changes in input element
ctrl.$parsers.unshift(checkValid);
}
};
});
我想对此指令进行单元测试,并具有以下内容:
function initState() {
angular.mock.module('app');
angular.mock.inject(function($compile, $rootScope, $timeout){
$scope = $rootScope.$new();
$rootScope.safeApply = function(cb) {
$timeout(function() {
$scope.$digest();
});
};
$scope.model = {
instanceName: ''
};
var tmpl = angular.element('<form name="form">' +
'<input ng-model="model.instanceName" name="instanceName" test>' +
'</form>'
);
element = $compile(tmpl)($scope);
$scope.$apply();
form = $scope.form;
});
}
beforeEach(initState);
但是,对模型的更改不会触发checkValid
。我已尝试直接在模型上设置属性:
it('should trigger a change resulting in an invalid state', function () {
$scope.model.instanceName = 'this is an invalid name';
$scope.$digest();
expect(form.instanceName.$valid).to.be.false;
});
以及围绕着$modelValue
:
it('should trigger a change resulting in an invalid state', function () {
form.instanceName.$modelValue = 'this is an invalid name';
$scope.$digest();
expect(form.instanceName.$valid).to.be.false;
});
我还尝试通过input
触发element.triggerHandler
事件。
如何触发模型更改,以便checkValid
通过$formatters
运行?
(这是使用Angular 1.2.23)
答案 0 :(得分:1)
看起来你的指令将输入设置为有效,如果它是原始的。在您编写的单元测试的情况下,它将始终是原始的,因为用户没有与之交互。
如果你想让指令继续现在的状态,那么在测试测试中你可以强制输入不是原始的:(我在这里使用Jasmine)
it('should trigger a change resulting in an invalid state', function () {
$scope.model.instanceName = 'this is an invalid name';
form.instanceName.$pristine = false;
$scope.$digest();
expect(form.instanceName.$valid).toEqual(false);
});
可以看到http://plnkr.co/edit/TEd91POjw9odNHSb6CQP?p=preview
由于您的指令明确假设输入对于原始状态的输入的模型更改有效,实际上我认为更有价值的测试是明确地测试:
it('should ignore invalid values on a pristine input', function () {
$scope.model.instanceName = 'this is an invalid name';
form.instanceName.$setPristine();
$scope.$digest();
expect(form.instanceName.$valid).toEqual(true);
});
答案 1 :(得分:-1)
通过引用表单名称和输入名称来使用$setViewValue
。
$scope.form.instanceName.$setViewValue('hello');
然后断言。
expect($scope.model.instanceName).toEqual('something');
expect($scope.form.instanceName.$valid).toBe(true);