Shopify App package for React Router
The @shopify/shopify-app-react-router package enables React Router apps to authenticate with Shopify and make API calls. It uses App Bridge to enable apps to embed themselves in the Shopify Admin.
On this page learn the key concepts when building an app with this package.
Anchor to quick-startQuick start
The quickest way to create a new app is using the Shopify CLI, and the Shopify App Template.
Check out the getting started guide, or the app template.
Create an app
Terminal
examples
Create an app
Terminal
shopify app init --template=https://github.com/Shopify/shopify-app-template-react-router
Anchor to shopify-appConfigure the package
Using the function, you can configure the package's functionality for different app distributions types, access tokens, logging levels and future flags.
Configure ShopifyApp
/app/shopify.server.ts
examples
Configure ShopifyApp
/app/shopify.server.ts
import { LATEST_API_VERSION, LogSeverity, shopifyApp, } from '@shopify/shopify-app-react-router/server'; const shopify = shopifyApp({ apiKey: process.env.SHOPIFY_API_KEY!, apiSecretKey: process.env.SHOPIFY_API_SECRET!, appUrl: process.env.SHOPIFY_APP_URL!, apiVersion: LATEST_API_VERSION, logger: { level: LogSeverity.Debug, // Set the log level to debug }, future: { exampleFlag: true, // Enable a future flag to true }, }); export default shopify;
Anchor to graphql-requestMake Admin API GraphQL requests
Authenticated requests with the Admin API GraphQL client are made by calling the admin.graphql
function. This function returns a GraphQL client that is authenticated with the Admin API.
Make a GraphQL request
/app/routes/admin/$.tsx
examples
Make a GraphQL request
/app/routes/admin/$.tsx
export const action = async ({ request }: ActionFunctionArgs) => { const { admin } = await authenticate.admin(request); const response = await admin.graphql( `#graphql mutation populateProduct($product: ProductCreateInput!) { productCreate(product: $product) { product { id variants(first: 10) { nodes { id createdAt } } } } } }`, { variables: { product: { title: 'Test Product', }, }, }, ); const responseJson = await response.json(); };
Anchor to add-routesAdd a new route to your app
Routes embedded in the Shopify Admin must be nested under an Admin layout route for proper authentication and functionality.
The template includes an admin route at that handles App Bridge initialization, authenticates requests via
authenticate.admin
, provides error boundaries and headers required by the admin.
When creating new routes, place them in the directory with the
app.
prefix (e.g., app.products.tsx
) to ensure they inherit these features. This structure ensures your app behaves correctly within the Shopify Admin and has access to authenticated API clients.
Add a route
examples
Add a route
/app/routes/app.new.tsx
import { TitleBar } from "@shopify/app-bridge-react"; export default function AdditionalPage() { return ( <s-page> <TitleBar title="Additional page"></TitleBar> <s-section heading="Multiple pages"> <s-paragraph> The app template comes with an additional page which demonstrates how to create multiple pages within app navigation using{" "} <s-link href="https:shopify.dev/docs/apps/tools/app-bridge" target="_blank" > App Bridge </s-link> </s-paragraph> </s-section> </s-page> ); }
/app/routes/app.tsx
import type {HeadersFunction, LoaderFunctionArgs} from 'react-router'; import {Link, Outlet, useLoaderData, useRouteError} from 'react-router'; import {boundary} from '@shopify/shopify-app-react-router/server'; import {NavMenu} from '@shopify/app-bridge-react'; import {AppProvider} from '@shopify/shopify-app-react-router/react'; import {authenticate} from '../shopify.server'; export const loader = async ({request}: LoaderFunctionArgs) => { await authenticate.admin(request); return {apiKey: process.env.SHOPIFY_API_KEY || ''}; }; export default function App() { const {apiKey} = useLoaderData<typeof loader>(); return ( <AppProvider embedded apiKey={apiKey}> <NavMenu> <Link to="/app" rel="home"> Home </Link> <Link to="/app/additional">Additional page</Link> </NavMenu> <Outlet /> </AppProvider> ); } // Shopify needs React Router to catch some thrown responses, so that their headers are included in the response. export function ErrorBoundary() { return boundary.error(useRouteError()); } export const headers: HeadersFunction = (headersArgs) => { return boundary.headers(headersArgs); };
Anchor to authenticate-webhookAuthenticate Webhook Requests
The package provide functions to authenticate webhook requests. This function returns a webhook client that is authenticated with the Admin API.
Ensure your webhook route is not nested under you app layout route.
Authenticate Webhook Requests
/app/routes/webhooks.app.product_updated.tsx
examples
Authenticate Webhook Requests
/app/routes/webhooks.app.product_updated.tsx
export const action = async ({ request }: ActionFunctionArgs) => { const { topic, shop } = await authenticate.webhook(request); console.log(`Received ${topic} webhook for ${shop}`); return new Response(); };
Anchor to session-storageSession Storage
When using this package, installed shops access tokens will be stored in session storage.You can configure the storage mechanism by passing a custom storage object to the function.By default, the template will use Prisma and SQLite, but other session storage adapters are available.
The type of session storage you use may impact how your app will be deployed.
Session Storage
/app/shopify.server.ts
examples
Session Storage
/app/shopify.server.ts
import { PrismaSessionStorage } from "@shopify/shopify-app-session-storage-prisma"; import prisma from "./db.server"; const shopify = shopifyApp({ apiKey: process.env.SHOPIFY_API_KEY, apiSecretKey: process.env.SHOPIFY_API_SECRET || "", apiVersion: ApiVersion.January25, appUrl: process.env.SHOPIFY_APP_URL || "", // use Prisma session storage sessionStorage: new PrismaSessionStorage(prisma), }); export const sessionStorage = shopify.sessionStorage;
Anchor to deploy-appDeploy your app
You can deploy your app to your preferred hosting service that is compatible with JavaScript apps. Review our deployment guide to learn about the requirements for deploying your app.