Building with Remix
Remix is a full-stack web framework built on top of React Router and Vite, and supports advanced features like server-side rendering (SSR), seamless server and browser communication using loader
and action
functions, and file-based frontend routing.
Remix is also the framework that is used for Shopify's CLI applications.
Remix support in Gadget was added with Gadget framework version 1.2. If you're using an older version of Gadget, you'll need to upgrade your framework version to run Remix apps in Gadget.
Gadget supports Remix for building app frontends. Hot module reloading (HMR) works out of the box while developing, and you can deploy to production in a single click.
Getting started with Remix
Remix can be run in both SSR and SPA (single page application) mode.
By default, Gadget's Remix template for Shopify is in SPA mode, and the Remix template for web apps uses SSR. You can also manually migrate between the two configurations.
Gadget frontends are serverless and resources used are scaled to zero when not in use. This means that a frontend not in use needs to be started fresh, referred to as a cold boot. This cold boot time may negatively impact web vitals like LCP.
Contact us if you are building in SSR model and need to minimize cold boot times.
Default frontend configuration
Remix frontends in Gadget have some defaults that are designed to make it easier to get started.
vite.config.mjs
is used to define the Vite configuration for your frontend.web/root.jsx
is used to define the root route and is used to power the frontend.- The
web/routes
directory is used to define your frontend routes. web/api.js
defines the API client for your app.
Remix frontends in Gadget are built with Vite and configuration is defined in the vite.config.mjs
file. A gadget()
Vite plugin is used to inject configuration to the Vite config based on the frontend framework type, and a remix()
Vite plugin is used to inject configuration for Remix.
Dynamic configuration injection in SPA mode
Gadget provides a gadgetConfig
object which contains useful data about your application, including frontend environment variables. To provide this, Gadget uses a placeholder script tag containing /* --GADGET_CONFIG-- */
to dynamically inject the configuration into the window
object. This <script>
tag is included in the web/root.jsx
file:
inside the <head> element of web/root.jsxReact<script suppressHydrationWarning>/* --GADGET_CONFIG-- */</script>
Gadget modifies the HTML content dynamically which will cause Remix to throw hydration errors. The suppressHydrationWarning
prop is included to suppress these errors.
Don't modify this script tag!
Remix SPA mode
SPA mode in Remix brings file-based routing and nested routes to your frontends. This means that your frontend routing is determined by the files in the app/routes
directory. See the Remix documentation for more information on file-based routing and nested routes.
Reading and writing data
Gadget's React hooks and autocomponents can be used to interact with your backend in Remix's SPA mode.
This does not differ from using Gadget's React hooks and autocomponents in other contexts, and you can read more about using them in our frontend docs.
Migrating from SPA to SSR
To migrate a Remix frontend from SPA mode to SSR, you need to make a few changes to your app.
- Install the
isbot
package if you are not planning to customize yourentry.server
file. - Remove the
ssr: false
flag from theremix
plugin in thevite.config.mjs
file. - Remove the
/* --GADGET_CONFIG-- */
script tag fromweb/root.jsx
. - If you use
window.gadgetConfig
in your frontend code, use a loader function to pass thegadgetConfig
to the frontend. - Update your routes to use the
loader
function to fetch data and theaction
function to submit data. - If it is a Shopify app, pass the
location
object from Remix'suseLocation
hook to theGadgetProvider
. For example:
web/root.jsxReact1import { useLocation } from "@remix-run/react";23export default function App() {4 const location = useLocation();56 return (7 <GadgetProvider8 type={AppType.Embedded}9 shopifyApiKey={window.gadgetConfig.apiKeys.shopify}10 api={api}11 location={location} // <-- pass the location object here12 >13 <AppProvider i18n={enTranslations}>14 <AuthenticatedApp />15 </AppProvider>16 </GadgetProvider>17 );18}
Updating your routes is not required, but it is recommended to do so to take advantage of the benefits of SSR.
Remix SSR
SSR in Remix allows you to render your frontend on the server. SSR has multiple benefits:
- improved performance by reducing the time it takes to load the page
- better SEO because search engines can index the page content returned from the server
- data fetching with
loader
functions to reduce client-side requests - form submissions with
action
functions, allowing for full-stack actions without client-side JavaScript - code splitting and reduced bundle size
There are some Gadget-provided tools that will not be rendered server-side, including:
- React hooks provided by
@gadget-client/react
- autocomponents
Reading data with loader
functions
In SSR mode, you could use the loader
function from Remix to fetch the data on server-side.
Your Gadget app's context
object is available in the loader
function, and is the same as the context you get when you create an action in Gadget. This allows you to interact with your Gadget backend and pass data to your frontend.
For example, you might have a loader
function that fetches the model data like this:
Remix route fileJavaScript1/**2 * @param { import("@remix-run/node").LoaderFunctionArgs }3 */4export const loader = async ({ context, request }) => {5 // access the currentShopId in the context6 const shopId = context.connections.shopify.currentShopId;78 // use context.api to interact with your backend9 const shop = await context.api.shopifyShop.findOne(shopId);1011 // return the data you want to pass to the frontend12 return json({13 // use context to access environment variables14 GADGET_ENV: context.gadgetConfig.env.GADGET_ENV,15 shop,16 });17};
The comment block above the loader
function is used to provide the types for the function parameters like context
. This is optional but can help with type inference in the editor.
Writing data with action
functions
The action
function in Remix is used to submit data to the backend when you are using SSR.
You can use the context
object in the action
function to call your actions.
For example, you might have an action
function that creates new students after a form is submitted:
Remix route fileJavaScript1import { redirect } from "@remix-run/node";2// ... other imports34/**5 * @param { import("@remix-run/node").ActionFunctionArgs }6 */7export const action = async ({ context, request }) => {8 const { student } = await context.api.student.create({9 name: "John Doe",10 email: "[email protected]",11 });1213 // ... additional action logic1415 // redirect to the home page16 return redirect("/");17};
Similar to the loader
function, the comment block above the action
function can provide type inference for the function parameters.
Submitting forms with csrfToken
When submitting forms in SSR, you need to include the csrfToken
in the form submission to prevent CSRF (cross-site request forgery) attacks. The csrfToken
is available on the session
object, which you can pass to the frontend with an <Outlet context={...} />
tag.
example form for creating a new student recordReact1import { redirect } from "@remix-run/node";2import { Form, useOutletContext } from "@remix-run/react";34// Action function to handle form submission5export const action = async ({ request, context }) => {6 const formData = await request.formData();7 const name = formData.get("name");89 // Create new student using Gadget API10 await context.api.student.create({ name });11 // Redirect to students list on success12 return redirect("/students");13};1415export default function NewStudent() {16 // get the csrfToken from the outlet context17 const { csrfToken } = useOutletContext();1819 // add the csrfToken to the form as a hidden input field20 return (21 <div>22 <Form method="post">23 <input type="hidden" name="csrfToken" value={csrfToken} />24 <label htmlFor="name">Name:</label>25 <input type="text" id="name" name="name" />26 <button type="submit">Add student</button>27 </Form>28 </div>29 );30}
Passing gadgetConfig
to the frontend
The context
object contains a gadgetConfig
object which allows you to access properties like the Gadget environment type and Shopify install state.
You can pass the gadgetConfig
to the frontend with a Remix <Outlet context={...} />
:
web/root.jsxReact1import { json } from "@remix-run/node";2import { useLoaderData, Outlet } from "@remix-run/react";34export const loader = async ({ context }) => {5 const { gadgetConfig, session } = context;67 // ... additional loader logic89 // return the gadgetConfig to pass to the frontend10 return json({11 gadgetConfig,12 csrfToken: session.get("csrfToken"),13 });14};1516export default function App() {17 const { gadgetConfig, csrfToken } = useLoaderData();18 return (19 <html lang="en">20 <body>21 <Outlet context={{ gadgetConfig, csrfToken }} />22 </body>23 </html>24 );25}
Then to access it outside of the root.jsx
file, you could use the useOutletContext
hook from Remix like this:
Remix route fileJavaScript1import { useOutletContext } from "@remix-run/react";23export default function () {4 // useOutletContext to get access to the gadgetConfig5 const { gadgetConfig, csrfToken } = useOutletContext();6}
Check out the Remix reference on outlet context for more information.
actAsAdmin
for bypassing tenancy
In SSR mode, you can access your Gadget app's API client in your loader
and action
functions using context.api
.
By default, the API client will have the role and permissions granted by the current session, which means that any requests made will have tenancy applied by default. This is different from using the API client in Gadget actions or HTTP routes, where tenancy is not applied by default.
If you need to make requests outside of the current tenancy you can use actAsAdmin
in loader
and action
functions. For example:
example of a loader function using asAdminJavaScript1export const loader = async ({ context, request }) => {2 // grab all widgets with an admin role and bypassing tenancy3 const widgets = await context.api.actAsAdmin.widget.findMany();45 // return the data you want to pass to the frontend6 return json({7 widgets,8 });9};
Migrating from SSR to SPA
You can manually migrate a Remix frontend from SSR mode to SPA mode by following these steps:
- Add the
ssr: false
flag to theremix
plugin in thevite.config.mjs
file:
vite.config.mjsJavaScript1import { defineConfig } from "vite";2import { gadget } from "gadget-server/vite";3import { remixViteOptions } from "gadget-server/remix";4import { vitePlugin as remix } from "@remix-run/dev";56export default defineConfig({7 plugins: [8 gadget(),9 remix({10 ...remixViteOptions,11 ssr: false, // <--- add this12 }),13 ],14});
- Add the
/* --GADGET_CONFIG-- */
script tag toweb/root.jsx
. - SPA mode does not support the
loader
andaction
functions. You need to use Gadget's React hooks and autocomponents to read and write data in your frontend.
Migrate from React Router to Remix
If you would like to migrate your existing Gadget frontend app to Remix SPA mode, you can follow these steps.
Note that this sample migration is for a Shopify app.
Step 1: Install required packages
To run Remix apps, you need the following packages in package.json
:
add the following Remix packagesyarn add @remix-run/node @remix-run/react
And then install the following dev dependency:
add @remix-run/dev as a dev dependencyyarn add -D @remix-run/dev
Step 2: Update your Vite configuration
You need to include the remix
Vite plugin from @remix-run/dev
as well as our Gadget Vite plugin with pre-defined options.
You can copy the following example into your vite.config.mjs
file:
vite.config.jsJavaScript1import { defineConfig } from "vite";2import { gadget } from "gadget-server/vite";3import { remixViteOptions } from "gadget-server/remix";4import { vitePlugin as remix } from "@remix-run/dev";56export default defineConfig({7 plugins: [8 gadget(),9 remix({10 ...remixViteOptions,11 ssr: false,12 }),13 ],14});
The remixViteOptions
object provides some pre-defined options to make it easier to set up your Vite app to work with Remix.
The gadget
Vite plugin dynamically injects Vite configuration for you Gadget apps. Different configuration is injected depending on the type of frontend you are building.
Step 3: Update the build
script in package.json
We run the build
script from the package.json
file when deploying to production. You need to update this script to use the remix
Vite plugin.
package.jsonjson{"scripts": {"build": "NODE_ENV=production remix vite:build"}}
Step 4: Rename files that use the window
object
By default, your Gadget frontend has a web/api.js
that uses window
to get the Gadget config when setting up the API client:
example `web/api.js`JavaScriptimport { Client } from "@gadget-client/<your-app-name>";export const api = new Client({ environment: window.gadgetConfig.environment });
Remove the window
reference, Gadget clients will choose to create the correct client object based on whether or not it is in an SSR context or not:
example `web/api.js`JavaScriptimport { Client } from "@gadget-client/<your-app-name>";export const api = new Client();
Remix bundles your app server-side where there is no window
object and a window is not defined
error will be thrown when you load the app.
Remove any other references you have to the window
object, in any of your frontend files.
Read the Remix guide on file conventions for more information.
Step 5: Set up the root route
You need to add a web/root.jsx
file that acts as the root routes in Remix.
This is how you could set up a Shopify frontend root route for Remix in SPA mode:
web/root.jsxReact1import { Links, Scripts, ScrollRestoration } from "@remix-run/react";2import { AppProvider, Spinner } from "@shopify/polaris";3import enTranslations from "@shopify/polaris/locales/en.json";4import { AppType, Provider as GadgetProvider } from "@gadgetinc/react-shopify-app-bridge";5import appStylesHref from "./components/App.css?url";6import polarisStyles from "@shopify/polaris/build/esm/styles.css?url";7import { api } from "./api";8import { AuthenticatedApp } from "./components/App";910export const links = () => [11 { rel: "stylesheet", href: appStylesHref },12 {13 rel: "stylesheet",14 href: polarisStyles,15 },16];1718export const Layout = ({ children }) => {19 return (20 <html lang="en">21 <head>22 <meta charSet="utf-8" />23 <meta name="viewport" content="width=device-width, initial-scale=1" />24 <link rel="stylesheet" href="https://assets.gadget.dev/assets/reset.min.css" />25 <meta name="shopify-api-key" suppressHydrationWarning content="%SHOPIFY_API_KEY%" />26 <script src="https://cdn.shopify.com/shopifycloud/app-bridge.js"></script>27 <script suppressHydrationWarning>/* --GADGET_CONFIG-- */</script>28 <Links />29 </head>30 <body>31 {children}32 <ScrollRestoration />33 <Scripts />34 </body>35 </html>36 );37};3839export default function App() {40 return (41 <GadgetProvider type={AppType.Embedded} shopifyApiKey={window.gadgetConfig.apiKeys.shopify} api={api}>42 <AppProvider i18n={enTranslations}>43 <AuthenticatedApp />44 </AppProvider>45 </GadgetProvider>46 );47}4849export function HydrateFallback() {50 return <Spinner />;51}
For more information on the root route, see the Remix documentation.
Step 6: Remove unused frontend files
You can remove the following files as they are no longer needed:
index.html
web/main.jsx
Step 7: Rewrite components/App.jsx
Now that app setup is handled in web/root.jsx
, you can simplify the components/App.jsx
file to provide your app's UI only. This may include an AuthenticatedApp
component that conditionally renders your app's UI based on the user's login state.
Here's what a web/components/App.jsx
file might look like for a Shopify app:
web/components/App.jsxReact1import { useGadget } from "@gadgetinc/react-shopify-app-bridge";2import { Outlet, Link } from "@remix-run/react";3import { NavMenu } from "@shopify/app-bridge-react";4import { Spinner, Page, Card, Text, Box } from "@shopify/polaris";56export function AuthenticatedApp() {7 // we use `isAuthenticated` to render pages once the OAuth flow is complete!8 const { isAuthenticated, loading } = useGadget();910 if (loading) {11 return <Spinner />;12 }1314 return isAuthenticated ? <EmbeddedApp /> : <Unauthenticated />;15}1617function Unauthenticated() {18 return (19 <Page>20 <div style={{ height: "80px" }}>21 <Card padding="500">22 <Text variant="headingLg" as="h1">23 App must be viewed in the Shopify Admin24 </Text>25 <Box paddingBlockStart="200">26 <Text variant="bodyLg" as="p">27 Edit this page: <a href={`/edit/${window.gadgetConfig.environment}/files/web/components/App.jsx`}>web/components/App.jsx</a>28 </Text>29 </Box>30 </Card>31 </div>32 </Page>33 );34}3536function EmbeddedApp() {37 return (38 <>39 <NavMenu>40 <Link to="/" rel="home">41 Shop Information42 </Link>43 <Link to="/about">About</Link>44 </NavMenu>45 <Outlet />46 </>47 );48}
Step 8: Update your routes
Remix uses file-based routing, so you can move your existing React Router configuration into the web/routes
directory.
This includes your web/routes/index.jsx
file, would need to be renamed to web/routes/_index.jsx
.
For information on Remix route configuration, see the Remix documentation.