提问人:Billy Brown 提问时间:11/15/2023 更新时间:11/19/2023 访问量:58
动态设置 Swiper JS 参数
Dynamically set a Swiper JS param
问:
我尝试在 Swiper 中的鼠标滚轮对象内动态设置 eventsTarget,具体取决于使用 Vue.js 对数据属性的更改。本质上,当 disableBodyScroll 为 true 时,可以通过 eventsTarget:html 滚动轮播,否则使用默认的 swiper 容器:
data() {
return {
disableBodyScroll: false,
}
},
async mounted() {
await this.$nextTick()
this.initSwiper()
},
methods: {
initSwiper() {
const vm = this
if (this.$refs?.carousel) {
this.carousel = new SwiperCore(this.$refs.carousel, {
mousewheel: {
eventsTarget: this.disableBodyScroll ? 'html' : 'container',
releaseOnEdges: true,
thresholdDelta: 1,
},
freeMode: this.mousewheelScroll,
freeModeSticky: this.mousewheelScroll,
on: {
reachEnd: (swiper) => {
vm.disableBodyScroll = false
swiper.params.mousewheel.eventsTarget = 'container'
swiper.update()
},
reachBeginning: (swiper) => {
vm.disableBodyScroll = false
swiper.params.mousewheel.eventsTarget = 'container'
swiper.update()
},
},
})
}
},
},
我还有其他一些方法可以更改disableBodyScroll数据属性。 我尝试了上面的代码但没有成功,它保持不变。 我已经能够通过添加观察器并在再次初始化之前销毁轮播来使其工作
watch: {
disableBodyScroll(newVal) {
if (this.carousel) {
this.carousel.destroy(true, false);
this.initSwiper();
}
},
但是,这会将刷卡轮播恢复到初始状态,并且不是一个好的用户体验。 在到达幻灯片的结尾和开头时,我尝试显式设置 eventsTarget 并使用 update(),但也没有成功。
有没有办法实现这一目标?
答:
1赞
sungryeol
11/19/2023
#1
Swiper JS 的参数通常可以通过官方文档中的说明进行更新。
但是,这不适用于模块的参数,例如 Mousewheel 模块。.setAttribute()
幸运的是,在不使用任何属性更新的情况下,仍然可以实现相同的效果。
答
创建包装元素并赋值 。在数据属性上设置元素的大小与html正文(即)一样大或与容器一样大。mousewheel.eventsTarget
100vh
.bodyScroll
<template>
<div class="wheel-control" :style="wheelControlStyle">
<div class="swiper" ref="carousel">
<div class="swiper-wrapper">
<!-- Slides -->
<div class="swiper-slide">Slide 1</div>
<div class="swiper-slide">Slide 2</div>
<div class="swiper-slide">Slide 3</div>
</div>
</div>
<button @click="updateEventsTarget">change mousewheel eventstarget</button>
</div>
</template>
export default defineComponent({
data() {
return {
bodyScroll: true
}
},
computed: {
wheelControlStyle() {
// if user should be scrolling on body, just make it as big as body.
return { height: this.bodyScroll ? '100vh' : 'auto' }
}
},
async mounted() {
await this.$nextTick()
this.initSwiper()
},
methods: {
initSwiper() {
console.log('refs', this.$refs)
if (this.$refs?.carousel) {
this.$carousel = new Swiper(this.$refs.carousel as HTMLElement, {
mousewheel: {
eventsTarget: '.wheel-control',
releaseOnEdges: true
}
})
}
},
updateEventsTarget() {
console.log('updating')
if (!this.$carousel) return
this.bodyScroll = !this.bodyScroll
}
}
这是我的 Github 上的工作演示:https://github.com/rabelais88/stackoverflow-answers/tree/main/77486089-vue-swiper-dynamic-parameters
评论