We have learned about Intersection observer API
in our last blog(https://techcookies.com/post/Understand-intersection-observer-api), you can refer for basics and details.
In this blog we'll learn how we can implement it in ReactJS using TypeScript.
Intersection observer API helps detect the visibility of an element, i.e. if it’s in the current viewport, and also the relative visibility of two elements in relationship to each other - triggering a callback function.
Intersection observer API
.import { RefObject, useEffect, useState } from "react"
export function useIntersectionObserver(ref: RefObject<HTMLElement>, options: IntersectionObserverInit){
const [isIntersecting, setIsIntersecting] = useState(false);
useEffect(()=>{
const observer = new IntersectionObserver(([entry])=>{
setIsIntersecting(entry.isIntersecting);
}, options);
if (ref.current) {
observer.observe(ref.current);
}
return () => {
observer.unobserve(ref.current!);
};
}, []);
return isIntersecting;
}
"use client";
import { useRef } from "react";
import { useIntersectionObserver } from "./useIntersectionObserver";
const IntersectionApiComp = () => {
const ref = useRef<HTMLDivElement>(null);
const onScreen = useIntersectionObserver(ref, { threshold: 0.5 });
return (
<div>
<div style={{ height: "100vh" }}>Scroll down</div>
<div style={{ height: "100vh" }} ref={ref}>
{onScreen ? (
<>
<img
className="lazy-load"
src="./image.jpg"
alt="A beautiful scene"
/>
<img
className="lazy-load"
src="./image2.jpg"
alt="Another beautiful scene"
/>
</>
) : null}
</div>
</div>
);
};
export default IntersectionApiComp;