最好只查看fiddle并尝试点击按钮。
我遇到的问题是第一个按钮用于使用jQuery .next()
函数导航到下一部分。然而,它不适用于其余部分。
var buttons= document.querySelectorAll(".next-section");
for(var i=0; i<buttons.length; i++){
buttons[i].addEventListener("click", scrollDown);
}
function scrollDown(){
console.log("Debug: BUTTON CLICKED")
$('html, body').animate({
scrollTop: $("section").next(".page").offset().top
}, 'slow');
}
答案 0 :(得分:4)
您的活动附件有效并且scrollDown
方法正在调用。
但是,$("section").next(".page")
始终返回第二页,并始终尝试将页面滚动到第二部分。
会发生什么:
$("section")
会返回您网页的所有section
元素(第1,2,3,4页).next(".page")
返回每个元素的下一页(第2,3,4页).offset().top
返回列表中第一个元素的顶部位置(第2页)相反,您需要获取当前页的下一页$(this).closest(".page")
,并获取其偏移量。
您可以改用以下代码:
$('html, body').animate({
scrollTop: $(this).closest(".page").next().offset().top
}, 'slow');
以下是工作演示:
var buttons = document.querySelectorAll(".next-section");
for (var i = 0; i < buttons.length; i++) {
buttons[i].addEventListener("click", scrollDown);
}
function scrollDown() {
console.log("Debug: BUTTON CLICKED")
$('html, body').animate({
scrollTop: $(this).closest(".page").next().offset().top
}, 'slow');
}
html,
body {
text-align: center;
margin: 0;
}
.page {
height: 100vh;
width: 100%;
display: flex;
justify-content: center;
align-items: center;
}
.content {
display: block;
height: auto;
}
#one {
background-color: grey;
}
#two {
background-color: red;
}
#three {
background-color: blue;
}
<!DOCTYPE html>
<html>
<head>
<title></title>
<link rel="stylesheet" type="text/css" href="./css/styles.css">
</head>
<body>
<section class="page" id="one">
<div class="content">
<h1>Page1</h1>
<p>This is page 1</p>
<button class="next-section">Next Page!</button>
</div>
</section>
<section class="page" id="two">
<div class="content">
<h2>PAGE 2</h2>
<button class="next-section">Next Page</button>
</div>
</section>
<section class="page" id="three">
<div class="content">
<h2>PAGE 3</h2>
<button class="next-section">Next Page</button>
</div>
</section>
<section class="page" id="four">
<div class="content">
<h2>PAGE 4</h2>
<button class="next-section">Next Page</button>
</div>
</section>
<script type="text/javascript" src="./js/script.js"></script>
<script type="text/javascript" src="https://code.jquery.com/jquery-3.2.1.min.js"></script>
</body>
</html>
一个小改进建议:不要混合使用vanilla JS事件和jQuery
如果您使用jQuery,请使用$(".next-section").click(scrollDown)
代替document.querySelectorAll
和addEventListener
。