128

是否可以在 JavaScript(或 jQuery)中实现“长按”?如何?

替代文字
(来源:androinica.com

HTML

<a href="" title="">Long press</a>

JavaScript

$("a").mouseup(function(){
  // Clear timeout
  return false;
}).mousedown(function(){
  // Set timeout
  return false; 
});
4

20 回答 20

174

没有“jQuery”魔法,只有 JavaScript 计时器。

var pressTimer;

$("a").mouseup(function(){
  clearTimeout(pressTimer);
  // Clear timeout
  return false;
}).mousedown(function(){
  // Set timeout
  pressTimer = window.setTimeout(function() { ... Your Code ...},1000);
  return false; 
});
于 2010-04-12T20:33:04.327 回答
35

根据 Maycow Moura 的回答,我写了这个。它还确保用户没有进行右键单击,这将触发长按并在移动设备上工作。演示

var node = document.getElementsByTagName("p")[0];
var longpress = false;
var presstimer = null;
var longtarget = null;

var cancel = function(e) {
    if (presstimer !== null) {
        clearTimeout(presstimer);
        presstimer = null;
    }

    this.classList.remove("longpress");
};

var click = function(e) {
    if (presstimer !== null) {
        clearTimeout(presstimer);
        presstimer = null;
    }

    this.classList.remove("longpress");

    if (longpress) {
        return false;
    }

    alert("press");
};

var start = function(e) {
    console.log(e);

    if (e.type === "click" && e.button !== 0) {
        return;
    }

    longpress = false;

    this.classList.add("longpress");

    if (presstimer === null) {
        presstimer = setTimeout(function() {
            alert("long click");
            longpress = true;
        }, 1000);
    }

    return false;
};

node.addEventListener("mousedown", start);
node.addEventListener("touchstart", start);
node.addEventListener("click", click);
node.addEventListener("mouseout", cancel);
node.addEventListener("touchend", cancel);
node.addEventListener("touchleave", cancel);
node.addEventListener("touchcancel", cancel);

您还应该使用 CSS 动画包含一些指标:

p {
    background: red;
    padding: 100px;
}

.longpress {
    -webkit-animation: 1s longpress;
            animation: 1s longpress;
}

@-webkit-keyframes longpress {
    0%, 20% { background: red; }
    100% { background: yellow; }
}

@keyframes longpress {
    0%, 20% { background: red; }
    100% { background: yellow; }
}
于 2014-12-11T01:29:16.187 回答
26

您可以使用jQuery 移动 API 的taphold事件。

jQuery("a").on("taphold", function( event ) { ... } )
于 2011-09-13T08:33:40.750 回答
21

我创建了长按事件 (0.5k 纯 JS)来解决这个问题,它long-press向 DOM 添加了一个事件。

long-press任何元素上听 a :

// the event bubbles, so you can listen at the root level
document.addEventListener('long-press', function(e) {
  console.log(e.target);
});

long-press特定元素上监听 a :

// get the element
var el = document.getElementById('idOfElement');

// add a long-press event listener
el.addEventListener('long-press', function(e) {

    // stop the event from bubbling up
    e.preventDefault()

    console.log(e.target);
});

适用于 IE9+、Chrome、Firefox、Safari 和混合移动应用程序(iOS/Android 上的 Cordova 和 Ionic)

演示

于 2017-06-09T14:08:33.300 回答
14

虽然它看起来很简单,可以通过超时和几个鼠标事件处理程序自行实现,但当您考虑单击-拖动-释放等情况时,它会变得有点复杂,支持在同一元素上按下和长按,以及使用 iPad 等触控设备。我最终使用了longclick jQuery 插件( Github ),它为我处理了这些事情。如果你只需要支持手机等触屏设备,你也可以试试jQuery Mobile taphold 事件

于 2011-02-24T18:57:07.553 回答
11

jQuery插件。放$(expression).longClick(function() { <your code here> });. 第二个参数是保持时间;默认超时为 500 毫秒。

(function($) {
    $.fn.longClick = function(callback, timeout) {
        var timer;
        timeout = timeout || 500;
        $(this).mousedown(function() {
            timer = setTimeout(function() { callback(); }, timeout);
            return false;
        });
        $(document).mouseup(function() {
            clearTimeout(timer);
            return false;
        });
    };

})(jQuery);
于 2012-10-01T09:28:34.083 回答
11

对于现代移动浏览器:

document.addEventListener('contextmenu', callback);

https://developer.mozilla.org/en-US/docs/Web/Events/contextmenu

于 2015-05-12T02:31:55.143 回答
6
$(document).ready(function () {
    var longpress = false;

    $("button").on('click', function () {
        (longpress) ? alert("Long Press") : alert("Short Press");
    });

    var startTime, endTime;
    $("button").on('mousedown', function () {
        startTime = new Date().getTime();
    });

    $("button").on('mouseup', function () {
        endTime = new Date().getTime();
        longpress = (endTime - startTime < 500) ? false : true;
    });
});

演示

于 2013-03-25T20:12:42.723 回答
5

对于跨平台开发人员(注意到目前为止给出的所有答案都不适用于 iOS)

Mouseup/down 似乎在android上工作正常- 但不是所有设备,即(三星 tab4)。在iOS上根本不起作用。

进一步的研究似乎是由于元素具有选择和本机放大率打断了听众。

如果用户持有图像 500 毫秒,则此事件侦听器允许在引导模式中打开缩略图图像。

它使用响应式图像类,因此显示更大版本的图像。这段代码已经过全面测试(iPad/Tab4/TabA/Galaxy4):

var pressTimer;  
$(".thumbnail").on('touchend', function (e) {
   clearTimeout(pressTimer);
}).on('touchstart', function (e) {
   var target = $(e.currentTarget);
   var imagePath = target.find('img').attr('src');
   var title = target.find('.myCaption:visible').first().text();
   $('#dds-modal-title').text(title);
   $('#dds-modal-img').attr('src', imagePath);
   // Set timeout
   pressTimer = window.setTimeout(function () {
      $('#dds-modal').modal('show');
   }, 500)
});
于 2015-10-23T13:16:09.750 回答
3

Diodeus 的答案很棒,但它阻止您添加 onClick 功能,如果您放置 onclick,它将永远不会运行保持功能。而 Razzak 的答案几乎是完美的,但它只在 mouseup 上运行保持功能,而且通常,即使用户保持按住,该功能也会运行。

所以,我加入了两者,并做了这个:

$(element).on('click', function () {
    if(longpress) { // if detect hold, stop onclick function
        return false;
    };
});

$(element).on('mousedown', function () {
    longpress = false; //longpress is false initially
    pressTimer = window.setTimeout(function(){
    // your code here

    longpress = true; //if run hold function, longpress is true
    },1000)
});

$(element).on('mouseup', function () {
    clearTimeout(pressTimer); //clear time on mouseup
});
于 2014-04-20T14:54:03.747 回答
1

您可以在鼠标按下时设置该元素的超时,并在鼠标抬起时将其清除:

$("a").mousedown(function() {
    // set timeout for this element
    var timeout = window.setTimeout(function() { /* … */ }, 1234);
    $(this).mouseup(function() {
        // clear timeout for this element
        window.clearTimeout(timeout);
        // reset mouse up event handler
        $(this).unbind("mouseup");
        return false;
    });
    return false;
});

有了这个,每个元素都有自己的超时时间。

于 2010-04-12T20:39:16.957 回答
0

您可以使用 jquery-mobile 的 taphold。包括 jquery-mobile.js 和以下代码将正常工作

$(document).on("pagecreate","#pagename",function(){
  $("p").on("taphold",function(){
   $(this).hide(); //your code
  });    
});
于 2015-04-21T10:32:09.917 回答
0

最优雅和干净的是一个 jQuery 插件: https ://github.com/untill/jquery.longclick/ ,也可以作为 packacke 使用: https ://www.npmjs.com/package/jquery.longclick 。

简而言之,您可以像这样使用它:

$( 'button').mayTriggerLongClicks().on( 'longClick', function() { your code here } );

这个插件的优点是,与这里的其他一些答案相比,点击事件仍然是可能的。另请注意,在 mouseup 之前会发生长按,就像在设备上长按一样。所以,这是一个特点。

于 2015-06-02T11:30:04.867 回答
0

我需要一些东西来处理长按键盘事件,所以我写了这个。

var longpressKeys = [13];
var longpressTimeout = 1500;
var longpressActive = false;
var longpressFunc = null;

document.addEventListener('keydown', function(e) {
    if (longpressFunc == null && longpressKeys.indexOf(e.keyCode) > -1) {
        longpressFunc = setTimeout(function() {
            console.log('longpress triggered');
            longpressActive = true;
        }, longpressTimeout);

    // any key not defined as a longpress
    } else if (longpressKeys.indexOf(e.keyCode) == -1) {
        console.log('shortpress triggered');
    }
});

document.addEventListener('keyup', function(e) {
    clearTimeout(longpressFunc);
    longpressFunc = null;

    // longpress key triggered as a shortpress
    if (!longpressActive && longpressKeys.indexOf(e.keyCode) > -1) {
        console.log('shortpress triggered');
    }
    longpressActive = false;
});
于 2019-06-26T13:32:09.877 回答
0

这对我有用:

const a = document.querySelector('a');

a.oncontextmenu = function() {
   console.log('south north');
};

https://developer.mozilla.org/docs/Web/API/GlobalEventHandlers/oncontextmenu

于 2021-05-03T17:56:05.160 回答
0

在 vanila JS 中,如果需要在点击释放后检测长按:

    document.addEventListener("mousedown", longClickHandler, true);
    document.addEventListener("mouseup", longClickHandler, true);

    let startClick = 0;
    function longClickHandler(e){   
      if(e.type == "mousedown"){
        startClick = e.timeStamp;
      }
      else if(e.type == "mouseup" && startClick > 0){
        if(e.timeStamp - startClick > 500){  // 0.5 secound
          console.log("Long click !!!");
        }
      }
    }

如果需要在单击时检查长按,可能需要使用计时器。但对于大多数情况下,释放后点击就足够了。

于 2021-08-22T03:32:07.250 回答
-1

对我来说,它适用于该代码(使用 jQuery):

var int       = null,
    fired     = false;

var longclickFilm = function($t) {
        $body.css('background', 'red');
    },
    clickFilm = function($t) {
        $t  = $t.clone(false, false);
        var $to = $('footer > div:first');
        $to.find('.empty').remove();
        $t.appendTo($to);
    },
    touchStartFilm = function(event) {
        event.preventDefault();
        fired     = false;
        int       = setTimeout(function($t) {
            longclickFilm($t);
            fired = true;
        }, 2000, $(this)); // 2 sec for long click ?
        return false;
    },
    touchEndFilm = function(event) {
        event.preventDefault();
        clearTimeout(int);
        if (fired) return false;
        else  clickFilm($(this));
        return false;
    };

$('ul#thelist .thumbBox')
    .live('mousedown touchstart', touchStartFilm)
    .live('mouseup touchend touchcancel', touchEndFilm);
于 2012-05-24T09:14:42.173 回答
-1

您可以检查时间来识别单击或长按 [jQuery]

function AddButtonEventListener() {
try {
    var mousedowntime;
    var presstime;
    $("button[id$='" + buttonID + "']").mousedown(function() {
        var d = new Date();
        mousedowntime = d.getTime();
    });
    $("button[id$='" + buttonID + "']").mouseup(function() {
        var d = new Date();
        presstime = d.getTime() - mousedowntime;
        if (presstime > 999/*You can decide the time*/) {
            //Do_Action_Long_Press_Event();
        }
        else {
            //Do_Action_Click_Event();
        }
    });
}
catch (err) {
    alert(err.message);
}
} 
于 2012-07-12T02:25:52.250 回答
-1

像这样?

target.addEeventListener("touchstart", function(){
   // your code ...
}, false);    
于 2016-10-17T04:04:05.250 回答
-1

您可以使用jquery触摸事件。(见这里

  let holdBtn = $('#holdBtn')
  let holdDuration = 1000
  let holdTimer

  holdBtn.on('touchend', function () {
    // finish hold
  });
  holdBtn.on('touchstart', function () {
    // start hold
    holdTimer = setTimeout(function() {
      //action after certain time of hold
    }, holdDuration );
  });
于 2018-10-11T06:56:51.730 回答