Class 与 Style 绑定
将 v-bind 用于 class 和 style 时,表达式结果的类型除了字符串之外,还可以是对象或数组。
绑定Html Class
你可以在对象中传入单个或者多个属性来动态切换多个 class。此外,v-bind:class 指令也可以与普通的 class 属性共存,举个🌰:1
2
3<div class="static"
v-bind:class="{ active: isActive, 'text-danger': hasError }">
</div>
绑定的数据对象不必内联定义在模板里。我们也可以在这里绑定一个返回对象的计算属性。这是一个常用且强大的模式,举个🌰:1
2
3
4
5
6
7
8
9
10
11
12
13
14<div v-bind:class="classObject"></div>
data: {
isActive: true,
error: null
},
computed: {
classObject: function () {
return {
active: this.isActive && !this.error,
'text-danger': this.error && this.error.type === 'fatal'
}
}
}
除了对象,我们也可以把一个数组传给 v-bind:class ,以应用一个 class 列表,举个🌰:1
2
3
4
5
6<div v-bind:class="[activeClass, errorClass]"></div>
data: {
activeClass: 'active',
errorClass: 'text-danger'
}
渲染为:
1 | <div class="active text-danger"></div> |
如果你也想根据条件切换列表中的 class ,可以使用三元表达式,也可以在数组语法中使用对象语法,举个🌰:
1 | <!-- 三元表达式 --> |
组件上的使用
当在一个自定义组件上使用 class 属性时,这些类将被添加到该组件的根元素上面。这个元素上已经存在的类不会被覆盖,举个🌰:1
2
3
4
5
6
7<!-- 声明组件 -->
Vue.component('my-component', {
template: '<p class="foo bar">Hi</p>'
})
<!-- 使用时添加 class -->
<my-component class="baz boo"></my-component>
HTML 将被渲染为:1
<p class="foo bar baz boo">Hi</p>
对于带数据绑定 class 也同样适用:1
<my-component v-bind:class="{ active: isActive }"></my-component>
绑定内联样式
v-bind:style 的对象语法十分直观——看着非常像 CSS,但其实是一个 JavaScript 对象。CSS 属性名可以用驼峰式 (camelCase) 或短横线分隔 (kebab-case,记得用单引号括起来) 来命名:1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16<div v-bind:style="{ color: activeColor, fontSize: fontSize + 'px' }"></div>
data: {
activeColor: 'red',
fontSize: 30
}
<!-- 也可以直接绑定到样式对象 -->
<div v-bind:style="styleObject"></div>
data: {
styleObject: {
color: 'red',
fontSize: '13px'
}
}
同样的,对象语法常常结合返回对象的计算属性使用。
v-bind:style 的数组语法可以将多个样式对象应用到同一个元素上,和上面的类似,举个🌰:1
<div v-bind:style="[baseStyles, overridingStyles]"></div>
当 v-bind:style 使用需要添加浏览器引擎前缀的 CSS 属性时,如 transform,Vue.js 会自动侦测并添加相应的前缀。
从 2.3.0 起你可以为 style 绑定中的属性提供一个包含多个值的数组,常用于提供多个带前缀的值,举个🌰:1
<div :style="{ display: ['-webkit-box', '-ms-flexbox', 'flex'] }"></div>
最后浏览器只会渲染被支持的那个值。