42

我正在尝试为平板电脑实现一个触摸监听器,以根据它是向上还是向下触摸来触发一些动作。

我尝试了本地侦听器:

($document).bind('touchmove', function (e)
{
    alert("it worked but i don't know the direction");
});

但我不知道如何确定方向。

这可能吗?

或者我需要使用 touchstart/touchend,如果我需要这个,我可以在触摸移动停止之前确定方向吗?

如果我只能使用外部库来做到这一点,那么最好的一个是什么?

谢谢。

4

5 回答 5

68

我在 Ipad 中遇到了一些问题,并通过两个事件解决了它

var ts;
$(document).bind('touchstart', function (e){
   ts = e.originalEvent.touches[0].clientY;
});

$(document).bind('touchend', function (e){
   var te = e.originalEvent.changedTouches[0].clientY;
   if(ts > te+5){
      slide_down();
   }else if(ts < te-5){
      slide_up();
   }
});
于 2014-03-07T18:22:33.650 回答
45

您需要保存触摸的最后位置,然后将其与当前位置进行比较。
粗略的例子:

var lastY;
$(document).bind('touchmove', function (e){
     var currentY = e.originalEvent.touches[0].clientY;
     if(currentY > lastY){
         // moved down
     }else if(currentY < lastY){
         // moved up
     }
     lastY = currentY;
});
于 2012-11-07T21:06:05.760 回答
22

Aureliano 的答案似乎非常准确,但不知何故它对我不起作用,所以给他学分我决定用以下方法改进他的答案:

var ts;
$(document).bind('touchstart', function(e) {
    ts = e.originalEvent.touches[0].clientY;
});

$(document).bind('touchmove', function(e) {
    var te = e.originalEvent.changedTouches[0].clientY;
    if (ts > te) {
        console.log('down');
    } else {
        console.log('up');
    }
});

我只是将'touchend'事件更改为'touchmove'

于 2014-03-10T01:27:34.230 回答
3

我创建了一个脚本,可以确保文档中的元素滚动而不滚动其他任何内容,包括正文。这适用于浏览器以及移动设备/平板电脑。

// desktop scroll
$( '.scrollable' ).bind( 'mousewheel DOMMouseScroll', function ( e ) {
    var e0 = e.originalEvent,
    delta = e0.wheelDelta || -e0.detail;

    this.scrollTop += delta * -1;
    e.preventDefault();
});

var lastY;
var currentY;

// reset touch position on touchstart
$('.scrollable').bind('touchstart', function (e){
    var currentY = e.originalEvent.touches[0].clientY;
    lastY = currentY;
    e.preventDefault();
});

// get movement and scroll the same way
$('.scrollable').bind('touchmove', function (e){
    var currentY = e.originalEvent.touches[0].clientY;
    delta = currentY - lastY;

    this.scrollTop += delta * -1;
    lastY = currentY;
    e.preventDefault();
});
于 2015-09-17T07:19:48.120 回答
2

该解决方案考虑了当前答案没有考虑的方向变化。下面的解决方案还考虑了触摸灵敏度;当用户在一个方向上移动但在触摸端时,用户的手指会朝另一个方向轻推,从而弄乱了实际方向。

 var y = 0; //current y pos
 var sy = y; //previous y pos
 var error = 5; //touch sensitivity, I found between 4 and 7 to be good values. 

 function move(e) {
    //get current y pos
    y = e.pageY;

    //ingnore user jitter
    if (Math.abs(y - sy) > error) {
        //find direction of y
        if (y > sy) {
            //move down 
        } else {
            //move up
        }
        //store current y pos
        sy = y;
    }
}
于 2014-06-14T13:27:15.147 回答