在 Vue 里实现文字滚动(跑马灯) ,最常用、最稳的就两种:
- CSS 动画纯实现(简单、性能好)
- JS 控制滚动(可暂停、可控制速度)
下面直接给你可复制粘贴的 Vue 组件代码。
方式1:纯 CSS 跑马灯(推荐)
Marquee.vue
<template>
<div class="marquee-wrap">
<div class="marquee-content">
{{ text }}
</div>
</div>
</template>
<script setup>
const text = '这里是需要滚动的文字,Vue 跑马灯效果,从右向左无限滚动~';
</script>
<style scoped>
.marquee-wrap {
width: 100%;
overflow: hidden;
white-space: nowrap;
background: #f5f5f5;
padding: 8px 16px;
border-radius: 8px;
}
.marquee-content {
display: inline-block;
animation: marquee 15s linear infinite;
}
@keyframes marquee {
0% {
transform: translateX(100%);
}
100% {
transform: translateX(-100%);
}
}
</style>
特点:
- 一行无限滚动
- 无 JS,性能最好
- 鼠标悬浮暂停版往下看
方式2:hover 暂停 + 无缝滚动(更常用)
<template>
<div class="box">
<div class="marquee" @mouseenter="pause" @mouseleave="play">
<div class="text" :style="{ animationPlayState }">
{{ content }}
</div>
</div>
</div>
</template>
<script setup>
import { ref } from 'vue';
const content = 'Vue3 无缝跑马灯,鼠标移入暂停,移出继续滚动~';
const animationPlayState = ref('running');
const pause = () => {
animationPlayState.value = 'paused';
};
const play = () => {
animationPlayState.value = 'running';
};
</script>
<style scoped>
.box {
width: 100%;
overflow: hidden;
background: #f9f9f9;
padding: 10px;
border-radius: 6px;
}
.marquee {
white-space: nowrap;
}
.text {
display: inline-block;
animation: move 12s linear infinite;
}
@keyframes move {
0% { transform: translateX(100%); }
100% { transform: translateX(-100%); }
}
</style>
方式3:真正无缝(无空白,首尾衔接)
适合公告、长文本:
<template>
<div class="wrap">
<div class="box">
<span class="txt1">{{ text }}</span>
<span class="txt2">{{ text }}</span>
</div>
</div>
</template>
<script setup>
const text = '这里是真正无缝跑马灯,没有空白间隔,一直循环滚动';
</script>
<style scoped>
.wrap {
width: 100%;
overflow: hidden;
background: #fff8e1;
padding: 8px 0;
}
.box {
display: flex;
width: max-content;
animation: scroll 10s linear infinite;
}
.txt1, .txt2 {
padding: 0 20px;
}
@keyframes scroll {
0% { transform: translateX(0); }
100% { transform: translateX(-50%); }
}
</style>
方式4:JS 控制滚动(可变速、可停止)
<template>
<div class="box" style="overflow: hidden">
<div class="text" :style="{ marginLeft: `${left}px` }">
JS 控制跑马灯,可随时停止、加速、减速
</div>
</div>
</template>
<script setup>
import { ref, onMounted, onUnmounted } from 'vue';
const left = ref(300);
let timer = null;
onMounted(() => {
timer = setInterval(() => {
left.value -= 1;
if (left.value < -300) left.value = 300;
}, 20);
});
onUnmounted(() => clearInterval(timer));
</script>