输出结果:
Say:hello world
隔离 scope
使用隔离 scope 的时候,无法从父 scope 中共享属性。因此下面示例无法输出父 scope 中定义的 name 属性值。
js代码:
app.controller(“myController”, function (scope) {scope.name = “hello world”;
}).directive(“isolatedDirective”, function () {
return {
scope: {},
template: ‘Say:{{name}}’
}
});
html代码:
输出结果:
Say:
示例请点击:http://kin-sample.coding.io/angular/directive/share-and-isolated-scope.html
从上图可以看出共享 scope 允许从父 scope 渗入到 directive 中,而隔离 scope 不能,在隔离 scope 下,给 directive 创造了一堵墙,使得父 scope 无法渗入到 directive 中。
具体文档可以参考:https://docs.angularjs.org/guide/directive#isolating-the-scope-of-a-directive
如何在 directive 中创建隔离 scope
在 Directive 中创建隔离 scope 很简单,只需要定义一个 scope 属性即可,这样,这个 directive 的 scope 将会创建一个新的 scope,如果多个 directive 定义在同一个元素上,只会创建一个新的 scope。
angular.module(‘app’).controller(“myController”, function (scope) {scope.user = {
id:1,
name:”hello world”
};
}).directive(‘isolatedScope’, function () {
return {
scope: {},
template: ‘Name: {{user.name}} Street: {{user.addr}}’
};
});
现在 scope 是隔离的,user 对象将无法从父 scope 中访问,因此,在 directive 渲染的时候 user 对象的占位将不会输出内容。
隔离 scope 和父 scope 如何交互
directive 在使用隔离 scope 的时候,提供了三种方法同隔离之外的地方交互。这三种分别是
@ 绑定一个局部 scope 属性到当前 dom 节点的属性值。结果总是一个字符串,因为 dom 属性是字符串。
& 提供一种方式执行一个表达式在父 scope 的上下文中。如果没有指定 attr 名称,则属性名称为相同的本地名称。
= 通过 directive 的 attr 属性的值在局部 scope 的属性和父 scope 属性名之间建立双向绑定。
@ 局部 scope 属性
@ 方式局部属性用来访问 directive 外部环境定义的字符串值,主要是通过 directive 所在的标签属性绑定外部字符串值。这种绑定是单向的,即父 scope 的绑定变化,directive 中的 scope 的属性会同步变化,而隔离 scope 中的绑定变化,父 scope 是不知道的。
如下示例:directive 声明未隔离 scope 类型,并且使用@绑定 name 属性,在 directive 中使用 name 属性绑定父 scope 中的属性。当改变父 scope 中属性的值的时候,directive 会同步更新值,当改变 directive 的 scope 的属性值时,父 scope 无法同步更新值。
js 代码:
app.controller(“myController”, function (scope) {scope.name = “hello world”;
}).directive(“isolatedDirective”, function () {
return {
scope: {
name: “@”
},
template: ‘Say:{{name}}
改变隔离scope的name:’
}
})
html 代码:
改变父scope的name:
改变隔离scope的name:’ } }) html 代码:
改变父scope的name:
具体演示请看:http://kin-sample.coding.io/angular/directive/isolated-scope-eq-interact.html
& 局部 scope 属性
& 方式提供一种途经是 directive 能在父 scope 的上下文中执行一个表达式。此表达式可以是一个 function。
比如当你写了一个 directive,当用户点击按钮时,directive 想要通知 controller,controller 无法知道 directive 中发生了什么,也许你可以通过使用 angular 中的 event 广播来做到,但是必须要在 controller 中增加一个事件监听方法。
最好的方法就是让 directive 可以通过一个父 scope 中的 function,当 directive 中有什么动作需要更新到父 scope 中的时候,可以在父 scope 上下文中执行一段代码或者一个函数。
如下示例在 directive 中执行父 scope 的 function。
js代码:
app.controller(“myController”, function (scope) {scope.value = “hello world”;
scope.click = function () {scope.value = Math.random();
};
}).directive(“isolatedDirective”, function () {
return {
scope: {
action: “&”
},
template: ‘’
}
})
html 代码:
具体演示请看: http://kin-sample.coding.io/angular/directive/isolated-scope-ad-interact.html
使用小结
在了解 directive 的隔离 scope 跟外部环境交互的三种方式之后,写一些通用性的组件更加便捷和顺手。不再担心在 directive 中改变外部环境中的值,或者执行函数的重重困境了。
更多请参考API文档:https://docs.angularjs.org/api/ng/service/$compile 。
如有纰漏,请指正!