web-dev-qa-db-ja.com

jQueryでリロードせずにハッシュを変更する

私は次のコードを持っています:

$('ul.questions li a').click(function(event) {
    $('.tab').hide();
    $($(this).attr('href')).fadeIn('slow');
    event.preventDefault();
    window.location.hash = $(this).attr('href');
});

これは、クリックしたときに基づいてdivをフェードインするだけですが、クリックするとページURLハッシュタグを変更して、人々がそれをコピーしてブックマークできるようにします。現時点では、ハッシュタグが変更されると、これによりページが事実上再読み込みされます。

ジャンプ効果を防ぐためにハッシュタグを変更してページをリロードしないことは可能ですか?

50
daveredfern

これは私のために働く

$('ul.questions li a').click(function(event) {
    event.preventDefault();
    $('.tab').hide();
    window.location.hash = this.hash;
    $($(this).attr('href')).fadeIn('slow');
});

ここを確認してください http://jsbin.com/edic ほぼ同一のコードを使用したデモ

78
jitter

Onloadイベントをキャッチしてみてください。そして、いくつかのフラグに依存して伝播を停止します。

var changeHash = false;

$('ul.questions li a').click(function(event) {
    var $this = $(this)
    $('.tab').hide();  //you can improve the speed of this selector.
    $($this.attr('href')).fadeIn('slow');
    StopEvent(event);  //notice I've changed this
    changeHash = true;
    window.location.hash = $this.attr('href');
});

$(window).onload(function(event){
    if (changeHash){
        changeHash = false;
        StopEvent(event);
    }
}

function StopEvent(event){
    event.preventDefault();
    event.stopPropagation();
    if ($.browser.msie) {
        event.originalEvent.keyCode = 0;
        event.originalEvent.cancelBubble = true;
        event.originalEvent.returnValue = false;
    }
}

テストされていないため、機能するかどうかはわかりません

4
James Wiseman

次のように単純に新しい値を割り当てることができます。

window.location.hash
0
Shahrukh Anwar

クリックするとページがわずかにジャンプし、スクロールアニメーションが台無しになるため、受け入れられた答えは私には機能しませんでした。

window.history.replaceStateメソッドを使用するのではなく、window.location.hashを使用してURL全体を更新することにしました。したがって、ブラウザーによって起動されるhashChangeイベントを回避します。

// Only fire when URL has anchor
$('a[href*="#"]:not([href="#"])').on('click', function(event) {

    // Prevent default anchor handling (which causes the page-jumping)
    event.preventDefault();

    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 ) {    
            // Smooth scrolling to anchor
            $('html, body').animate({
                scrollTop: target.offset().top
            }, 1000);

            // Update URL
            window.history.replaceState("", document.title, window.location.href.replace(location.hash, "") + this.hash);
        }
    }
});
0
Swen