Sign in

Build 10x products in minutes by chatting with AI - beyond just a prototype.
Choosing the right framework can make all the difference in your project. In the React world, Remix Run and Next.js are two giants. Both can build server rendered React apps but approach web development differently.
This blog goes deep on how Remix Run and Next.js handle server-side rendering, data fetching, routing etc to help you decide for your next project.
Both Remix Run and Next.js prioritize server-side rendering to deliver faster initial page loads and improved SEO. When a request comes in, the server side code processes the request, fetches data, and sends the initial HTML to the user's browser before any client-side JavaScript executes.
Server-side rendering (SSR) enables search engines to crawl fully rendered content, improving SEO performance. It also provides users with viewable content more quickly, enhancing perceived performance.
Next.js offers flexible rendering strategies including static site generation (SSG) for content that changes infrequently. With static site generation, pages are pre-rendered at build time, generating static HTML pages that can be cached and served from a CDN.
1// Next.js static site generation example 2export async function getStaticProps() { 3 const res = await fetch('https://api.example.com/data') 4 const data = await res.json() 5 6 return { 7 props: { data }, 8 // Re-generate at most once per day 9 revalidate: 86400 10 } 11}
Remix, in contrast, focuses primarily on dynamic server-side rendering but can be configured to cache responses for static and dynamic content using HTTP caching headers.
1// Remix example with caching headers 2export function headers() { 3 return { 4 "Cache-Control": "max-age=300, s-maxage=3600" 5 }; 6} 7 8export async function loader() { 9 const data = await fetchData(); 10 return json(data); 11}
Next.js provides several approaches for data fetching, depending on when and how you need to fetch data:
getServerSideProps - For server side data fetching on each request
getStaticProps - For static site generation (SSG)
getStaticPaths - For dynamic routes with static generation
React Server Components - For component-level server-side data fetching
Client-side data fetching with SWR or React Query
Here's how server-side rendering with data fetching works in Next.js:
1// Server-side rendering with data in Next.js 2export async function getServerSideProps(context) { 3 const res = await fetch(`https://api.example.com/posts/${context.params.id}`) 4 const post = await res.json() 5 6 return { 7 props: { post } 8 } 9} 10 11export default function Post({ post }) { 12 return ( 13 <article> 14 <h1>{post.title}</h1> 15 <div>{post.content}</div> 16 </article> 17 ) 18}
Next.js 13+ introduced a new app directory structure with built-in support for React Server Components, allowing for more granular server-side rendering and data fetching at the component level.
1// React Server Components in Next.js app directory 2async function PostDetails({ id }) { 3 // This runs on the server 4 const post = await fetch(`https://api.example.com/posts/${id}`).then(r => r.json()) 5 6 return ( 7 <article> 8 <h1>{post.title}</h1> 9 <div>{post.content}</div> 10 </article> 11 ) 12}
Remix takes a different approach to data fetching, using a loader function defined alongside route components. This centralizes the data fetching logic for each route.
1// Remix data loading example 2import { json, useLoaderData } from "remix"; 3 4export async function loader({ params }) { 5 const response = await fetch(`https://api.example.com/posts/${params.id}`); 6 7 if (!response.ok) { 8 throw new Response("Not Found", { status: 404 }); 9 } 10 11 return json(await response.json()); 12} 13 14export default function Post() { 15 const post = useLoaderData(); 16 17 return ( 18 <article> 19 <h1>{post.title}</h1> 20 <div>{post.content}</div> 21 </article> 22 ) 23}
The useLoaderData hook provides type-safe access to the loader data on both the server side and client side.
One of Remix's standout features is its approach to form submissions and data mutations. Remix embraces and enhances HTML forms, providing a progressive enhancement approach:
1// Remix form handling and data mutations 2import { Form, useActionData, redirect } from "remix"; 3 4export async function action({ request }) { 5 const formData = await request.formData(); 6 const title = formData.get("title"); 7 const content = formData.get("content"); 8 9 const errors = {}; 10 if (!title) errors.title = "Title is required"; 11 if (!content) errors.content = "Content is required"; 12 13 if (Object.keys(errors).length) { 14 return json(errors); 15 } 16 17 await createPost({ title, content }); 18 return redirect("/posts"); 19} 20 21export default function NewPost() { 22 const errors = useActionData(); 23 24 return ( 25 <Form method="post"> 26 <div> 27 <label> 28 Title: 29 <input name="title" type="text" /> 30 </label> 31 {errors?.title && <p>{errors.title}</p>} 32 </div> 33 34 <div> 35 <label> 36 Content: 37 <textarea name="content" /> 38 </label> 39 {errors?.content && <p>{errors.content}</p>} 40 </div> 41 42 <button type="submit">Create Post</button> 43 </Form> 44 ); 45}
This approach works without JavaScript enabled but progressively enhances the experience when JavaScript is available. Form submission seamlessly integrates with data mutations, and Remix automatically handles loading states, error handling, and optimistic UI updates.
Next.js handles data mutations primarily through API routes and client-side fetch calls:
1// Next.js API route for data mutation 2// pages/api/posts.js 3export default async function handler(req, res) { 4 if (req.method === 'POST') { 5 try { 6 const { title, content } = req.body; 7 8 if (!title || !content) { 9 return res.status(400).json({ error: 'Missing required fields' }); 10 } 11 12 const post = await createPost({ title, content }); 13 return res.status(201).json(post); 14 } catch (error) { 15 return res.status(500).json({ error: error.message }); 16 } 17 } 18 19 return res.status(405).json({ error: 'Method not allowed' }); 20} 21 22// Form component 23function CreatePostForm() { 24 const [title, setTitle] = useState(''); 25 const [content, setContent] = useState(''); 26 const [errors, setErrors] = useState({}); 27 const router = useRouter(); 28 29 async function handleSubmit(e) { 30 e.preventDefault(); 31 32 // Validate 33 const validationErrors = {}; 34 if (!title) validationErrors.title = 'Title is required'; 35 if (!content) validationErrors.content = 'Content is required'; 36 37 if (Object.keys(validationErrors).length > 0) { 38 setErrors(validationErrors); 39 return; 40 } 41 42 try { 43 const response = await fetch('/api/posts', { 44 method: 'POST', 45 headers: { 46 'Content-Type': 'application/json', 47 }, 48 body: JSON.stringify({ title, content }), 49 }); 50 51 if (!response.ok) { 52 const error = await response.json(); 53 throw new Error(error.error || 'Failed to create post'); 54 } 55 56 router.push('/posts'); 57 } catch (error) { 58 console.error(error); 59 } 60 } 61 62 return ( 63 <form onSubmit={handleSubmit}> 64 {/* Form fields */} 65 </form> 66 ); 67}
In Next.js, API routes make the backend server capabilities available to client-side code while keeping the route publicly accessible as an HTTP endpoint.
Next.js uses a file-based routing system where files in the pages directory (or app directory in Next.js 13+) automatically become routes. This approach is intuitive and straightforward:
1pages/ 2βββ index.js # Route: / 3βββ about.js # Route: /about 4βββ posts/ 5β βββ index.js # Route: /posts 6β βββ [id].js # Route: /posts/:id (dynamic route)
With Next.js 13's app directory, routing becomes more feature-rich:
1app/ 2βββ page.js # Route: / 3βββ about/ 4β βββ page.js # Route: /about 5βββ posts/ 6β βββ page.js # Route: /posts 7β βββ [id]/ 8β βββ page.js # Route: /posts/:id
Remix also employs a file-based routing system but adds support for nested routes with layout sharing and parallel data loading:
1app/ 2βββ routes/ 3β βββ _index.jsx # Route: / 4β βββ about.jsx # Route: /about 5β βββ posts.jsx # Route: /posts (layout) 6β βββ posts._index.jsx # Route: /posts (nested index) 7β βββ posts.$id.jsx # Route: /posts/:id 8β βββ posts.new.jsx # Route: /posts/new
Nested routes in Remix allow for shared layouts and parallel data loading, which can significantly improve the user experience by maintaining context during navigation.
Remix provides a robust error-handling system with error boundaries at different levels:
1// Root error boundary in Remix 2export function ErrorBoundary({ error }) { 3 console.error(error); 4 return ( 5 <html> 6 <head> 7 <title>Oh no!</title> 8 </head> 9 <body> 10 <h1>Error</h1> 11 <p>{error.message}</p> 12 <p>The stack trace is:</p> 13 <pre>{error.stack}</pre> 14 </body> 15 </html> 16 ); 17} 18 19// Route-level error boundary 20export function ErrorBoundary() { 21 const error = useRouteError(); 22 23 if (isRouteErrorResponse(error)) { 24 return ( 25 <div> 26 <h1> 27 {error.status} {error.statusText} 28 </h1> 29 <p>{error.data}</p> 30 </div> 31 ); 32 } 33 34 return ( 35 <div> 36 <h1>Error</h1> 37 <p>{error.message || 'Unknown error'}</p> 38 </div> 39 ); 40}
This approach to error handling allows developers to manage errors at various levels of the application, providing appropriate feedback to users.
Next.js offers several ways to handle errors:
1// pages/404.js 2export default function Custom404() { 3 return <h1>404 - Page Not Found</h1> 4} 5 6// pages/500.js 7export default function Custom500() { 8 return <h1>500 - Server-Side Error Occurred</h1> 9}
1import { Component } from 'react' 2 3class ErrorBoundary extends Component { 4 constructor(props) { 5 super(props) 6 this.state = { hasError: false } 7 } 8 9 static getDerivedStateFromError(error) { 10 return { hasError: true } 11 } 12 13 componentDidCatch(error, errorInfo) { 14 console.error(error, errorInfo) 15 } 16 17 render() { 18 if (this.state.hasError) { 19 return <h1>Something went wrong.</h1> 20 } 21 22 return this.props.children 23 } 24} 25 26export default ErrorBoundary
1export default function handler(req, res) { 2 try { 3 // Process request 4 } catch (error) { 5 res.status(500).json({ error: 'Failed to process request' }) 6 } 7}
Next.js excels at static site generation, which can significantly improve performance for content that doesn't change frequently. It also provides granular control over caching and revalidating behavior with features like Incremental Static Regeneration (ISR).
1// Next.js ISR example 2export async function getStaticProps() { 3 const posts = await fetch('https://api.example.com/posts').then(r => r.json()) 4 5 return { 6 props: { 7 posts, 8 }, 9 // Revalidate every 10 minutes 10 revalidate: 600, 11 } 12}
Remix focuses on dynamic server-side rendering but leverages the browser's native fetch web API and HTTP caching mechanisms:
1// Remix with HTTP caching 2export function headers() { 3 return { 4 "Cache-Control": "max-age=300, s-maxage=3600, stale-while-revalidate=86400" 5 }; 6}
For high-traffic sites, server load is an important consideration. Next.js with static site generation can offload much of the server work to the build process, reducing server load during runtime.
Remix optimizes server load by:
Using HTTP caching effectively
Streaming server-side rendering
Enabling parallel data fetching for nested routes
Both frameworks support edge deployment models that can improve global performance.
Next.js provides a streamlined development process with features like:
Fast Refresh for instantaneous feedback
Built-in image optimization
Automatic code splitting
Extensive plugin ecosystem
TypeScript support out of the box
Remix focuses on web standards and offers:
Nested routing with shared layouts
Form abstraction with progressive enhancement
Error boundaries at multiple levels
Strong loader and action pattern for data handling
Built-in TypeScript support
β’ Your project requires static site generation for content-heavy sites
β’ You need flexible rendering strategies
β’ You want to use React Server Components for granular server/client rendering
β’ You prefer a larger ecosystem with extensive documentation
β’ You're building a content-focused website with blog posts, marketing pages, etc.
β’ You're building highly interactive applications with frequent data mutations
β’ Form handling is central to your application
β’ You need nested routes with parallel data loading
β’ You prefer working with web standards and progressive enhancement
β’ Error handling is crucial for your application
β’ You're building web apps that require real-time updates and frequent user interactions
Both Remix Run and Next.js help developers build fast and interactive React applications. The best choice depends on the project's needs, team skills, and how the app handles data.
Next.js offers multiple rendering options, making it a solid pick for content-heavy sites with fewer updates. On the other hand, Remix focuses on smooth server-side rendering, making it great for apps that require frequent data updates and advanced form handling.
Each framework has strengths, so it comes down to what fits best. No matter which one is chosen, both support high-performance and SEO-friendly development.