21

所以我的 JQuery 有一些问题,假设它滚动到特定的 div。

HTML

<div id="searchbycharacter">
    <a class="searchbychar" href="#" id="#0-9" onclick="return false">0-9 |</a> 
    <a class="searchbychar" href="#" id="#A" onclick="return false"> A |</a> 
    <a class="searchbychar" href="#" id="#B" onclick="return false"> B |</a> 
    <a class="searchbychar" href="#" id="#C" onclick="return false"> C |</a> 
    ... Untill Z
</div>

<div id="0-9">
    <p>some content</p>
</div>

<div id="A">
    <p>some content</p>
</div>

<div id="B">
    <p>some content</p>
</div>

<div id="C">
    <p>some content</p>
</div>

... Untill Z

jQuery

我想要代码做的是:在.searchbychar A TAG的点击事件上>获取ID属性值并滚动到...

$( '.searchbychar' ).click(function() {

    $('html, body').animate({
        scrollTop: $('.searchbychar').attr('id').offset().top
    }, 2000);

});
4

3 回答 3

77

id 是唯一的,永远不要使用以数字开头的 id,而是使用 data-attributes 来设置目标,如下所示:

<div id="searchbycharacter">
    <a class="searchbychar" href="#" data-target="numeric">0-9 |</a> 
    <a class="searchbychar" href="#" data-target="A"> A |</a> 
    <a class="searchbychar" href="#" data-target="B"> B |</a> 
    <a class="searchbychar" href="#" data-target="C"> C |</a> 
    ... Untill Z
</div>

至于jquery:

$(document).on('click','.searchbychar', function(event) {
    event.preventDefault();
    var target = "#" + this.getAttribute('data-target');
    $('html, body').animate({
        scrollTop: $(target).offset().top
    }, 2000);
});
于 2013-09-16T15:41:00.880 回答
5

你可以这样做:

$('.searchbychar').click(function () {
    var divID = '#' + this.id;
    $('html, body').animate({
        scrollTop: $(divID).offset().top
    }, 2000);
});

供参考

  • 您需要在第一行代码中使用.点)作为类名的前缀。
  • $( 'searchbychar' ).click(function() {
  • 此外,您的代码$('.searchbychar').attr('id')将返回一个字符串 ID 而不是 jQuery 对象。因此,您不能对其应用.offset()方法。
于 2013-09-16T15:40:09.370 回答
3

这是我的解决方案:

<!-- jquery smooth scroll to id's -->   
<script>
$(function() {
  $('a[href*=\\#]:not([href=\\#])').click(function() {
    if (location.pathname.replace(/^\//,'') == this.pathname.replace(/^\//,'') && location.hostname == this.hostname) {
      var target = $(this.hash);
      target = target.length ? target : $('[name=' + this.hash.slice(1) +']');
      if (target.length) {
        $('html,body').animate({
          scrollTop: target.offset().top
        }, 500);
        return false;
      }
    }
  });
});
</script>

仅使用此代码段,您就可以使用无限数量的哈希链接和相应的 id,而无需为每个链接执行新脚本。

我已经在另一个线程中解释了它是如何工作的:https ://stackoverflow.com/a/28631803/4566435 (或者这里是我博客文章的直接链接

为了澄清,让我知道。希望能帮助到你!

于 2015-02-20T14:56:24.893 回答