York's Blog

Vue Class 与 Style 绑定

绑定 HTML Class

对象语法

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

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

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

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
<div class="static"
v-bind:class="{ active: isActive, 'text-danger': hasError }">
</div>

data: {
isActive: true,
hasError: false
}
//等同于
<div class="static" v-bind:class="classObject"></div>

data: {
classObject: {
active: true,
'text-danger': false
}
}
//等同于,绑定一个返回对象的计算属性
<div class="static" 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'
}
}
}

//结果渲染为:
<div class="static active"></div>

当 isActive 或者 hasError 变化时,class 列表将相应地更新。如果 hasError 的值为 true,class 列表将变为 “static active text-danger”。

数组语法

我们可以把一个数组传给 v-bind:class,以应用一个 class 列表:

1
2
3
4
5
6
7
8
9
<div v-bind:class="[activeClass, errorClass]"></div>

data: {
activeClass: 'active',
errorClass: 'text-danger'
}

//渲染为:
<div class="active text-danger"></div>

如果你也想根据条件切换列表中的 class,可以用三元表达式:

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

这样写将始终添加 errorClass,但是只有在 isActive 是 truthy 时才添加 activeClass。

不过,当有多个条件 class 时这样写有些繁琐。所以在数组语法中也可以使用对象语法:

1
<div v-bind:class="[{ active: isActive }, errorClass]"></div>

用在组件上

当在一个自定义组件上使用 class 属性时,这些类将被添加到该组件的根元素上面。这个元素上已经存在的类不会被覆盖。
带数据绑定 class

1
2
3
4
<my-component v-bind:class="{ active: isActive }"></my-component>

//当 isActive 为 truthy 时,HTML 将被渲染成为:
<p class="foo bar active">Hi</p>

绑定内联样式

对象语法

v-bind:style 的对象语法十分直观——看着非常像 CSS,但其实是一个 JavaScript 对象。CSS 属性名可以用驼峰式 (camelCase) 或短横线分隔 (kebab-case,记得用单引号括起来) 来命名:

1
2
3
4
5
6
7
8
<div v-bind:style="styleObject"></div>

data: {
styleObject: {
color: 'red',
fontSize: '13px'
}
}

同样的,对象语法常常结合返回对象的计算属性使用。

数组语法

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

1
2
3
4
5
6
7
8
9
10
11
12
13
14
<div v-bind:style="[baseStyles, overridingStyles]"></div>

new Vue({
el:'#app',
data:{
baseStyles:{
color:'red',
fontSize:'50px'
},
overridingStyles:{
backgroundColor:'yellow'
}
}
})

自动添加前缀

当 v-bind:style 使用需要添加浏览器引擎前缀的 CSS 属性时,如 transform,Vue.js 会自动侦测并添加相应的前缀。

多重值

从 2.3.0 起你可以为 style 绑定中的属性提供一个包含多个值的数组,常用于提供多个带前缀的值,例如:

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

这样写只会渲染数组中最后一个被浏览器支持的值。在本例中,如果浏览器支持不带浏览器前缀的 flexbox,那么就只会渲染 display: flex。

1
2
3
4
5
6
7
8
9
目前主流浏览器不支持 box-flex 属性。

Internet Explorer 10 通过私有属性 the -ms-flex 支持.

Firefox通过私有属性 -moz-box-flex 支持.

Safari和Chrome通过私有属性 -webkit-box-flex 支持.

注意: Internet Explorer 9及更早IE版本不支持弹性框.

Proudly published with Hexo