Learn about implementing data fetching requirements in your React components.
In client-side applications, data fetching generally requires a lot of boilerplate code around implementation, state management, data normalization, etc.
Access URL components
To fetch data, you may need to parse the resource identifiers or parameters from the Merchant Center URL. We provide utilities to help you implement such functionality.
For Custom Applications
For Custom Views
useLocation
hook from the react-router-dom
package to access the location data./:channelId
. The full route would then be /:projectKey/:entryPointUriPath/:channelId
and you can then access different path parameters, as follows.import { useLocation } from 'react-router-dom';
function ChannelsTable() {
const location = useLocation();
const [_, projectKey, entryPointUriPath, channelId] =
location.pathname.split('/');
// Use the channelId for data fetching
return (
// Component rendering logic
)
}
GraphQL HTTP client
Composable Commerce APIs and the Merchant Center have first-class support for GraphQL. We strongly recommend building your customization using GraphQL whenever possible.
createApolloClient
function.Use React hooks
The following example shows how you can use hooks in your React component:
import { useQuery } from '@apollo/client/react';
import { GRAPHQL_TARGETS } from '@commercetools-frontend/constants';
const Channels = (props) => {
const { data } = useQuery(FetchChannelsQuery, {
context: {
target: GRAPHQL_TARGETS.COMMERCETOOLS_PLATFORM,
},
});
return <div>{/* Do something with `data` */}</div>;
};
context.target
which configures the GraphQL target for the Merchant Center API.GRAPHQL_TARGETS
constant in the @commercetools-frontend/constants
package.Use GraphQL documents
.graphql
files that you can import
in your component file..graphql
files is a great way to co-locate your data requirements next to your React component. Furthermore, you can leverage these files to improve the developer experience with editor syntax highlighting, linting, code generation, etc.Let's create one:
query FetchChannels {
channels {
total
count
offset
results {
id
key
roles
nameAllLocales {
locale
value
}
}
}
}
And import it from the React component file:
import FetchChannelsQuery from './fetch-channels.ctp.graphql';
Error handling
error
object that we can use in our component to handle failures.For example, we can render a content notification error instead of rendering the component.
import { useQuery } from '@apollo/client/react';
import { GRAPHQL_TARGETS } from '@commercetools-frontend/constants';
import { ContentNotification } from '@commercetools-uikit/notifications';
import Text from '@commercetools-uikit/text';
const Channels = (props) => {
const { data, error } = useQuery(FetchChannelsQuery, {
context: {
target: GRAPHQL_TARGETS.COMMERCETOOLS_PLATFORM,
},
});
if (error) {
return (
<ContentNotification type="error">
<Text.Body>{getErrorMessage(error)}</Text.Body>
</ContentNotification>
);
}
return <div>{/* Do something with `data` */}</div>;
};
error
from Apollo Client, see Error handling.error.graphQLErrors
. We can attempt to do that by implementing a helper function like this:const getErrorMessage = (error) =>
error.graphQLErrors?.map((e) => e.message).join('\n') || error.message;
REST HTTP client
Some endpoints or APIs might not be available as GraphQL but as a standard HTTP REST endpoint instead.
@commercetools-frontend/sdk
, which builds on top of the JS SDK client and ReduxThe SDK library is built using Redux actions. This means that you dispatch an action describing the request and the library takes care of handling the request.
import { useAsyncDispatch, actions } from '@commercetools-frontend/sdk';
import { MC_API_PROXY_TARGETS } from '@commercetools-frontend/constants';
const Channels = (props) => {
const dispatch = useAsyncDispatch();
useEffect(() => {
async function execute() {
try {
const result = await dispatch(
actions.get({
mcApiProxyTarget: MC_API_PROXY_TARGETS.COMMERCETOOLS_PLATFORM,
service: 'channels',
});
);
// Update state with `result`
} catch (error) {
// Update state with `error`
}
}
execute();
}, [dispatch])
return (
<div>
{/* Do something with the state */}
</div>
);
};
mcApiProxyTarget
, which is how you configure the proxy target for the Merchant Center API.MC_API_PROXY_TARGETS
constant in the @commercetools-frontend/constants
package.The SDK library does not include features like data normalization, caching, etc. You will need to build these on your own.
Custom HTTP client
Example using Fetch
import createHttpUserAgent from '@commercetools/http-user-agent';
import {
buildApiUrl,
executeHttpClientRequest,
} from '@commercetools-frontend/application-shell';
const userAgent = createHttpUserAgent({
name: 'fetch-client',
version: '1.0.0',
libraryName: window.app.applicationName,
contactEmail: 'support@my-company.com',
});
const fetcher = async (url, config = {}) => {
const data = await executeHttpClientRequest(
async (options) => {
const res = await fetch(buildApiUrl(url), options);
const data = await res.json();
return {
data,
statusCode: res.status,
getHeader: (key) => res.headers.get(key),
};
},
{ userAgent, headers: config.headers }
);
return data;
};
const Channels = () => {
useEffect(() => {
async function execute() {
try {
const result = await fetcher('/proxy/ctp/channels');
// Update state with `result`
} catch (error) {
// Update state with `error`
}
}
execute();
}, []);
// ...
};
Example using Axios
import axios from 'axios';
import createHttpUserAgent from '@commercetools/http-user-agent';
import {
buildApiUrl,
executeHttpClientRequest,
} from '@commercetools-frontend/application-shell';
const userAgent = createHttpUserAgent({
name: 'axios-client',
version: '1.0.0',
libraryName: window.app.applicationName,
contactEmail: 'support@my-company.com',
});
const fetcher = async (url, config = {}) => {
const data = await executeHttpClientRequest(
async (options) => {
const res = await axios(buildApiUrl(url), {
...config,
headers: options.headers,
withCredentials: options.credentials === 'include',
});
return {
data: res.data,
statusCode: res.status,
getHeader: (key) => res.headers[key],
};
},
{ userAgent, headers: config.headers }
);
return data;
};
const Channels = () => {
useEffect(() => {
async function execute() {
try {
const result = await fetcher('/proxy/ctp/channels');
// Update state with `result`
} catch (error) {
// Update state with `error`
}
}
execute();
}, []);
// ...
};
Example using SWR
import useSWR from 'swr';
import createHttpUserAgent from '@commercetools/http-user-agent';
import {
buildApiUrl,
executeHttpClientRequest,
} from '@commercetools-frontend/application-shell';
const userAgent = createHttpUserAgent({
name: 'swr-client',
version: '1.0.0',
libraryName: window.app.applicationName,
contactEmail: 'support@my-company.com',
});
const fetcher = async (url, config = {}) => {
const data = await executeHttpClientRequest(
async (options) => {
const res = await fetch(buildApiUrl(url), options);
const data = await res.json();
return {
data,
statusCode: res.status,
getHeader: (key) => res.headers.get(key),
};
},
{ userAgent, headers: config.headers }
);
return data;
};
const Channels = () => {
const { data, error } = useSWR('/proxy/ctp/channels', fetcher);
// ...
};
Example using Ky
import ky from 'ky';
import createHttpUserAgent from '@commercetools/http-user-agent';
import {
buildApiUrl,
executeHttpClientRequest,
} from '@commercetools-frontend/application-shell';
const userAgent = createHttpUserAgent({
name: 'ky-client',
version: '1.0.0',
libraryName: window.app.applicationName,
contactEmail: 'support@my-company.com',
});
const fetcher = async (url, config = {}) => {
const data = await executeHttpClientRequest(
async (options) => {
const res = await ky(buildApiUrl(url), options);
const data = await res.json();
return {
data,
statusCode: res.statusCode,
getHeader: (key) => res.headers.get(key),
};
},
{ userAgent, headers: config.headers }
);
return data;
};
const Channels = () => {
useEffect(() => {
async function execute() {
try {
const result = await fetcher('/proxy/ctp/channels');
// Update state with `result`
} catch (error) {
// Update state with `error`
}
}
execute();
}, []);
// ...
};
Advanced usage
Use Connector Hooks
As your data requirements grow, for example, by having multiple queries and mutations in a React component, or using the same query in multiple components, you should consider extracting your queries into separate reusable hooks to help with organization and maintainability.
A connector hook is a React hook that implements most of the data requirements (queries and mutations) specific to the use cases where the data should be used.
useChannelsFetcher
.
This hook can be put into a file named use-channels-connector.js
.import { useQuery } from '@apollo/client/react';
import { GRAPHQL_TARGETS } from '@commercetools-frontend/constants';
export const useChannelsFetcher = () => {
const { data, error, loading } = useQuery(FetchChannelsQuery, {
context: {
target: GRAPHQL_TARGETS.COMMERCETOOLS_PLATFORM,
},
});
return {
channels: data?.channels,
error,
loading,
};
};
use-channels-connector.js
file can contain multiple connector hooks. For example useChannelsFetcher
, useChannelsUpdater
, useChannelsCreator
, and so on.Channels
component instead of directly using the Apollo Client hooks. Therefore, there is less code in the React component as most of the logic and configuration is abstracted away in the connector hook.import { ContentNotification } from '@commercetools-uikit/notifications';
import Text from '@commercetools-uikit/text';
import { useChannelsFetcher } from '../../hooks/use-channels-connector';
const Channels = (props) => {
const { channels, error } = useChannelsFetcher();
if (error) {
return (
<ContentNotification type="error">
<Text.Body>{getErrorMessage(error)}</Text.Body>
</ContentNotification>
);
}
return <div>{/* Do something with `channels` */}</div>;
};
Connect to an external API
/proxy/forward-to
endpoint with the appropriate headers.context
object.@commercetools-frontend/application-shell
package exposes a createApolloContextForProxyForwardTo to construct a predefined context object specific to the /proxy/forward-to
.import {
createApolloContextForProxyForwardTo,
useMcQuery,
} from '@commercetools-frontend/application-shell';
import Text from '@commercetools-uikit/text';
import HelloWorldQuery from './hello-world.graphql';
const HelloWorld = () => {
const { loading, data, error } = useMcQuery(HelloWorldQuery, {
context: createApolloContextForProxyForwardTo({
uri: 'https://my-custom-app.com/graphql',
}),
});
if (loading) return 'Loading...';
if (error) return `Error! ${error.message}`;
return <Text.Headline as="h1">{data.title}</Text.Headline>;
};
forwardToConfig
.import createHttpUserAgent from '@commercetools/http-user-agent';
import {
buildApiUrl,
executeHttpClientRequest,
} from '@commercetools-frontend/application-shell';
const fetcherForwardTo = async (targetUrl, config = {}) => {
const data = await executeHttpClientRequest(
async (options) => {
const res = await fetch(buildApiUrl('/proxy/forward-to'), options);
const data = res.json();
return {
data,
statusCode: res.status,
getHeader: (key) => res.headers.get(key),
};
},
{
userAgent,
headers: config.headers,
forwardToConfig: {
uri: targetUrl,
},
}
);
return data;
};
const HelloWorld = () => {
useEffect(() => {
async function execute() {
try {
const result = await fetcherForwardTo('https://my-custom-app.com/api');
// Update state with `result`
} catch (error) {
// Update state with `error`
}
}
execute();
}, []);
// ...
};
Call REST APIs inside your GraphQL queries
21.10.0
onwards.@rest
directive.createApolloClient
utility function.@rest
directive:import { useMcQuery } from '@commercetools-frontend/application-shell';
import { useApplicationContext } from '@commercetools-frontend/application-shell-connectors';
import { MC_API_PROXY_TARGETS } from '@commercetools-frontend/constants';
import {
usePaginationState,
useDataTableSortingState,
} from '@commercetools-uikit/hooks';
import { FetchChannelsQuery } from './fetch-channels.ctp.graphql';
const Channels = (props) => {
const projectKey = useApplicationContext((context) => context.project.key);
const { page, perPage } = usePaginationState();
const tableSorting = useDataTableSortingState({ key: 'key', order: 'asc' });
const searchParams = new URLSearchParams({
limit: perPage.value,
offset: (page.value - 1) * perPage.value,
sort: `${tableSorting.value.key} ${tableSorting.value.order}`,
});
const { data, error, loading } = useMcQuery(FetchChannelsQuery, {
fetchPolicy: 'cache-and-network',
variables: {
endpoint: `/proxy/${
MC_API_PROXY_TARGETS.COMMERCETOOLS_PLATFORM
}/${projectKey}/channels?${searchParams.toString()}`,
},
context: {
skipGraphQlTargetCheck: true,
},
});
if (error) {
return (
<ContentNotification type="error">
<Text.Body>{getErrorMessage(error)}</Text.Body>
</ContentNotification>
);
}
return <div>{/* Do something with `channels` */}</div>;
};
The related GraphQL document:
query FetchChannelsRest($endpoint: String!) {
channels @rest(type: "ChannelQueryResult", path: $endpoint) {
total
count
offset
results @type(name: "Channel") {
id
key
nameAllLocales @type(name: "LocalizedString") {
locale
value
}
}
}
}
Pay attention to the following:
-
Types and nested types require you to define the
__typename
via@rest(type: "")
or@type(name: "")
. -
The
endpoint
is passed as a variable and should point to the Merchant Center API proxy target endpoint. -
For
LocalizedString
fields such asname
(in the REST API) you should use the GraphQL naming conventionnameAllLocales
. However, you also need to instruct the Apollo REST Link to correctly transform the shape of the field. You can do that using the responseTransformer function.import { applyTransformedLocalizedStrings } from '@commercetools-frontend/l10n'; const restLink = new RestLink({ uri: getMcApiUrl(), // https://www.apollographql.com/docs/react/api/link/apollo-link-rest/#response-transforming responseTransformer: async (response, typeName) => { const data = await response.json(); switch (typeName) { case 'ChannelQueryResult': return { ...data, results: data.results.map((channel) => applyTransformedLocalizedStrings(channel, [ { from: 'name', to: 'nameAllLocales', }, ]) ), }; default: return data; } }, });
Use file uploads
FormData
. The FormData
object can then be sent as the HTTP request body.Content-Type
HTTP header, which usually must be set to multipart/form-data
. However, you also need to provide a boundary
directive.Content-Type
HTTP header in the request and let the browser correctly infer it.@commercetools-frontend/sdk
package, you need to explicitly unset the Content-Type
HTTP header by passing null
as value.{
'Content-Type': null
}