基本上,我希望能够将ng-model从父指令传递给child指令。我可以只使用双向绑定值,但是后来我无法在子元素的父指令中使用ng-change。我也可以使用ng-click,但这不适用于非单击更改(例如文本区域而不是复选框)。所以我想知道是否有一种方法允许自定义指令具有类似于输入,按钮,文本区域和其他html元素的ng-model / ng-change对。我想避免使用emits,ons,watch,传递回调等。我只是希望能够在自定义指令而不是输入上执行[input type =“checkbox”ng-model =“ngModel”]。
父模板
<child ng-model="x" ng-change="x()"></toggle>
家长指令
$scope.x = function() {console.log('hi')};
儿童模板
<div>
<input type="checkbox" ng-model="ngModel">
</div>
儿童指令??
$scope.ngModel = $element.controller('ngModel');
我的角度版本是1.4.8 btw。
谢谢:)
答案 0 :(得分:7)
ng-model
功能添加到组件使用单向<
输入作为输入,并使用ngModelController API输出:
app.component("checkboxComponent", {
bindings: { ngModel: '<' },
require: { ngModelCtrl: 'ngModel' },
template: `
<input type=checkbox ng-model='$ctrl.ngModel'
ng-change="$ctrl.ngModelChange()" />
`,
controller: function() {
this.ngModelChange = () => {
this.ngModelCtrl.$setViewValue(this.ngModel);
};
}
})
组件对输入使用单向绑定,对输出使用$setViewValue
。
使用此方法,ng-change
可以工作,组件可以用作表单元素:
<form name="form1">
<checkbox-component name="input1" ng-model="vm.formData.input1"
ng-change="vm.inp1Change()">
</checkbox-component>
</form>
有关详细信息,请参阅
ngModel
)
angular.module("app",[])
.component("checkboxComponent", {
bindings: { ngModel: '<' },
require: { ngModelCtrl: 'ngModel' },
template: `
<fieldset>
<h3>Checkbox Component</h3>
<input type=checkbox ng-model='$ctrl.ngModel'
ng-change="$ctrl.ngModelChange()" />
Checkbox
</fieldset>
`,
controller: function() {
this.ngModelChange = () => {
this.ngModelCtrl.$setViewValue(this.ngModel);
};
}
})
<script src="//unpkg.com/angular/angular.js"></script>
<body ng-app="app">
<checkbox-component ng-model="value"
ng-change="value2=value">
</checkbox-component>
<fieldset>
<p>value = {{value}}</p>
<p>value2 = {{value2}}</p>
</fieldset>
</body>
答案 1 :(得分:2)
几乎和@georgeawg一样,但是使用指令方法(因为component
是在1.5+中引入的,但作者有1.4.8):
angular.module('myApp', [])
.controller('MyCtrl', ['$scope', function MyCtrl($scope) {
}])
.directive('inputComponent', [function () {
var myDirective = {
restrict: 'E',
require: 'ngModel',
templateUrl: "checkboxComponent.html",
link : function(scope, element, attrs, ngModelCtrl){
scope.updateModel = function(ngModel) {
ngModelCtrl.$setViewValue(ngModel);
}
}
}
return myDirective;
}]);
&#13;
fieldset {
margin-top: 1em;
}
&#13;
<script src="//code.angularjs.org/1.4.8/angular.js"></script>
<div ng-app="myApp">
<div ng-controller="MyCtrl">
<input-component ng-model="value"
ng-change="value2=value"></input-component>
<fieldset>
<p>value = {{value}}</p>
<p>value2 = {{value2}}</p>
</fieldset>
</div>
<script type="text/ng-template" id="checkboxComponent.html">
<div>
<input type="text" ng-model="ngModel" ng-change="updateModel(ngModel)" />
</div>
</script>
</div>
&#13;