阻止 iOS 双击页面上/下滑动

参考文章:
禁止IOS双击上滑
当在UIWebView上双击时防止网页滚动

背景

在 iOS 系统下,双击网页会触发整个网页的上/下滑动,在某些情况下,需要阻止这种默认行为

解决思路

  • 监听 body 的 touchend 事件,并记录上一次点击的时间戳;

  • 每一次触发 touchend 事件的时候,通过对比上一次的时间戳,计算出两次 touchend 的时间间隔,如果时间间隔小于双击的时间间隔(300ms),则阻止浏览器默认事件(e.preventDefault)。

以下为 vue mixin 的代码:

GitHub 地址

/**
 * @file 阻止 iOS 默认双击上/下滑 mixin;仅在 iOS 下有效
 * @author wangkai37
 */

// 双击时间间隔
const DOUBLE_TAP_TIME_INTERVAL = 300;

export default {
    beforeDestory() {
        if (this.isIOS() && this.flagStopIOSDoubleTapMixin) {
            this.removeOrientationListenerMixin();
        }
    },
    methods: {
        // 添加事件 body touchend 监听
        addBodyTouchendListenerStopIOSDoubleTapMixin() {
            if (!this.isIOS()) {
                return;
            }
            // 记录上次触摸的时间
            this.lastTouchTimeStopIOSDoubleTapMixin = null;
            // 标志位
            this.flagStopIOSDoubleTapMixin = true;
            // 监听 document.body 的 touchend 事件
            document.body.addEventListener('touchend', this.bodyTouchendListenerStopIOSDoubleTapMixin, false);
        },
        // 移除事件 body touchend 监听
        removeBodyTouchendListenerStopIOSDoubleTapMixin() {
            if (!this.isIOS()) {
                return;
            }
            // 标志位
            this.flagStopIOSDoubleTapMixin = false;
            // 移除监听
            document.body.removeEventListener('touchend', this.bodyTouchendListenerStopIOSDoubleTapMixin);
        },
        bodyTouchendListenerStopIOSDoubleTapMixin(e) {
            if (!this.isIOS()) {
                return;
            }
            // 当前触摸的时间戳
            let curTouchTime = new Date().getTime();
            // 如果上次触摸的时间不存在
            if (!this.lastTouchTimeStopIOSDoubleTapMixin) {
                this.lastTouchTimeStopIOSDoubleTapMixin = curTouchTime;
            }
            // 时间差值
            let timeDiff = curTouchTime - this.lastTouchTimeStopIOSDoubleTapMixin;
            if (timeDiff < DOUBLE_TAP_TIME_INTERVAL && timeDiff > 0) {
                // 阻止 iOS 双击默认滑动的行为
                e.cancelable && e.preventDefault();
                return false;
            }
            this.lastTouchTimeStopIOSDoubleTapMixin = curTouchTime;
        },
        isIOS() {
            return /(iphone|ipod|ipad)/.test(navigator.userAgent.toLowerCase());
        }
    }
};

你可能感兴趣的:(阻止 iOS 双击页面上/下滑动)