HTML5触摸事件实现移动端简易进度条的实现方法
程序员文章站
2022-06-14 17:34:28
这篇文章主要介绍了HTML5触摸事件实现移动端简易进度条的实现方法的相关资料,小编觉得挺不错的,现在分享给大家,也给大家做个参考。一起跟随小编过来看看吧... 18-05-04...
前言
html中新添加了许多新的事件,但由于兼容性的问题,许多事件都没有广泛的应用,接下来为大家介绍一些好用的移动端触摸事件: touchstart、touchmove、touchend。
介绍
下面我们来简单介绍一下这几个事件:
- touchstart: 当手指触摸屏幕时候触发,即使已经有一个手指放在屏幕上也会触发。
- touchmove:当手指在屏幕上滑动的时候连续地触发。在这个事件发生期间,调用preventdefault()事件可以阻止滚动。
- touchend:当手指从屏幕上离开的时候触发。
这些触摸事件具有常见的dom属性。此外,他们还包含着三个用于跟踪触摸的属性:
- touches:表示当前跟踪的触摸操作的touch对象的数组。
- targettouches:特定于事件目标的touch对象的数组。
- changetouches:表示自上次触摸以来发生了什么改变的touch对象的数组。
每个touch对象包含的属性如下:
- clientx:触摸目标在视口中的x坐标。
- clienty:触摸目标在视口中的y坐标。
- pagex:触摸目标在页面中的x坐标。
- pagey:触摸目标在页面中的y坐标。
- screenx:screenx:触摸目标在屏幕中的x坐标。
- screeny:screenx:触摸目标在屏幕中的x坐标。
- identifier:标识触摸的唯一id。
- target:screenx:触摸目标在屏幕中的x坐标。
了解了触摸事件的特征,那就开始紧张刺激的实战环节吧
实战
下面我们来通过使用触摸事件来实现一个移动端可滑动的进度条
我们先进行html的布局
<div class="progress-wrapper"> <div class="progress"></div> <div class="progress-btn"></div> </div>
css部分此处省略
获取dom元素,并初始化触摸起点和按钮离容器最左方的距离
const progresswrapper = document.queryselector('.progress-wrapper') const progress = document.queryselector('.progress') const progressbtn = document.queryselector('.progress-btn') const progresswrapperwidth = progresswrapper.offsetwidth let touchpoint = 0 let btnleft = 0
监听touchstart事件
progressbtn.addeventlistener('touchstart', e => { let touch = e.touches[0] touchpoint = touch.clientx // 获取触摸的初始位置 btnleft = parseint(getcomputedstyle(progressbtn, null)['left'], 10) // 此处忽略ie浏览器兼容性 })
监听touchmove事件
progressbtn.addeventlistener('touchmove', e => { e.preventdefault() let touch = e.touches[0] let diffx = touch.clientx - touchpoint // 通过当前位置与初始位置之差计算改变的距离 let btnleftstyle = btnleft + diffx // 为按钮定义新的left值 touch.target.style.left = btnleftstyle + 'px' progress.style.width = (btnleftstyle / progresswrapperwidth) * 100 + '%' // 通过按钮的left值与进度条容器长度的比值,计算进度条的长度百分比 })
通过一系列的逻辑运算,我们的进度条已经基本实现了,但是发现了一个问题,当触摸位置超出进度条容器时,会产生bug,我们再来做一些限制
if (btnleftstyle > progresswrapperwidth) { btnleftstyle = progresswrapperwidth } else if (btnleftstyle < 0) { btnleftstyle = 0 }
至此,一个简单的移动端滚动条就实现了
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。