In this plunk我有一个包裹div
的指令。当div
条件为真时显示ng-if
(通过单击按钮设置)。
该指令具有作为对象的范围元素css
,其中对象具有属性width
。问题是Angular在显示指令时会抱怨;单击按钮时,在控制台中看到以下错误消息:
Expression' {width:width}'在属性' css'与指令一起使用 '模态'是不可转让的!
请注意,当删除指令中的$timeout
时,此问题就会消失,但我无法将其丢弃。
为什么会发生这种情况以及如何解决它(保持$timeout
)?
HTML
<button ng-click="open()">Open modal</button>
<div modal ng-if="showModal" css="{ width: width}">
<p>some text in modal</p>
</div>
的Javascript
angular.module("app", [])
.controller('ctl', function($scope) {
$scope.width = '200px';
$scope.open = function(){
$scope.showModal = true;
};
})
.directive("modal", function($timeout) {
var directive = {};
directive.restrict = 'EA';
directive.scope = { css: '=' };
directive.templateUrl = "modal.html";
directive.link = function (scope, element, attrs) {
$timeout(function(){
scope.css.height = '100%';
},100);
};
return directive;
});
模板
<style>
#modaldiv{
border:2px solid red;
}
</style>
<div id="modaldiv" ng-style="{'width': css.width,'height': css.height}">
Some content
</div>
答案 0 :(得分:1)
出现错误,因为您没有将范围变量传递给css
属性。
您可以通过在ctrl
中创建保存css的变量并将此变量传递给css
属性来解决此问题。
控制器
$scope.css = {width: $scope.width};
HTML
<div modal ng-if="showModal" css="css">
<p>some text in modal</p>
</div>
或者在指令中创建css
的本地深层副本,并操纵$timeout
中的副本。
指令
directive.link = function (scope, element, attrs) {
scope.cssCopy = angular.copy(scope.css);
$timeout(function(){
scope.cssCopy.width = '100%';
}, 100);
};
模板
<div id="modaldiv" ng-style="{'width': cssCopy.width,'height': cssCopy.height}">
Some content
</div>