我希望用React 16.8.6编写一个React钩子,单击导航项后,我可以滚动到特定的HTML元素部分。我有一个Navigation
组件,它是页面上呈现的部分的同级组件。
另外,当页面滚动时,我想用该HTML部分更新App
的状态。
<ul class="nav>
<li><a>Section 1</a></li>
<li><a>Section 2</a></li>
</ul>
<section className="section-1">Section 1</section>
<section className="section-2">Section 2</section>
const [navItem, setNavItem] = React.useState(null);
const sectionRef = React.useRef(null);
// Scroll To Item
useEffect(() => {
console.log(sectionRef.current);
if (sectionRef.current) {
sectionRef.current.scrollToItem();
}
}, []);
答案 0 :(得分:3)
如果您不介意使用react-router-dom
,则可以跟踪历史记录更改,并通过id
历史记录更改将滚动位置更新为HTML元素的hash
。这种方法的优点是您不必利用状态或引用,并且可以在整个应用程序中扩展(无论元素在应用程序树中的位置如何,您都可以滚动到它们)。
工作示例:
https://fglet.codesandbox.io/(演示)
https://codesandbox.io/s/fglet(不幸的是,源代码在codeandbox编辑器中不起作用)
components / ScrollHandler (侦听哈希历史记录更改的钩子,搜索与位于哈希中的ID匹配的元素,如果找到匹配的元素ID,则它将滚动到元素)
import { useEffect } from "react";
import PropTypes from "prop-types";
import { withRouter } from "react-router-dom";
const ScrollHandler = ({ location }) => {
useEffect(() => {
const element = document.getElementById(location.hash.replace("#", ""));
setTimeout(() => {
window.scrollTo({
behavior: element ? "smooth" : "auto",
top: element ? element.offsetTop : 0
});
}, 100);
}, [location]);
return null;
};
ScrollHandler.propTypes = {
location: PropTypes.shape({
pathname: PropTypes.string,
search: PropTypes.string,
hash: PropTypes.string,
state: PropTypes.any,
key: PropTypes.string
}).isRequired
};
export default withRouter(ScrollHandler);
组件/部分
export default [1, 2, 3, 4, 5];
组件/导航(用于更改网址哈希历史记录位置的链接)
import React from "react";
import { Link } from "react-router-dom";
import List from "../List";
import sections from "../sections";
const Navigation = () => (
<List>
{sections.map(num => (
<li key={num}>
<Link to={`/#section${num}`}>Section {num}</Link>
</li>
))}
</List>
);
export default Navigation;
组件/部分(Headline
组件包含将与之匹配的id
)
import React from "react";
import Headline from "../Headline";
import sections from "../sections";
const Sections = () =>
sections.map(num => (
<Headline key={num} id={`section${num}`}>
Section {num}
</Headline>
));
export default Sections;
index.js
import React from "react";
import { render } from "react-dom";
import { BrowserRouter } from "react-router-dom";
import Container from "./components/Container";
import Navigation from "./components/Navigation";
import Sections from "./components/Sections";
import ScrollHandler from "./components/ScrollHandler";
import "./styles.css";
const App = () => (
<BrowserRouter>
<Container>
<ScrollHandler />
<Navigation />
<Sections />
</Container>
</BrowserRouter>
);
render(<App />, document.getElementById("root"));