File size: 1,833 Bytes
1e92f2d | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 | import type { ComponentType, ReactElement, ReactNode } from 'react';
import React, { Fragment } from 'react';
import { getDisplayName } from '../core/utils';
import connectDynamicWidgets from '../connectors/connectDynamicWidgets';
function isReactElement(element: any): element is ReactElement {
return typeof element === 'object' && element.props;
}
function getAttribute(element: ReactNode): string | undefined {
if (!isReactElement(element)) {
return undefined;
}
if (element.props.attribute) {
return element.props.attribute;
}
if (Array.isArray(element.props.attributes)) {
return element.props.attributes[0];
}
if (element.props.children) {
return getAttribute(React.Children.only(element.props.children));
}
return undefined;
}
type DynamicWidgetsProps = {
children: ReactNode;
attributesToRender: string[];
fallbackComponent?: ComponentType<{ attribute: string }>;
};
function DynamicWidgets({
children,
attributesToRender,
fallbackComponent: Fallback = () => null,
}: DynamicWidgetsProps) {
const widgets: Map<string, ReactNode> = new Map();
React.Children.forEach(children, (child) => {
const attribute = getAttribute(child);
if (!attribute) {
throw new Error(
`Could not find "attribute" prop for ${getDisplayName(child)}.`
);
}
widgets.set(attribute, child);
});
// on initial render this will be empty, but React InstantSearch keeps
// search state for unmounted components in place, so routing works.
return (
<>
{attributesToRender.map((attribute) => (
<Fragment key={attribute}>
{widgets.get(attribute) || <Fallback attribute={attribute} />}
</Fragment>
))}
</>
);
}
export default connectDynamicWidgets(DynamicWidgets, {
$$widgetType: 'ais.dynamicWidgets',
});
|