accounts-frontend/src/components/MeasureHeight.js

75 lines
2.1 KiB
JavaScript
Raw Normal View History

2017-07-22 21:27:38 +05:30
// @flow
import React, { PureComponent } from 'react';
2016-05-02 22:55:14 +05:30
import { omit, debounce } from 'functions';
2016-05-02 22:55:14 +05:30
/**
* MeasureHeight is a component that allows you to measure the height of elements wrapped.
*
* Each time the height changed, the `onMeasure` prop will be called.
* On each component update the `shouldMeasure` prop is being called and depending of
* the value returned will be decided whether to call `onMeasure`.
* By default `shouldMeasure` will compare the old and new values of the `state` prop.
2019-06-09 13:59:54 +05:30
* Both `shouldMeasure` and `state` can be used to reduce the amount of measures, which
* will reduce the count of forced reflows in browser.
2016-05-02 22:55:14 +05:30
*
* Usage:
* <MeasureHeight
* state={theValueToInvalidateCurrentMeasure}
* onMeasure={this.onUpdateContextHeight}
* >
* <div>some content here</div>
* <div>which may be multiple children</div>
* </MeasureHeight>
*/
2019-06-09 13:59:54 +05:30
type ChildState = mixed;
2017-08-23 02:01:41 +05:30
export default class MeasureHeight extends PureComponent<{
shouldMeasure: (prevState: ChildState, newState: ChildState) => boolean,
onMeasure: (height: number) => void,
state: ChildState,
2017-08-23 02:01:41 +05:30
}> {
static defaultProps = {
shouldMeasure: (prevState: ChildState, newState: ChildState) =>
prevState !== newState,
onMeasure: (height: number) => {}, // eslint-disable-line
};
2016-05-02 22:55:14 +05:30
el: ?HTMLDivElement;
2016-05-02 22:55:14 +05:30
componentDidMount() {
// we want to measure height immediately on first mount to avoid ui laggs
this.measure();
window.addEventListener('resize', this.enqueueMeasurement);
}
2016-05-02 22:55:14 +05:30
componentDidUpdate(prevProps: typeof MeasureHeight.prototype.props) {
if (this.props.shouldMeasure(prevProps.state, this.props.state)) {
this.enqueueMeasurement();
2016-05-02 22:55:14 +05:30
}
}
2016-05-02 22:55:14 +05:30
componentWillUnmount() {
window.removeEventListener('resize', this.enqueueMeasurement);
}
render() {
const props: Object = omit(this.props, [
'shouldMeasure',
'onMeasure',
'state',
]);
return <div {...props} ref={(el: HTMLDivElement) => (this.el = el)} />;
}
2016-05-02 22:55:14 +05:30
measure = () => {
requestAnimationFrame(() => {
this.el && this.props.onMeasure(this.el.offsetHeight);
});
};
enqueueMeasurement = debounce(this.measure);
2016-05-02 22:55:14 +05:30
}