我在 Controller 内有这个电话
指示
ngDialog.openConfirm({
template : '<form-directive></form-directive>',
plain : true,
closeByNavigation : true,
scope : $scope
})
.then(function( response ) {
$log('SENDED');
});
零件
ngDialog.openConfirm({
template : '<form-component></form-component>',
plain : true,
closeByNavigation : true,
scope : $scope
})
.then(function( response ) {
$log('SENDED');
});
两者的HTML
<form ng-submit="alert("Hello !!!")">
<button type="submit">Send</button>
</form>
当我单击“指令”按钮时,我在控制台上看到“已发送”消息,但对于组件
看起来就像忽略每个NG属性,单击按钮什么都不做,
但正确加载模板。
相同的模板,相同的一切,
完全一样,所以ngDialog的组件类型的错误可能正确吗?
我只希望ng属性在内部工作,如果我单击按钮Submit,然后关闭对话框并获得Promise日志消息
Check the Plunkr Example
如果我在其中使用scope:{obj:'='}属性,该指令也会失败
组件会忽略所有内容。
我认为范围存在某种问题
-指令中的范围声明(或组件中的绑定(bind))
-以及openDialog对象中的作用域
最佳答案
晚会晚了,但如果有人遇到同样的问题,我还是要努力...
这里的窍门是,组件始终使用隔离的作用域创建。在您的Plunkr示例中,当您为 ngDialog.openConfirm()设置模板时,ngDialog的作用域实际上是您的自定义组件的父作用域,因此难怪它无法识别 closeThisDialog()和 Confirm() 方法:它们根本不在其“子/隔离”范围内。
但是它们存在于其“同级”范围内- ngDialog 创建的范围。因此,为了能够与该范围进行通信,我们必须在组件的隔离(“子”)范围与其“同级”范围- ngDialog的范围之间建立钩子(Hook)。
对您的代码进行很小的改动就可以了。我的评论以// AK开头:
function openNgDialogComponent() {
ngDialog.openConfirm({
//AK: the 'form-component' itself exists in context of scope, passed below, hence we can bind $scope's methods to component's internal scope
template : '<form-component on-resolve="confirm()"' +
'on-reject="closeThisDialog()"></form-component>',
scope : $scope,
plain : true,
closeByNavigation : true
}).then(function(deployData) {
$log.debug('Form parameters succesfully returned');
});
}
以及组件本身:
// Component declaration
// /////////////////////////
(function() {
'use strict';
angular
.module('app')
.component("formComponent", {
bindings: { onResolve: "&", onReject: "&" }, //AK: declare delegates bindings
controller: "ComponentController",
controllerAs: "vm",
template:
'<form ng-submit="confirm()">' +
'<h3>Im a Component form</h3>' +
'<button ng-click="vm.reject()">Close Dialog</button>' +
'<button ng-click="vm.resolve()" class="submit">CONFIRM Component Form</button> ' +
'</form>' //AK: buttons now call internal methods, which, in turn call delegate methods passed via bindings
});
})();
// Component Controller
// /////////////////////////
(function() {
'use strict';
angular
.module('app')
.controller('ComponentController', ComponentController);
function ComponentController() {
var vm = this;
vm.title = "I'm the Component controller"
vm.resolve = () => vm.onResolve();//AK: call on-resolve="..." delegate
vm.reject = () => vm.onReject(); //AK: call on-reject="..." delegate
}
})();
关于javascript - ngDialog忽略AngularJS 1.5中表单中的NG属性,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/37650798/