多个元素之间过渡动画效果
多元素之间如何实现过渡动画效果呢?看下面代码
.fade-enter,
.fade-leave-to{
opacity: 0;
}
.fade-enter-active,
.fade-leave-active{
transition: opacity 3s;
}
hello world
bye world
let vm = new Vue({
el: '#root',
data: {
show: true
},
methods: {
handleClick() {
this.show = !this.show
}
}
})
这么写行不行呢?肯定是不行的,因为 Vue 在两个元素进行切换的时候,会尽量复用dom
,就是因为这个原因,导致现在动画效果不会出现。
如果不让 Vue 复用dom
的话,应该怎么做呢?只需要给这两个div
不同的key
值就行了
hello world
bye world
这个时候当div
元素进行切换的时候,就不会复用了。
mode
Vue 提供了一mode
属性,来实现多个元素切换时的效果
mode
取值in-out
,动画效果是先出现在隐藏
//第一次点击时,执行顺序为:①②
hello world //再消失 ②
bye world //先显示 ①
mode
取值为out-in
,动画效果为先隐藏在出现
//第一次点击时,执行顺序为:①②
hello world //先消失 ①
bye world //再显示 ②
多个组件之间过渡动画效果
这里需要借助动态组件来实现多组件之间过渡动画效果
先用普通的方式来实现切换:
.fade-enter,
.fade-leave-to{
opacity: 0;
}
.fade-enter-active,
.fade-leave-active{
transition: opacity 1s;
}
Vue.component('child-one',{
template:'child-one'
})
Vue.component('child-two',{
template:'child-two'
})
let vm = new Vue({
el: '#root',
data: {
show: true
},
methods: {
handleClick() {
this.show = !this.show
}
}
})
你会发现,这样子实现组件切换,transition
动画效果是存在的,但是我们想要用动态组件来实现,该怎么弄呢?
可查看之前的文章:Vue 动态组件与 v-once 指令,这篇文章中详细的介绍了 Vue 的动态组件
列表过渡
这里需要使用一个新标签transition-group
来是实现
.fade-enter,
.fade-leave-to{
opacity: 0;
}
.fade-enter-active,
.fade-leave-active{
transition: opacity 1s;
}
{{item.title}}-----{{item.id}}
let vm = new Vue({
el: '#root',
data: {
count:0,
list:[]
},
methods: {
handleClick() {
this.list.push({
id:this.count ++,
title:'hello world'
})
}
}
})
为什么使用了transition-group
标签后,就可以出现过渡动画效果了呢?看下面代码:
hello world
hello world
hello world
在循环过后,页面中会出现一个个div
元素,如果你在外面添加一个transition-group
的标签,相当于你在每一个div
外层都加了一个transition
标签,看下面代码
hello world
hello world
hello world
这时候,Vue 把列表的过渡转化为单个的div
元素的过渡了,Vue 会在这个元素隐藏或者显示的时候动态的找到时间点,增加对应的class
。