app.vue页面写进度条
时间: 2023-08-10 21:02:46 浏览: 91
要在`app.vue`页面中添加进度条,你可以使用Vue.js提供的`<transition>`组件和`<progress>`组件。
下面是一个简单的示例代码:
```html
<template>
<div id="app">
<!-- 进度条 -->
<transition name="fade">
<progress v-show="isLoading" class="progress" :value="progress" max="100"></progress>
</transition>
<!-- 页面内容 -->
<router-view></router-view>
</div>
</template>
<script>
export default {
data() {
return {
isLoading: false, // 是否显示进度条
progress: 0 // 进度条进度(0-100)
};
},
methods: {
startLoading() {
// 显示进度条
this.isLoading = true;
// 进度条进度从0开始
this.progress = 0;
// 模拟加载过程
let interval = setInterval(() => {
if (this.progress < 100) {
this.progress += 10; // 每次增加10%
} else {
// 加载完成,隐藏进度条
clearInterval(interval);
this.isLoading = false;
}
}, 500);
}
},
mounted() {
// 监听路由变化,开始加载页面时显示进度条
this.$router.beforeEach((to, from, next) => {
this.startLoading();
next();
});
}
};
</script>
<style>
/* 进度条样式 */
.progress {
position: fixed;
top: 0;
left: 0;
width: 100%;
height: 5px;
background-color: #eee;
z-index: 9999;
}
/* 进度条动画 */
.fade-enter-active,
.fade-leave-active {
transition: width 0.5s ease;
}
.fade-enter,
.fade-leave-to {
width: 0%;
}
</style>
```
在这个示例中,我们使用了`<transition>`组件和`<progress>`组件来实现进度条。在`data`中定义了两个变量`isLoading`和`progress`,分别表示是否显示进度条和进度条的进度。在`startLoading`方法中,我们使用了`setInterval`来模拟加载过程,每次增加10%的进度,当进度达到100%时,隐藏进度条。在`mounted`生命周期中,我们使用了`$router.beforeEach`来监听路由变化,当页面开始加载时,调用`startLoading`方法显示进度条。
最后,我们使用了一些简单的CSS样式来美化进度条,并实现了进度条的动画效果。
阅读全文