vue 实现元素可拖曳
作者:互联网
方法封装
/**
* @name: draggable
* @description: 元素拖拽
*/
const draggableMixin = {
data () {
return {
// 元素位置,用于样式绑定,动态更新位置(:style="{left: `${x}px`, top: `${y}px`}")
elePos: {
x: null,
y: null
},
// 手指(鼠标)触摸点[即拖拽开始的位置]距离拖拽元素左上角的距离
diffOfTarget: {
x: 0,
y: 0
}
}
},
methods: {
dragStartHandler (e) {
let touch = e
if (e.touches) {
touch = e.touches[0]
}
this.diffOfTarget.x = touch.clientX - e.target.offsetLeft
this.diffOfTarget.y = touch.clientY - e.target.offsetTop
// 解决滑动穿透问题
let scrollTop = document.scrollingElement.scrollTop
console.log(scrollTop)
// todo 在项目的全局样式下,需要定义一个modal-open的样式类
/**
* body.modal-open {
* position: fixed;
* width: 100%;
* min-height: 100%;
* }
*/
document.body.classList.add('modal-open')
document.body.style.top = -scrollTop + 'px'
},
draggingHandler (e) {
let touch = e
if (e.touches) {
touch = e.touches[0]
}
// 设置拖拽元素的位置
this.elePos.x = touch.clientX - this.diffOfTarget.x
this.elePos.y = touch.clientY - this.diffOfTarget.y
// 限制元素不能超过屏幕
if (this.elePos.x < 0) {
this.elePos.x = 0
} else if (this.elePos.x > window.screen.width) {
this.elePos.x = window.screen.width - e.target.clientWidth
}
if (this.elePos.y < 0) {
this.elePos.y = 0
} else if (this.elePos.y > window.screen.height) {
this.elePos.y = window.screen.height - e.target.clientHeight
}
},
dragEndHandler (e) {
document.body.classList.remove('modal-open')
}
}
}
export default draggableMixin
引用
<template>
<div>
<img
src="../assets/img/customer-service.png"
alt=""
class="customer-service"
:style="{'left': elePos.x + 'px', 'top': elePos.y + 'px' }"
@mousedown="dragStartHandler"
@touchstart.stop="dragStartHandler"
@mousemove="draggingHandler"
@touchmove.stop="draggingHandler"
@mouseup="dragEndHandler"
@touchend.stop="dragEndHandler"
>
</div>
</template>
<script>
import draggableMixin from '@/mixins/draggable'
export default {
mixins: [ draggableMixin ]
}
</script>
<style scoped>
.customer-service {
position: fixed;
left: 10px;
top: 200px;
width: 36px;
height: 36px;
cursor: pointer;
}
</style>
标签:touches,vue,元素,elePos,拖曳,diffOfTarget,touch,拖拽 来源: https://blog.csdn.net/MunjungNa/article/details/121348525