Migrating from Create React App (CRA)
Astro’s React integration provides support for using React components inside Astro components, including entire React apps like Create React App (CRA)!
---// Import your root App componentimport App from '../cra-project/App.jsx';---<!-- Use a client directive to load your app --><App client:load />Many apps will “just work” as full React apps when you add them directly to your Astro project with the React integration installed. This is a great way to get your project up and running immediately and keep your app functional while you migrate to Astro.
Over time, you can convert your structure piece-by-piece to a combination of .astro and .jsx components. You will probably discover you need fewer React components than you think!
Here are some key concepts and migration strategies to help you get started. Use the rest of our docs and our Discord community to keep going!
Key Similarities between CRA and Astro
Section titled Key Similarities between CRA and Astro- 
The syntax of .astrofiles is similar to JSX. Writing Astro should feel familiar.
- 
Astro uses file-based routing, and allows specially named pages to create dynamic routes. 
- 
Astro is component-based, and your markup structure will be similar before and after your migration. 
- 
Astro has official integrations for React, Preact, and Solid so you can use your existing JSX components. Note that in Astro, these files must have a .jsxor.tsxextension.
- 
Astro has support for installing NPM packages, including React libraries. Many of your existing dependencies will work in Astro. 
Key Differences between CRA and Astro
Section titled Key Differences between CRA and AstroWhen you rebuild your CRA site in Astro, you will notice some important differences:
- 
CRA is a single-page application that uses index.jsas your project’s root. Astro is a multi-page site, andindex.astrois your home page.
- 
.astrocomponents are not written as exported functions that return page templating. Instead, you’ll split your code into a “code fence” for your JavaScript and a body exclusively for the HTML you generate.
- 
content-driven: Astro was designed to showcase your content and to allow you to opt-in to interactivity only as needed. An existing CRA app might be built for high client-side interactivity and may require advanced Astro techniques to include items that are more challenging to replicate using .astrocomponents, such as dashboards.
Add your CRA to Astro
Section titled Add your CRA to AstroYour existing app can be rendered directly inside a new Astro project, often with no changes to your app’s code.
Create a new Astro project
Section titled Create a new Astro projectUse the create astro command for your package manager to launch Astro’s CLI wizard and select a new “empty” Astro project.
npm create astro@latestpnpm create astro@latestyarn create astro@latestAdd integrations and dependencies
Section titled Add integrations and dependenciesAdd the React integration using the astro add command for your package manager. If your app uses other packages supported by the astro add command, like Tailwind and MDX, you can add them all with one command:
npx astro add reactnpx astro add react tailwind mdxpnpm astro add reactpnpm astro add react tailwind mdxyarn astro add reactyarn astro add react tailwind mdxIf your CRA requires any dependencies (e.g. NPM packages), then install them individually using the command line or by adding them to your new Astro project’s package.json manually and then running an install command. Note that many, but not all, React dependencies will work in Astro.
Add your existing app files
Section titled Add your existing app filesCopy your existing Create React App (CRA) project source files and folders (e.g. components, hooks, styles, etc.) into a new folder inside src/, keeping its file structure so your app will continue to work. Note that all .js file extensions must be renamed to .jsx or .tsx.
Do not include any configuration files. You will use Astro’s own astro.config.mjs, package.json, and tsconfig.json.
Move the contents of your app’s public/ folder (e.g. static assets) into Astro’s public/ folder.
- Directorypublic/- logo.png
- favicon.ico
- …
 
- Directorysrc/- Directorycra-project/- App.jsx
- …
 
