react-use/src/useSize.tsx
2019-07-08 11:42:44 +02:00

102 lines
2.3 KiB
TypeScript

import * as React from 'react';
import { isClient } from './util';
const { useState, useEffect, useRef } = React;
const DRAF = (callback: () => void) => setTimeout(callback, 35);
export type Element = ((state: State) => React.ReactElement<any>) | React.ReactElement<any>;
export interface State {
width: number;
height: number;
}
const useSize = (
element: Element,
{ width = Infinity, height = Infinity }: Partial<State> = {}
): [React.ReactElement<any>, State] => {
if (!isClient) {
return [typeof element === 'function' ? element({ width, height }) : element, { width, height }];
}
const [state, setState] = useState<State>({ width, height });
if (typeof element === 'function') {
element = element(state);
}
const style = element.props.style || {};
const ref = useRef<HTMLIFrameElement | null>(null);
let window: Window | null = null;
const setSize = () => {
const iframe = ref.current;
const size = iframe
? {
width: iframe.offsetWidth,
height: iframe.offsetHeight,
}
: { width, height };
setState(size);
};
const onWindow = (windowToListenOn: Window) => {
windowToListenOn.addEventListener('resize', setSize);
DRAF(setSize);
};
useEffect(() => {
const iframe: HTMLIFrameElement | null = ref.current;
if (!iframe) {
// iframe will be undefined if component is already unmounted
return;
}
if (iframe.contentWindow) {
window = iframe.contentWindow!;
onWindow(window);
} else {
const onLoad = () => {
iframe.removeEventListener('load', onLoad);
window = iframe.contentWindow!;
onWindow(window);
};
iframe.addEventListener('load', onLoad);
}
return () => {
if (window) {
window.removeEventListener('resize', setSize);
}
};
}, []);
style.position = 'relative';
const sized = React.cloneElement(
element,
{ style },
...[
React.createElement('iframe', {
ref,
style: {
background: 'transparent',
border: 'none',
height: '100%',
left: 0,
position: 'absolute',
top: 0,
width: '100%',
zIndex: -1,
},
}),
...React.Children.toArray(element.props.children),
]
);
return [sized, state];
};
export default useSize;