使锚链接在其链接位置上方一些像素

我不确定询问/搜索此问题的最佳方法:

当您单击锚点链接时,它会将您带到页面的该部分,并且链接到的区域现在位于页面的非常顶部。我希望锚链接将我发送到页面的该部分,但我想在顶部留一些空间。在这种情况下,我不希望它将我发送到“链接到”的零件上,该零件在“非常重要”的位置上,我希望在那里有100个像素左右的空间。

这有意义吗?这可能吗?

编辑以显示代码-这只是一个锚标记:

<a href="#anchor">Click me!</a>

<p id="anchor">I should be 100px below where I currently am!</p>

回答:

window.addEventListener(“hashchange”, function () {

window.scrollTo(window.scrollX, window.scrollY - 100);

});

这将允许浏览器为我们完成跳转到锚点的工作,然后我们将使用该位置进行偏移。

正如@erb指出的那样,仅当您在页面上更改哈希值时,此方法才有效。输入#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。谢谢@Neon。

如少数人所指出的,如果您连续两次单击同一锚点链接,则以上操作将失败,因为没有hashchange事件会强制偏移。

此解决方案是@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);

以上是 使锚链接在其链接位置上方一些像素 的全部内容, 来源链接: utcz.com/qa/397418.html

回到顶部