- Directorypages/- index.astro
 
 
- astro.config.mjs
- package.json
- tsconfig.json
Render your app
Section titled Render your appImport your app’s root component in the frontmatter section of index.astro, then render the <App /> component in your page template:
---import App from '../cra-project/App.jsx';---<App client:load />Your app needs a client directive for interactivity. Astro will render your React app as static HTML until you opt-in to client-side JavaScript.
Use client:load to ensure your app loads immediately from the server, or client:only="react" to skip rendering on the server and run your app entirely client-side.
Convert your CRA to Astro
Section titled Convert your CRA to AstroAfter adding your existing app to Astro, you will probably want to convert your app itself to Astro!
You will replicate a similar component-based design using Astro HTML templating components for your basic structure while importing and including individual React components (which may themselves be entire apps!) for islands of interactivity.
Every migration will look different and can be done incrementally without disrupting your working app. Convert individual pieces at your own pace so that more and more of your app is powered by Astro components over time.
As you convert your React app, you will decide which React components you will rewrite as Astro components. Your only restriction is that Astro components can import React components, but React components must only import other React components:
---import MyReactComponent from '../components/MyReactComponent.jsx';---<html>  <body>    <h1>Use React components directly in Astro!</h1>    <MyReactComponent />  </body></html>Instead of importing Astro components into React components, you can nest React components inside a single Astro component:
---import MyReactSidebar from '../components/MyReactSidebar.jsx';import MyReactButton from '../components/MyReactButton.jsx';---<MyReactSidebar>  <p>Here is a sidebar with some text and a button.</p>  <div slot="actions">    <MyReactButton client:idle />  </div></MyReactSidebar>You may find it helpful to learn about Astro islands and Astro components before restructuring your CRA as an Astro project.
Compare: JSX vs Astro
Section titled Compare: JSX vs AstroCompare the following CRA component and a corresponding Astro component:
import React, { useState, useEffect } from 'react';import Header from './Header';import Footer from './Footer';
const Component = () => {const [stars, setStars] = useState(0);const [message, setMessage] = useState('');
useEffect(() => {    const fetchData = async () => {        const res = await fetch('https://api.github.com/repos/withastro/astro');        const json = await res.json();
        setStars(json.stargazers_count || 0);        setMessage(json.message);    };
    fetchData();}, []);
return (    <>        <Header />        <p style={{            backgroundColor: `#f4f4f4`,            padding: `1em 1.5em`,            textAlign: `center`,            marginBottom: `1em`        }}>Astro has {stars} 🧑🚀</p>        <Footer />    </>)};
export default Component;---import Header from './Header.astro';import Footer from './Footer.astro';import './layout.css';const res = await fetch('https://api.github.com/repos/withastro/astro')const json = await res.json();const message = json.message;const stars = json.stargazers_count || 0;---<Header /><p class="banner">Astro has {stars} 🧑🚀</p><Footer /><style>  .banner {    background-color: #f4f4f4;    padding: 1em 1.5em;    text-align: center;    margin-bottom: 1em;  }</style>Converting JSX files to .astro files
Section titled Converting JSX files to .astro filesHere are some tips for converting a CRA .js component into a .astro component:
- 
Use the returned JSX of the existing CRA component function as the basis for your HTML template. 
- 
Change any CRA or JSX syntax to Astro or to HTML web standards. This includes {children}andclassName, for example.
- 
Move any necessary JavaScript, including import statements, into a “code fence” ( ---). Note: JavaScript to conditionally render content is often written inside the HTML template directly in Astro.
- 
Use Astro.propsto access any additional props that were previously passed to your CRA function.
- 
Decide whether any imported components also need to be converted to Astro. You can keep them as React components for now, or forever. But, you may eventually want to convert them to .astrocomponents, especially if they do not need to be interactive!
- 
Replace useEffect()with import statements orimport.meta.glob()to query your local files. Usefetch()to fetch external data.
Migrating Tests
Section titled Migrating TestsAs Astro outputs raw HTML, it is possible to write end-to-end tests using the output of the build step. Any end-to-end tests written previously might work out-of-the-box if you have been able to match the markup of your CRA site. Testing libraries such as Jest and React Testing Library can be imported and used in Astro to test your React components.
See Astro’s testing guide for more.
Reference: Convert CRA Syntax to Astro
Section titled Reference: Convert CRA Syntax to AstroCRA Imports to Astro
Section titled CRA Imports to AstroUpdate any file imports to reference relative file paths exactly. This can be done using import aliases, or by writing out a relative path in full.
Note that .astro and several other file types must be imported with their full file extension.
---import Card from '../../components/Card.astro';---<Card />CRA Children Props to Astro
Section titled CRA Children Props to AstroConvert any instances of {children} to an Astro <slot />. Astro does not need to receive {children} as a function prop and will automatically render child content in a <slot />.
------export default function MyComponent(props) {    return (      <div>        {props.children}      </div>    );}
<div>  <slot /></div>React components that pass multiple sets of children can be migrated to an Astro component using named slots.
See more about specific <slot /> usage in Astro.
CRA Data Fetching to Astro
Section titled CRA Data Fetching to AstroFetching data in a Create React App component is similar to Astro, with some slight differences.
You will need to remove any instances of a side effect hook (useEffect) for either import.meta.glob() or getCollection()/getEntry() to access data from other files in your project source.
To fetch remote data, use fetch().
These data requests are made in the frontmatter of the Astro component and use top-level await.
---import { getCollection } from 'astro:content';
// Get all `src/content/blog/` entriesconst allBlogPosts = await getCollection('blog');
// Get all `src/pages/posts/` entriesconst allPosts = Object.values(import.meta.glob('../pages/post/*.md', { eager: true }));
// Fetch remote dataconst response = await fetch('https://randomuser.me/api/');const data = await response.json();const randomUser = data.results[0];---See more about local files imports with import.meta.glob(), querying using the Collections API or fetching remote data.
CRA Styling to Astro
Section titled CRA Styling to AstroYou may need to replace any CSS-in-JS libraries (e.g. styled-components) with other available CSS options in Astro.
If necessary, convert any inline style objects (style={{ fontWeight: "bold" }}) to inline HTML style attributes (style="font-weight:bold;"). Or, use an Astro <style> tag for scoped CSS styles.
<div style={{backgroundColor: `#f4f4f4`, padding: `1em`}}>{message}</div><div style="background-color: #f4f4f4; padding: 1em;">{message}</div>Tailwind is supported after installing the Tailwind Vite plugin. No changes to your existing Tailwind code are required!
See more about Styling in Astro.
Troubleshooting
Section titled TroubleshootingYour CRA might “just work” in Astro! But, you may likely need to make minor adjustments to duplicate your existing app’s functionality and/or styles.
If you cannot find your answers within these docs, please visit the Astro Discord and ask questions in our support forum!
Community Resources
Section titled Community ResourcesIf you found (or made!) a helpful video or blog post about converting a Create React App to Astro, add it to this list!
 
		 
		 
			
