使用scrollTo/scrollTop让页面元素滚动到指定位置, 并设置滚动动画
在JavaScript中,可以使用window.scrollTo()
或element.scrollTop
属性来滚动页面到指定位置。为了添加滚动动画,可以使用requestAnimationFrame
结合目标位置和当前位置的计算来逐帧更新滚动位置。
以下是使用scrollTo
滚动到页面顶部的例子,并设置了动画:
function smoothScrollToTop(duration) {
const start = window.pageYOffset;
const startTime = 'now' in window.performance ? performance.now() : new Date().getTime();
const documentHeight = document.documentElement.scrollHeight - 20; // 减去20px避免滚动到底
const windowHeight = window.innerHeight;
const scrollTop = document.documentElement.scrollTop || document.body.scrollTop;
duration = duration || 500;
const easeInOutQuad = (t, b, c, d) => {
if ((t /= d / 2) < 1) return c / 2 * t * t + b;
return -c / 2 * ((--t) * (t - 2) - 1) + b;
};
const animateScroll = () => {
const currentTime = 'now' in window.performance ? performance.now() : new Date().getTime();
const time = Math.min(1, ((currentTime - startTime) / duration));
const timeFunction = easeInOutQuad(time, start, documentHeight - scrollTop, duration);
window.scrollTo(0, timeFunction);
if (time < 1) {
requestAnimationFrame(animateScroll);
}
};
animateScroll();
}
// 使用函数滚动到页面顶部,持续时间500毫秒
smoothScrollToTop(500);
如果你想滚动到页面中的特定元素,可以使用element.scrollIntoView()
方法,并通过options
参数设置动画效果:
const element = document.getElementById('some-element-id');
element.scrollIntoView({
behavior: 'smooth'
});
以上代码将平滑滚动至页面中ID为some-element-id
的元素。
评论已关闭