2021-04-14 21:02:02 +02:00
|
|
|
// @flow
|
|
|
|
import type { ElementRef } from 'react';
|
2021-05-14 17:00:07 +02:00
|
|
|
import React, { useEffect } from 'react';
|
2021-04-07 07:33:36 +02:00
|
|
|
|
|
|
|
/**
|
|
|
|
* Helper React hook for lazy loading images
|
|
|
|
* @param elementRef - A React useRef instance to the element to lazy load.
|
|
|
|
* @param {Number} [threshold=0.5] - The percent visible in order for loading to begin.
|
|
|
|
* @param {Array<>} [deps=[]] - The dependencies this lazy-load is reliant on.
|
|
|
|
*/
|
2021-04-14 21:02:02 +02:00
|
|
|
export default function useLazyLoading(
|
|
|
|
elementRef: { current: ?ElementRef<any> },
|
|
|
|
threshold: number = 0.25,
|
|
|
|
deps: Array<any> = []
|
|
|
|
) {
|
2021-05-14 17:00:07 +02:00
|
|
|
const [srcLoaded, setSrcLoaded] = React.useState(false);
|
|
|
|
|
2021-04-07 07:33:36 +02:00
|
|
|
useEffect(() => {
|
|
|
|
if (!elementRef.current) {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
const lazyLoadingObserver = new IntersectionObserver(
|
|
|
|
(entries, observer) => {
|
|
|
|
entries.forEach((entry) => {
|
|
|
|
if (entry.intersectionRatio >= threshold) {
|
|
|
|
const { target } = entry;
|
|
|
|
|
|
|
|
observer.unobserve(target);
|
|
|
|
|
|
|
|
// useful for lazy loading img tags
|
|
|
|
if (target.dataset.src) {
|
2021-04-14 21:02:02 +02:00
|
|
|
// $FlowFixMe
|
2021-04-07 07:33:36 +02:00
|
|
|
target.src = target.dataset.src;
|
2021-05-14 17:00:07 +02:00
|
|
|
setSrcLoaded(true);
|
2021-04-07 07:33:36 +02:00
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
// useful for lazy loading background images on divs
|
|
|
|
if (target.dataset.backgroundImage) {
|
|
|
|
target.style.backgroundImage = `url(${target.dataset.backgroundImage})`;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
});
|
|
|
|
},
|
|
|
|
{
|
|
|
|
root: null,
|
|
|
|
rootMargin: '0px',
|
|
|
|
threshold,
|
|
|
|
}
|
|
|
|
);
|
|
|
|
|
|
|
|
lazyLoadingObserver.observe(elementRef.current);
|
|
|
|
}, deps);
|
2021-05-14 17:00:07 +02:00
|
|
|
|
|
|
|
return srcLoaded;
|
2021-04-07 07:33:36 +02:00
|
|
|
}
|