Components Map
Since version 3.9
What is the components map?
The components map is a way to extend the UI of an extension. It allows to register new components that will be used in the extension UI.
For instance, component map can be useful for:
- implementing a user menu with links contributed from different extensions
- displaying platform-specific components in the application features specific to the platform
- customizing how polymorphic GraphQL data are displayed in an application
How to register a component map?
Registering a new component map
To register a new component map, you can use the
registerFeature
hook.
export default defineExtension({
  ...
  unstable_lifecycleHooks: {
    onFeaturesInit: (hooks) => {
      hooks.registerFeature("acme-feature", {
        ui: {
          componentsMap: {
            // This should resolve to a valid file relative to the current import.meta.url
            Header: new URL("./components/AcmeHeader.tsx", import.meta.url),
            Toolbar: new URL("./components/AcmeToolbar.tsx", import.meta.url),
            Footer: new URL("./components/AcmeFooter.tsx", import.meta.url),
          },
        },
      });
    },
  },
});
Override an existing component map
Let's say our application needs to disable the previously registered Toolbar
component which is by default registered in the acme-extension.
We can achieve this by registering a new component map with the same name, but
replacing the Toolbar with null
export default defineExtension({
  ...
  unstable_lifecycleHooks: {
    onFeaturesInit: (hooks) => {
      // this will extend the `acme-feature` from `acme-extension`
      hooks.registerFeature("acme-feature", {
        ui: {
          // we only override the `Toolbar` component, the others will still resolve from `acme-extension`
          componentsMap: { Toolbar: null },
        },
      });
    },
  },
});
When overriding an existing component map, the last registered extension will be
the components used for the feature. All the components are merged together. Not
including a component, will maintain the component registered before. To
unregister it, you must explicitly override it with null.
So in the above example, the final components map will be resolved as:
{
  Header: AcmeHeader,
  Toolbar: () => null,
  Footer: AcmeFooter,
}
How to use the components map?
The components map is used through the
useExtensionComponentMap
hook.
import { useExtensionComponentMap } from "@front-commerce/core/react";
const App = () => {
  const AcmeFeature = useExtensionComponentMap("acme-feature");
  return (
    <div>
      <AcmeFeature.Header />
      <AcmeFeature.Footer />
    </div>
  );
};