我有一个包含多个提交按钮的表单:
<form name="myForm" customSubmit>
<input type="text" ng-minlength="2">
<button type="submit" ng-click="foo1()"></button>
<button type="submit" ng-click="foo2()"></button>
</form>
和指令:
angular.module('customSubmit', [])
.directive('customSubmit', function() {
return {
require: '^form',
scope: {
submit: '&'
},
link: function(scope, element, attrs, form) {
element.on('submit', function() {
scope.$apply(function() {
form.$submitted = true;
if (form.$valid) {
return scope.submit();
}
});
});
}
};
});
我的目标是只在有效时提交表单,并提供多个提交按钮(即我不能在表单中使用ng-submit指令)。上面的代码不起作用。这样做的正确方法是什么?这甚至可能吗?
答案 0 :(得分:3)
我建议你使用一种更简单的方法。只需检查您的表单是否有效ng-click
&amp;如果它有效,则从中调用所需的方法。
<强>标记强>
<form name="myForm" customSubmit>
<input type="text" ng-minlength="2">
<button type="button" ng-click="myForm.$valid && foo1()"></button>
<button type="button" ng-click="myForm.$valid && foo2()"></button>
</form>
但是,在每次点击时检查myForm.$valid
看起来有点重复代码次数。而不是你可以在控制器范围内有一个方法来验证表单并调用所需的方法来提交表单。
<强>标记强>
<form name="myForm" customSubmit>
<input type="text" ng-minlength="2">
<button type="button" ng-click="submit('foo1')"></button>
<button type="button" ng-click="submit('foo2')"></button>
</form>
<强>代码强>
$scope.submit = function(methodName){
if($scope.myForm.$valid){
$scope[methodName]();
}
}
在这两种情况下,您都可以
button
键入button
submit
<强>更新强>
要使其通用,您需要将其放在每个按钮上,而不是将指令放在form
上一次。
<强> HTML 强>
<form name="myForm">
<input type="text" name="test" ng-minlength="2" ng-model="test">
<button custom-submit type="submit" fire="foo1()">foo1</button>
<button custom-submit type="submit" fire="foo2()">foo2</button>
</form>
<强>代码强>
angular.module("app", [])
.controller('Ctrl', Ctrl)
.directive('customSubmit', function() {
return {
require: '^form',
scope: {
fire: '&'
},
link: function(scope, element, attrs, form) {
element.on('click', function(e) {
scope.$apply(function() {
form.$submitted = true;
if (form.$valid) {
scope.fire()
}
});
});
}
};
});
答案 1 :(得分:0)
解决方案是将指令放在提交按钮上,并使用指令'require':
<form>
<button my-form-submit="foo()"></button>
</form>
angular.module('myFormSubmit', [])
.directive('myFormSubmit', function() {
return {
require: '^form',
scope: {
callback: '&myFormSubmit'
},
link: function(scope, element, attrs, form) {
element.bind('click', function (e) {
if (form.$valid) {
scope.callback();
}
});
}
};
});