Remix JS has been making waves in the web development community, offering a fresh approach to building full-stack applications. In this blog post, we'll dive deep into creating a real-world project using Remix JS, exploring its key features and best practices along the way.
Before we start building, let's set up our development environment:
npx create-remix@latest my-remix-project cd my-remix-project npm install
npm run dev
For our real-world project, we'll create a simple blog platform with the following features:
Remix uses a file-based routing system. Let's create our main routes:
app/
├── routes/
│ ├── index.jsx
│ ├── posts/
│ │ ├── index.jsx
│ │ ├── $slug.jsx
│ │ └── new.jsx
│ └── login.jsx
In app/routes/index.jsx
, let's create our home page:
import { Link, useLoaderData } from "@remix-run/react"; export async function loader() { // Fetch blog posts from your database or API const posts = await getPosts(); return { posts }; } export default function Index() { const { posts } = useLoaderData(); return ( <div> <h1>Welcome to our Blog</h1> <ul> {posts.map((post) => ( <li key={post.id}> <Link to={`/posts/${post.slug}`}>{post.title}</Link> </li> ))} </ul> </div> ); }
Remix makes it easy to handle data loading and form submissions. Let's create a new post form in app/routes/posts/new.jsx
:
import { Form, useActionData, useTransition } from "@remix-run/react"; export async function action({ request }) { const formData = await request.formData(); const title = formData.get("title"); const content = formData.get("content"); // Validate and save the new post const errors = {}; if (!title) errors.title = "Title is required"; if (!content) errors.content = "Content is required"; if (Object.keys(errors).length) { return { errors }; } await savePost({ title, content }); return redirect("/posts"); } export default function NewPost() { const actionData = useActionData(); const transition = useTransition(); return ( <Form method="post"> <h1>Create a New Post</h1> <div> <label htmlFor="title">Title:</label> <input type="text" id="title" name="title" /> {actionData?.errors.title && <p>{actionData.errors.title}</p>} </div> <div> <label htmlFor="content">Content:</label> <textarea id="content" name="content" /> {actionData?.errors.content && <p>{actionData.errors.content}</p>} </div> <button type="submit" disabled={transition.state === "submitting"}> {transition.state === "submitting" ? "Creating..." : "Create Post"} </button> </Form> ); }
Implementing authentication in Remix is straightforward. Let's create a simple login form in app/routes/login.jsx
:
import { Form, useActionData } from "@remix-run/react"; import { authenticateUser } from "~/utils/auth.server"; export async function action({ request }) { const formData = await request.formData(); const username = formData.get("username"); const password = formData.get("password"); const user = await authenticateUser(username, password); if (!user) { return { error: "Invalid username or password" }; } return createUserSession(user); } export default function Login() { const actionData = useActionData(); return ( <Form method="post"> <h1>Login</h1> {actionData?.error && <p>{actionData.error}</p>} <div> <label htmlFor="username">Username:</label> <input type="text" id="username" name="username" required /> </div> <div> <label htmlFor="password">Password:</label> <input type="password" id="password" name="password" required /> </div> <button type="submit">Log In</button> </Form> ); }
Remix provides built-in error handling and easy ways to add meta tags. Let's update our blog post page in app/routes/posts/$slug.jsx
:
import { useLoaderData, useCatch, Meta } from "@remix-run/react"; import { json } from "@remix-run/node"; export async function loader({ params }) { const post = await getPost(params.slug); if (!post) { throw new Response("Not Found", { status: 404 }); } return json({ post }); } export function meta({ data }) { return { title: data.post.title, description: data.post.excerpt, }; } export default function Post() { const { post } = useLoaderData(); return ( <article> <h1>{post.title}</h1> <div dangerouslySetInnerHTML={{ __html: post.content }} /> </article> ); } export function CatchBoundary() { const caught = useCatch(); if (caught.status === 404) { return <h1>Post not found</h1>; } throw new Error(`Unexpected caught response with status: ${caught.status}`); }
Remix supports various styling options, including CSS Modules. Let's add some basic styling to our blog:
app/styles/global.css
:body { font-family: system-ui, sans-serif; line-height: 1.5; } .container { max-width: 800px; margin: 0 auto; padding: 2rem; }
app/root.jsx
:import { Links, LiveReload, Outlet } from "@remix-run/react"; import styles from "~/styles/global.css"; export function links() { return [{ rel: "stylesheet", href: styles }]; } export default function App() { return ( <html lang="en"> <head> <Meta /> <Links /> </head> <body> <div className="container"> <Outlet /> </div> <LiveReload /> </body> </html> ); }
Remix applications can be deployed to various platforms. Here's how to deploy to Vercel:
npm i -g vercel
vercel.json
file in your project root:{ "builds": [ { "src": "api/index.js", "use": "@vercel/node" }, { "src": "build/**", "use": "@vercel/static" } ], "routes": [ { "src": "/build/(.*)", "dest": "/build/$1" }, { "src": "/(.*)", "dest": "/api/index.js" } ] }
vercel
In this blog post, we've covered the essential aspects of building a real-world project with Remix JS. We've explored routing, data loading, forms, authentication, error handling, styling, and deployment. By following these practices and leveraging Remix's powerful features, you'll be well-equipped to create robust and efficient web applications.
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS
27/01/2025 | RemixJS