Vue3 Class 与 Style 绑定

表达式结果的类型除了字符串之外,还可以是对象或数组。

对象语法

我们可以传给 :class (v-bind:class 的简写) 一个对象,以动态地切换 class:

1
<div :class="{ active: isActive }"></div>

你可以在对象中传入更多字段来动态切换多个 class。此外,:class 指令也可以与普通的 class attribute 共存。

1
2
3
4
<div
class="static"
:class="{ active: isActive, 'text-danger': hasError }"
></div>
1
2
3
4
5
6
data() {
return {
isActive: true,
hasError: false
}
}

渲染的结果为:

1
<div class="static active"></div>

数组语法

可以把一个数组传给 :class,以应用一个 class 列表:

1
<div :class="[activeClass, errorClass]"></div>
1
2
3
4
5
6
data() {
return {
activeClass: 'active',
errorClass: 'text-danger'
}
}

渲染的结果为:

1
<div class="active text-danger"></div>

根据条件切换列表中的 class,可以使用三元表达式:

1
<div :class="[isActive ? activeClass : '', errorClass]"></div>

在组件上使用

当你在带有单个根元素的自定义组件上使用 class attribute 时,这些 class 将被添加到该元素中。此元素上的现有 class 将不会被覆盖。

1
2
3
4
5
const app = Vue.createApp({})

app.component('my-component', {
template: `<p class="foo bar">Hi!</p>`
})
1
2
3
<div id="app">
<my-component class="baz boo"></my-component>
</div>

HTML 将被渲染为:

1
<p class="foo bar baz boo">Hi</p>

绑定内联样式

对象语法

:style 的对象语法十分直观——看着非常像 CSS,但其实是一个 JavaScript 对象。

1
<div :style="{ color: activeColor, fontSize: fontSize + 'px' }"></div>
1
2
3
4
5
6
data() {
return {
activeColor: 'red',
fontSize: 30
}
}

直接绑定到一个样式对象通常更好,这会让模板更清晰:

1
<div :style="styleObject"></div>
1
2
3
4
5
6
7
8
data() {
return {
styleObject: {
color: 'red',
fontSize: '13px'
}
}
}

数组语法

:style 的数组语法可以将多个样式对象应用到同一个元素上:

1
<div :style="[baseStyles, overridingStyles]"></div>

自动添加前缀

:style 中使用需要一个 vendor prefix (浏览器引擎前缀) 的 CSS property 时,Vue 将自动侦测并添加相应的前缀。Vue 是通过运行时检测来确定哪些样式的 property 是被当前浏览器支持的。如果浏览器不支持某个 property,Vue 会进行多次测试以找到支持它的前缀。

多重值

可以为 style 绑定中的 property 提供一个包含多个值的数组,常用于提供多个带前缀的值

1
<div :style="{ display: ['-webkit-box', '-ms-flexbox', 'flex'] }"></div>

这样写只会渲染数组中最后一个被浏览器支持的值。