回答:
function scrollTo(hash) {
location.hash = "#" + hash;
}
jQueryはまったく必要ありません。
function scrollToHash(hashName) { location.hash = "#" + hashName; }
より簡単:
var element_to_scroll_to = document.getElementById('anchorName2');
// Or:
var element_to_scroll_to = document.querySelectorAll('.my-element-class')[0];
// Or:
var element_to_scroll_to = $('.my-element-class')[0];
// Basically `element_to_scroll_to` just have to be a reference
// to any DOM element present on the page
// Then:
element_to_scroll_to.scrollIntoView();
scrollIntoViewOptions
がありbehavior: "smooth"
ますが、現在はFirefoxとのみ互換性があります。
あなたはjQuerysを使用することができます.animate() 、.offset()とscrollTop
。お気に入り
$(document.body).animate({
'scrollTop': $('#anchorName2').offset().top
}, 2000);
リンクの例:http : //jsbin.com/unasi3/edit
あなたはアニメーションの使用したくない場合.scrollTop()のような
$(document.body).scrollTop($('#anchorName2').offset().top);
またはネイティブのlocation.hash
ようなJavaScript
location.hash = '#' + anchorid;
<h1 id="anchorName">
またはを見つけるセレクタを作成する限り、最初にIDで要素を検索し、見つからない場合にのみaを検索する<a name="anchorName">
を使用する$('#'+hash+',a[name='+hash+']')
か、わずかに最適化$(document.getElementById(hash) || 'a[name='+hash+']')
します。
$("#selector")
は最適化されていますが$("#selector,a[name='selector']")
、同じ最適化をすぐには実行できません。私の2.5年前のコメントは少し奇妙に聞こえると思います。「最適化」はa[name='selector']
、IDが見つかった場合に検索を回避するものであり、IDの検索を最適化するものではありません。
el.scrollIntoView({
behavior: 'smooth', // smooth scroll
block: 'start' // the upper border of the element will be aligned at the top of the visible part of the window of the scrollable area.
})
しかし、私が理解している限り、彼には以下のオプションほど良いサポートはありません。
const element = document.querySelector('#element')
const topPos = element.getBoundingClientRect().top + window.pageYOffset
window.scrollTo({
top: topPos, // scroll so that the element is at the top of the view
behavior: 'smooth' // smooth scroll
})
const element = document.querySelector('#element')
const rect = element.getBoundingClientRect() // get rects(width, height, top, etc)
const viewHeight = Math.max(document.documentElement.clientHeight, window.innerHeight || 0);
window.scroll({
top: rect.top + rect.height / 2 - viewHeight / 2,
behavior: 'smooth' // smooth scroll
});
サポート:
彼らはそれをscroll
と同じ方法で書いていますが、scrollTo
サポートはでよりよく示されscrollTo
ます。
JQueryを使用しない純粋なJavaScriptソリューション。ChromeおよびIeでテスト済み、IOSではテストされていません
function ScrollTo(name) {
ScrollToResolver(document.getElementById(name));
}
function ScrollToResolver(elem) {
var jump = parseInt(elem.getBoundingClientRect().top * .2);
document.body.scrollTop += jump;
document.documentElement.scrollTop += jump;
if (!elem.lastjump || elem.lastjump > Math.abs(jump)) {
elem.lastjump = Math.abs(jump);
setTimeout(function() { ScrollToResolver(elem);}, "100");
} else {
elem.lastjump = null;
}
}
2018年には、このような単純なものにjQueryは必要ありません。組み込みscrollIntoView()
メソッドはbehavior
、ページ上の任意の要素にスムーズにスクロールするための" "プロパティをサポートしています。ブラウザのURLをハッシュで更新してブックマーク可能にすることもできます。
HTMLブックマークをスクロールする上でこのチュートリアル、ここに自動的にページ上のすべてのアンカーリンクにスムーズスクロールを追加するためのネイティブな方法は次のとおりです。
let anchorlinks = document.querySelectorAll('a[href^="#"]')
for (let item of anchorlinks) { // relitere
item.addEventListener('click', (e)=> {
let hashval = item.getAttribute('href')
let target = document.querySelector(hashval)
target.scrollIntoView({
behavior: 'smooth',
block: 'start'
})
history.pushState(null, null, hashval)
e.preventDefault()
})
}
正しい y
座標を取得して使用するwindow.scrollTo({top: y, behavior: 'smooth'})
const id = 'anchorName2';
const yourElement = document.getElementById(id);
const y = yourElement.getBoundingClientRect().top + window.pageYOffset;
window.scrollTo({top: y, behavior: 'smooth'});
scrollIntoView
も良いオプションですが、完全に機能しない場合もあります。たとえば、追加のオフセットが必要な場合。ではscrollTo
、あなただけの、このようにオフセットすることを追加する必要があります。
const yOffset = -10;
window.scrollTo({top: y + yOffset, behavior: 'smooth'});
css html { scroll-behavior: smooth; }
CSS-Tricksのソリューションは、jQuery 2.2.0では機能しなくなりました。セレクタエラーがスローされます。
JavaScriptランタイムエラー:構文エラー、認識できない式:a [href * =#]:not([href =#])
セレクターを変更して修正しました。完全なスニペットは次のとおりです。
$(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
}, 1000);
return false;
}
}
});
});
ほとんどの答えは不必要に複雑です。
ターゲット要素にジャンプするだけの場合は、JavaScriptは必要ありません。
# the link:
<a href="#target">Click here to jump.</a>
# target element:
<div id="target">Any kind of element.</div>
アニメーションでターゲットまでスクロールしたい場合は、@ Shahilの回答を参照してください。
これは機能します:
$('.scroll').on("click", function(e) {
e.preventDefault();
var dest = $(this).attr("href");
$("html, body").animate({
'scrollTop': $(dest).offset().top
}, 2000);
});
https://jsfiddle.net/68pnkfgd/
アニメーション化したいリンクに「スクロール」クラスを追加するだけです
これは、ページをアンカーまでスクロールする作業スクリプトです。設定するには、アンカーリンクに、スクロール先のアンカーのname属性と一致するIDを指定します。
<script>
jQuery(document).ready(function ($){
$('a').click(function (){
var id = $(this).attr('id');
console.log(id);
if ( id == 'cet' || id == 'protein' ) {
$('html, body').animate({ scrollTop: $('[name="' + id + '"]').offset().top}, 'slow');
}
});
});
</script>
これは本当に古い質問ですが、css-tricksに簡単でシンプルなjQueryソリューションが見つかりました。それは私が今使っているものです。
$(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
}, 1000);
return false;
}
}
});
});
vue2ソリューション...単純なデータプロパティを追加して、更新を強制します
const app = new Vue({
...
, updated: function() {
this.$nextTick(function() {
var uri = window.location.href
var anchor = ( uri.indexOf('#') === -1 ) ? '' : uri.split('#')[1]
if ( String(anchor).length > 0 && this.updater === 'page_load' ) {
this.updater = "" // only on page-load !
location.href = "#"+String(anchor)
}
})
}
});
app.updater = "page_load"
/* smooth scrolling in css - works in html5 only */
html, body {
scroll-behavior: smooth;
}
ブラウザーでページを特定のアンカーまでスクロールさせる最も簡単な方法は、style.css * {scroll-behavior:smooth;}を入力して、HTMLナビゲーションで#NameOfTheSectionを使用することです。
*{scroll-behavior: smooth;}
<a href="#scroll-to">Home<a/>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<p>other sections</p>
<section id="scroll-to">
<p>it will scroll down to this section</p>
</section>
<a href="#anchorName">link</a>