Js实现移动端长按事件

前言
最近在做一个移动端的项目,其中有一个收藏列表,其中包含几个事件。
1.点击跳转详情页。
2.长按显示遮罩层和删除按钮
3.点击删除按钮,删除此项。
下面会详细介绍我处理此问题时所出现的问题,及处理方法(本文基于jQuery)

添加长按事件

var self = this;
var longClick =0;
$(".product").on({
    touchstart: function(e){
        longClick=0;//设置初始为0
        timeOutEvent = setTimeout(function(){
            //此处为长按事件-----在此显示遮罩层及删除按钮
            longClick=1;//假如长按,则设置为1
        },500);
    },
    touchmove: function(){
        clearTimeout(timeOutEvent);
        timeOutEvent = 0;
        e.preventDefault();
    },
    touchend: function(e){
        clearTimeout(timeOutEvent);
        if(timeOutEvent!=0 && longClick==0){//点击
            //此处为点击事件----在此处添加跳转详情页
        }
        return false;
    }
});

添加删除事件

$('.product_del').on({
    touchstart: function(e){},
    touchmove: function(){
      clearTimeout(timeOutEvent);
      e.preventDefault();
    },
    touchend: function(e){
        clearTimeout(timeOutEvent);
        if(timeOutEvent!=0 ){//点击
            //点击事件处理
        }
        return false;
    }
});

在移动端查看的时候就会发现正常的滚动事件被preventDefault屏蔽了。

滚动事件
此处有两种解决方式:
1.删除e.preventDefault();
删除preventDefault有可能会出现其它情况,不过我暂时没发现,如果出现其它情况,使用方法2
2.方法2

var touchY = 0;
var longClick =0;
$(".product").on({
    touchstart: function(e){
        longClick=0;
        timeOutEvent = setTimeout(function(){
            //此处为长按事件-----在此显示遮罩层及删除按钮
            longClick=1;//假如长按,则设置为1
        },500);
        var touch = e.touches[0];
        touchY = touch.clientY;
    },
    touchmove: function(){
        clearTimeout(timeOutEvent);
        timeOutEvent = 0;
        var touch = e.touches[0]
        if(Math.abs(touch.clientY - touchY) < 10){
            e.preventDefault();
        }
    },
    touchend: function(e){
        clearTimeout(timeOutEvent);
        if(timeOutEvent!=0 && self.longClick==0){//点击
           //此处为点击事件----在此处添加跳转详情页
        }
        return false;
    }
});

删除的点击事件也是如此

你可能感兴趣的:(Js实现移动端长按事件)