Code components - Data fetching
SWR is provided as a native package and can be imported and used for general data fetching. Data returned will be shown in the “Data Fetch” pane under the component preview.
import useSWR from 'swr';
export default function Profile() { const { data, error, isLoading } = useSWR( 'https://my-site.com/api/user', fetcher, );
if (error) return <div>failed to load</div>; if (isLoading) return <div>loading...</div>; return <div>hello {data.name}!</div>;}
Drupal data
Section titled “Drupal data”Page and site data
Section titled “Page and site data”You can access information about the current page with the getPageData
utility. Results can be viewed in the Data Fetch pane below the component
preview.
import { getPageData } from 'drupal-canvas';
const { pageTitle, breadcrumbs, mainEntity } = getPageData();Main entity metadata
Section titled “Main entity metadata”The main entity is the primary Drupal entity (e.g. article, canvas_page, blog) associated with the current page.
Access main entity metadata of the page you are on with getPageData.
This can be used to construct JSON:API parameters for requests.
ℹ️ Not every route has a main entity, in that case mainEntity will be null
(e.g. front page, /user/login, or inside the Canvas code editor).
If the code component is added to a region that may appear on all pages (including pages without a main entity),
ensure to check for the existence of mainEntity before trying to access its metadata to avoid JS errors. The example below
uses a wrapper component to check for the existence of mainEntity and also checks that mainEntity is an article node
before calling the useSWR hook that fetches related articles. If the code component will only be used
on pages with a main entity, then this check is not necessary.
Example usage that fetches a list of articles but excludes the current article being viewed:
import { getPageData } from 'drupal-canvas';import { JsonApiClient } from 'drupal-canvas';import { DrupalJsonApiParams } from 'drupal-jsonapi-params';import useSWR from 'swr'
const client = new JsonApiClient();
function RelatedArticles({ mainEntity }) { const { bundle, entityTypeId, uuid } = mainEntity; const { data, error, isLoading } = useSWR( [ 'node--article', { queryString: new DrupalJsonApiParams() .addFilter('id', uuid, '<>') // Exclude current article by uuid. .getQueryString(), }, ], ([type, options]) => client.getCollection(type, options), );
return (...);}
// Wrapper component to check for mainEntity existence and type before calling a hook since// hooks cannot be called conditionally (React rules of hooks).function RelatedArticlesWrapper() { const { mainEntity } = getPageData();
// Return early if there is no mainEntity, or it is not an article node. if ( !mainEntity || mainEntity.entityTypeId !== 'node' || mainEntity.bundle !== 'article' ) { return null; } return <RelatedArticles mainEntity={mainEntity} />;}
export default RelatedArticlesWrapper;You can also access site information with the getSiteData utility
import { getSiteData } from 'drupal-canvas';
const { siteName } = getSiteData().branding;
JSON:API
Section titled “JSON:API”drupal-canvas provides the
JSON:API client
automatically configured with a baseUrl as well as
Jsona for
deserialization.
Drupal core’s JSON:API module
must be enabled to use this client.
The associated parameter helper package is also included as a native package.
import { JsonApiClient } from 'drupal-canvas';import { DrupalJsonApiParams } from 'drupal-jsonapi-params';import useSWR from 'swr';
const client = new JsonApiClient();
export default function List() { const { data, error, isLoading } = useSWR( [ 'node--article', { queryString: new DrupalJsonApiParams() .addInclude(['field_tags']) .getQueryString(), }, ], ([type, options]) => client.getCollection(type, options), );
if (error) return 'An error has occurred.'; if (isLoading) return 'Loading...'; return ( <ul> {data.map((article) => ( <li key={article.id}>{article.title}</li> ))} </ul> );}You can override the baseUrl and any default options:
const client = new JsonApiClient('https://drupal-api-demo.party', { serializer: undefined, cache: undefined,});Helper utilities
Section titled “Helper utilities”Utility functions for working with JSON:API and core APIs are provided in the
drupal-canvas package.
Examples
Section titled “Examples”Fetching nodes with JSON:API
Section titled “Fetching nodes with JSON:API”The following example fetches nodes using a preconfigured version of the
JSON:API client from the Drupal API Client,
and outputs links to each of them using the getNodePath utility from the
drupal-canvas package, which will return the path alias if exists, or fall
back to the /node/[nid] path.
import { getNodePath, JsonApiClient } from 'drupal-canvas';import { DrupalJsonApiParams } from 'drupal-jsonapi-params';import useSWR from 'swr';
const Articles = () => { const client = new JsonApiClient(); const { data, error, isLoading } = useSWR( [ 'node--article', { queryString: new DrupalJsonApiParams() .addSort('created', 'DESC') .getQueryString(), }, ], ([type, options]) => client.getCollection(type, options), );
if (error) return 'An error has occurred.'; if (isLoading) return 'Loading...'; return ( <ul> {data.map((article) => ( <li key={article.id}> <a href={getNodePath(article)}>{article.title}</a> </li> ))} </ul> );};
export default Articles;Using the JSON:API Menu Items module
Section titled “Using the JSON:API Menu Items module”This example builds a navigation menu using the JSON:API Menu Items module:
import { JsonApiClient, sortMenu } from 'drupal-canvas';import useSWR from 'swr';
const client = new JsonApiClient();
const Navigation = () => { const { data, isLoading, error } = useSWR( ['menu_items', 'main'], ([type, resourceId]) => client.getResource(type, resourceId), ); if (error) return 'An error has occurred.'; if (isLoading) return 'Loading...';
const menu = sortMenu(data);
return ( <ul> {menu.map((item) => ( <li key={item.id}>{item.title}</li> ))} </ul> );};
export default Navigation;Using Drupal core’s linkset endpoint
Section titled “Using Drupal core’s linkset endpoint”You can also build a navigation menu using Drupal core’s linkset endpoint.
import { sortLinksetMenu } from 'drupal-canvas';import useSWR from 'swr';
const Navigation = () => { const { data, isLoading, error } = useSWR( '/system/menu/main/linkset', async (url) => { const response = await fetch(url); return response.json(); }, ); if (error) return 'An error has occurred.'; if (isLoading) return 'Loading...';
const menu = sortLinksetMenu(data);
return ( <ul> {menu.map((item) => ( <li key={item.id}>{item.title}</li> ))} </ul> );};
export default Navigation;