window.addEventListener("hashchange", function () {
window.scrollTo(window.scrollX, window.scrollY - 100);
});
これにより、ブラウザがアンカーにジャンプする作業を実行できるようになり、その位置を使用してオフセットします。
編集1:
@erb が指摘したように、これは、ハッシュが変更されているときにページにいる場合にのみ機能します。上記のコードでは、既に URL に含まれているページに入ること#something
ができません。これを処理する別のバージョンを次に示します。
// The function actually applying the offset
function offsetAnchor() {
if(location.hash.length !== 0) {
window.scrollTo(window.scrollX, window.scrollY - 100);
}
}
// This will capture hash changes while on the page
window.addEventListener("hashchange", offsetAnchor);
// This is here so that when you enter the page with a hash,
// it can provide the offset in that case too. Having a timeout
// seems necessary to allow the browser to jump to the anchor first.
window.setTimeout(offsetAnchor, 1); // The delay of 1 is arbitrary and may not always work right (although it did in my testing).
注: jQuery を使用するには、例で をwindow.addEventListener
置き換えるだけです。$(window).on
ありがとう@ネオン。
編集2:
何人かが指摘しているようにhashchange
、オフセットを強制するイベントがないため、同じアンカー リンクを 2 回以上続けてクリックすると、上記は失敗します。
このソリューションは、@Mave からの提案をわずかに変更したバージョンであり、簡単にするために jQuery セレクターを使用します
// The function actually applying the offset
function offsetAnchor() {
if (location.hash.length !== 0) {
window.scrollTo(window.scrollX, window.scrollY - 100);
}
}
// Captures click events of all <a> elements with href starting with #
$(document).on('click', 'a[href^="#"]', function(event) {
// Click events are captured before hashchanges. Timeout
// causes offsetAnchor to be called after the page jump.
window.setTimeout(function() {
offsetAnchor();
}, 0);
});
// Set the offset when entering page with hash present in the url
window.setTimeout(offsetAnchor, 0);
この例の JSFiddle はこちら