给你的H5页面加上惯性滚动吧!

在移动端,如果你使用过 overflow: scroll 生成一个滚动容器,会发现它的滚动是比较卡顿,呆滞的。为什么会出现这种情况呢?

因为我们早已习惯了目前的主流操作系统和浏览器视窗的滚动体验,比如滚动到边缘会有回弹,手指停止滑动以后还会按惯性继续滚动一会,手指快速滑动时页面也会快速滚动。而这种原生滚动容器却没有,就会让人感到卡顿。

首先,让我们来看一下它是怎样让滚动更流畅的吧。

<html><head><meta charset="UTF-8" /><meta name="viewport" content="width=device-width, initial-scale=1.0" /><title>Document</title></head><body><div id="app"></div><template id="tpl"><divclass="wrapper"ref="wrapper"@touchstart.prevent="onStart"@touchmove.prevent="onMove"@touchend.prevent="onEnd"@touchcancel.prevent="onEnd"@mousedown.prevent="onStart"@mousemove.prevent="onMove"@mouseup.prevent="onEnd"@mousecancel.prevent="onEnd"@mouseleave.prevent="onEnd"@transitionend="onTransitionEnd"><ul class="list" ref="scroller" :style="scrollerStyle"><li class="list-item" v-for="item in list">{{item}}</li></ul></div></template><style>body,ul {margin: 0;padding: 0;}ul {list-style: none;}.wrapper {width: 100vw;height: 100vh;overflow: hidden;}.list {background-color: #70f3b7;}.list-item {height: 40px;line-height: 40px;width: 100%;text-align: center;border-bottom: 1px solid #ccc;}</style><script src="https://cdn.jsdelivr.net/npm/vue@2"></script><script>console.log(Vue, "sss");new Vue({el: "#app",template: "#tpl",computed: {list() {let list = [];for (let i = 0; i < 100; i++) {list.push(i);}return list;},scrollerStyle() {return {transform: `translate3d(0, ${this.offsetY}px, 0)`,"transition-duration": `${this.duration}ms`,"transition-timing-function": this.bezier,};},},data() {return {minY: 0,maxY: 0,wrapperHeight: 0,duration: 0,bezier: "linear",pointY: 0, // touchStart 手势 y 坐标startY: 0, // touchStart 元素 y 偏移值offsetY: 0, // 元素实时 y 偏移值startTime: 0, // 惯性滑动范围内的 startTimemomentumStartY: 0, // 惯性滑动范围内的 startYmomentumTimeThreshold: 300, // 惯性滑动的启动 时间阈值momentumYThreshold: 15, // 惯性滑动的启动 距离阈值isStarted: false, // start锁};},mounted() {this.$nextTick(() => {this.wrapperHeight =this.$refs.wrapper.getBoundingClientRect().height;this.minY =this.wrapperHeight -this.$refs.scroller.getBoundingClientRect().height;});},methods: {onStart(e) {const point = e.touches ? e.touches[0] : e;this.isStarted = true;this.duration = 0;this.stop();this.pointY = point.pageY;this.momentumStartY = this.startY = this.offsetY;this.startTime = new Date().getTime();},onMove(e) {if (!this.isStarted) return;const point = e.touches ? e.touches[0] : e;const deltaY = point.pageY - this.pointY;this.offsetY = Math.round(this.startY + deltaY);const now = new Date().getTime();// 记录在触发惯性滑动条件下的偏移值和时间if (now - this.startTime > this.momentumTimeThreshold) {this.momentumStartY = this.offsetY;this.startTime = now;}},onEnd(e) {if (!this.isStarted) return;this.isStarted = false;if (this.isNeedReset()) return;const absDeltaY = Math.abs(this.offsetY - this.momentumStartY);const duration = new Date().getTime() - this.startTime;// 启动惯性滑动if (duration < this.momentumTimeThreshold &&absDeltaY > this.momentumYThreshold) {const momentum = this.momentum(this.offsetY,this.momentumStartY,duration);this.offsetY = Math.round(momentum.destination);this.duration = momentum.duration;this.bezier = momentum.bezier;}},onTransitionEnd() {this.isNeedReset();},momentum(current, start, duration) {const durationMap = {noBounce: 2500,weekBounce: 800,strongBounce: 400,};const bezierMap = {noBounce: "cubic-bezier(.17, .89, .45, 1)",weekBounce: "cubic-bezier(.25, .46, .45, .94)",strongBounce: "cubic-bezier(.25, .46, .45, .94)",};let type = "noBounce";// 惯性滑动加速度const deceleration = 0.003;// 回弹阻力const bounceRate = 10;// 强弱回弹的分割值const bounceThreshold = 300;// 回弹的最大限度const maxOverflowY = this.wrapperHeight / 6;let overflowY;const distance = current - start;const speed = (2 * Math.abs(distance)) / duration;let destination =current + (speed / deceleration) * (distance < 0 ? -1 : 1);if (destination < this.minY) {overflowY = this.minY - destination;type =overflowY > bounceThreshold ? "strongBounce" : "weekBounce";destination = Math.max(this.minY - maxOverflowY,this.minY - overflowY / bounceRate);} else if (destination > this.maxY) {overflowY = destination - this.maxY;type =overflowY > bounceThreshold ? "strongBounce" : "weekBounce";destination = Math.min(this.maxY + maxOverflowY,this.maxY + overflowY / bounceRate);}return {destination,duration: durationMap[type],bezier: bezierMap[type],};},// 超出边界时需要重置位置isNeedReset() {let offsetY;if (this.offsetY < this.minY) {offsetY = this.minY;} else if (this.offsetY > this.maxY) {offsetY = this.maxY;}if (typeof offsetY !== "undefined") {this.offsetY = offsetY;this.duration = 500;this.bezier = "cubic-bezier(.165, .84, .44, 1)";return true;}return false;},// 停止滚动stop() {const matrix = window.getComputedStyle(this.$refs.scroller).getPropertyValue("transform");this.offsetY = Math.round(+matrix.split(")")[0].split(", ")[5]);},},});</script></body>
</html>

可以发现,在增加惯性滚动,边缘回弹等效果之后,明显流畅、舒服了很多。那么,这些效果是怎么实现的呢?在用户滑动操作结束时,还会继续惯性滚动一段。首先看一下源码中的函数,这是 touchend 事件的处理函数,也就是用户滚动操作结束时的逻辑。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/750645.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

《C缺陷和陷阱》-笔记(5)

目录 一、整数溢出 溢出 如何防止溢出 二、为函数main提供返回值 连接 一、什么是连接器 连接器工作原理 三、声明与定义 四、命名冲突与static 修饰符 statia 一、整数溢出 溢出 C语言中存在两类整数算术运算&#xff0c;有符号运算与无符号运算。 在无…

Redisinsight默认端口改成5540了!网上的8001都是错误的

Redisinsight 打开白屏解决方法 最近发现一个很讨厌的bug&#xff0c;就是redisinsight运行之后&#xff0c;不行了&#xff0c;在网上找到的所有资料里面&#xff0c;redis insight都是运行在8001端口&#xff0c;但是我现在发现&#xff0c;变成了5540 所以对应的docker-com…

七.pandas处理第三方数据

目录 七.pandas处理第三方数据 1.Pandas读取文件 1.1 csv文件操作 1.1.1 CSV文件读取 自定义索引(inde_col) 查看每一列的dtype 更改文件标头名(列的标签) 跳过指定的行数 1.1.2 CSV文件写入 1.2 Excel文件操作 1.2.1 Excel文件读取 1.2.2 Excel文件写入 1.3 SQL操…

mysdql 启动错误 unknown variable windows phpstudy mysql错误日志的正确文件名

1. windowsphpstudy mysql错误日志的正确文件名 log-error"D:/phpstudy_pro/Extensions/MySQL5.7.26/data"。 刚好 数据库文件目录也是"D:/phpstudy_pro/Extensions/MySQL5.7.26/data" 其实对应的错误日志是 D:/phpstudy_pro/Extensions/MySQL5.7.26/dat…

web开发模式

1. Web 开发模式 目前主流的 Web 开发模式有两种&#xff0c;分别是 ① 基于服务器渲染的传统 Web 开发模式 ② 基于前后端分离的新型 Web 开发模式 1. 服务器渲染的Web开发模式 服务器渲染的概念&#xff1a;服务器发送给客户端的 HTML 页面&#xff0c;是在服务器通过字符…

【C++】类和对象终章

&#x1f525;博客主页&#xff1a; 小羊失眠啦. &#x1f3a5;系列专栏&#xff1a;《C语言》 《数据结构》 《C》 《Linux》 《Cpolar》 ❤️感谢大家点赞&#x1f44d;收藏⭐评论✍️ 文章目录 一、初始化列表1.1 初始化列表的形式1.2 初始化列表的注意事项 二、explicit关键…

[数据集][目标检测]螺丝螺母检测数据集VOC+YOLO格式2100张13类别

数据集格式&#xff1a;Pascal VOC格式YOLO格式(不包含分割路径的txt文件&#xff0c;仅仅包含jpg图片以及对应的VOC格式xml文件和yolo格式txt文件) 图片数量(jpg文件个数)&#xff1a;2100 标注数量(xml文件个数)&#xff1a;2100 标注数量(txt文件个数)&#xff1a;2100 标注…

@RequestParam、@PathVariable、@RequestBody

1、中文翻译 RequestParam-请求参数、PathVariable-路径变量、RequestBody请求体 2、作用&#xff1a; Controller中获取前端传递的参数 3、从注解本身角度分析 3.1、PathVariable&#xff1a;路径变量 通过 PathVariable 可以将URL中占位符参数{xxx}绑定到处理器类的方法形…

CSS3病毒病原体图形特效

CSS3病毒病原体图形特效&#xff0c;源码由HTMLCSSJS组成&#xff0c;双击html文件可以本地运行效果&#xff0c;也可以上传到服务器里面 下载地址 CSS3病毒病原体图形特效代码

(二)移植FreeRTOS到STM32中

一、概念 &#xff08;1&#xff09;任务&#xff08;线程&#xff09;&#xff1a;根据功能的不同&#xff0c;将一个系统分割成一个个独立且无法返回的函数&#xff0c;这个函数就被称为任务 &#xff08;2&#xff09;任务栈&#xff1a;静态创建的任务保存在栈中 &#xf…

代码随想录阅读笔记-哈希表【四数相加II】

题目 给定四个包含整数的数组列表 A , B , C , D ,计算有多少个元组 (i, j, k, l) &#xff0c;使得 A[i] B[j] C[k] D[l] 0。 为了使问题简单化&#xff0c;所有的 A, B, C, D 具有相同的长度 N&#xff0c;且 0 ≤ N ≤ 500 。所有整数的范围在 -2^28 到 2^28 - 1 之间…

Formate函数的一般使用

Program Project2;{$APPTYPE CONSOLE}UsesSysUtils;Varnum: Integer;r1: Real;BeginRead(num, r1);Writeln(Format(%d 绝对值%%d&#xff1a;%d, [num, abs(num)]));Writeln(Format(%u 绝对值%%u&#xff1a;%u, [num, abs(num)]));Writeln(Format(%f 参数为浮点数&#xff0c;…

前后端分离:现代Web开发的协作模式

&#x1f90d; 前端开发工程师、技术日更博主、已过CET6 &#x1f368; 阿珊和她的猫_CSDN博客专家、23年度博客之星前端领域TOP1 &#x1f560; 牛客高级专题作者、打造专栏《前端面试必备》 、《2024面试高频手撕题》 &#x1f35a; 蓝桥云课签约作者、上架课程《Vue.js 和 E…

el-cascader修改样式(不影响全局)

当用/deep/想像往常一样修改&#xff0c;会发现不生效&#xff0c;原因在于这个组件和div#app同级了&#xff0c;如果去掉scoped&#xff0c;是最简单的方法&#xff0c;当然&#xff0c;为了不影响全局我们当然不能这么做。 以下是步骤&#xff1a; 1.我们查看组件属性&…

镜像制作实战篇

“ 在失控边缘冲杀为&#xff0c;最终解脱” CMD与EntryPoint实战 EntryPoint 与 CMD都是docker 镜像制作中的一条命令&#xff0c;它们在概念上可能有些相似&#xff0c;但在使用中&#xff0c;两者是有明显的区别的。比如&#xff0c;执行一个没有调用EntryPoint、CMD的容器会…

Rust基础知识讲解

Rust 的背景和设计理念 Rust 是一种系统编程语言&#xff0c;旨在提供高性能、内存安全和并发性。它由 Mozilla 研究院开发&#xff0c;第一个正式版本&#xff08;1.0&#xff09;发布于 2015 年。Rust 的设计融合了静态类型语言的性能和安全性&#xff0c;以及现代语言的便利…

#QT(事件--快捷键保存文件)

1.IDE&#xff1a;QTCreator 2.实验&#xff1a;QEvent,QMouseEvent,QKeyEvent。 在上一个文本编辑器的基础上实现快捷键"ctrls"保存文件。 3.记录 &#xff08;1&#xff09;查看QEVENT的有效事件 &#xff08;2&#xff09; 所有时间均继承于QEvent&#xff0c;任…

微信小程序《简单、快速上手的微信小程序音乐播放器》+源代码+文档说明

文章目录 源代码下载地址项目介绍项目功能使用方法界面预览 项目备注源代码下载地址 源代码下载地址 点击这里下载源码 项目介绍 项目功能 首页&#xff1a;歌曲歌手搜索&#xff0c;轮播图&#xff0c;各大榜单&#xff0c;热门歌单 正在播放&#xff1a; 当前播放歌曲展示…

MySQL查询结果竖列转列为字段:深入探讨pivot操作与应用实践

在数据分析和报表生成过程中,我们经常需要将MySQL查询结果中原本竖直排列的数据转换为横向的列,也就是常说的“行列转换”或“透视(pivot)”操作。MySQL本身并未内置像Excel那样的Pivot Table功能,但这并不妨碍我们通过SQL语句的巧妙构造实现相同的效果。本文将深入探讨My…

Parade Series - Web Streamer Low Latency

Parade Series - FFMPEG (Stable X64) 延时测试秒表计时器 ini/config.ini [system] homeserver storestore\nvr.db versionV20240312001 verbosefalse [monitor] listrtsp00,rtsp01,rtsp02 timeout30000 [rtsp00] typelocal deviceSurface Camera Front schemartsp ip127…