Migrate from getInitialProps to getServerSideProps in Next.js

Published by on (last update: )

Pages in Next.js can use either getInitialProps or getServerSideProps to fetch data. This article will not repeat their documentation, but instead list relevant differences, and shows example code to migrate from one to another. This may provide some guidance when choosing or migrating between both methods.

Advantages of getServerSideProps:

On the other hand, it has a few downsides as well:

An example Page.tsx using getInitialProps:

interface PageProps {
content: unknown;
statusCode: number;
error?: Error;
path: string;
}
const Page: NextPage<PageProps> = ({ content, statusCode, error, path }) => {
return <div>{content}</div>;
};
Page.getInitialProps = async ({ req, res, asPath }): Promise<PageProps> => {
// @ts-ignore We can count on `originalUrl`
const resolvedUrl = req ? req.originalUrl : asPath;
const { content, statusCode, error } = await fetchContent({ resolvedUrl });
return { content, statusCode, error };
};
export default Page;

The same Page.tsx refactored to use getServerSideProps:

type PageProps = InferGetServerSidePropsType<typeof getServerSideProps>;
const Page: NextPage<PageProps> = ({ content, statusCode, error }) => {
return <div>{content}</div>;
};
export const getServerSideProps: GetServerSideProps = async ({
req,
res,
resolvedUrl,
}) => {
const { content, statusCode, error } = await fetchContent({ resolvedUrl });
return {
notFound: statusCode === 404,
props: {
content,
statusCode,
hasError: boolean(error),
},
};
};
export default Page;

Notice the differences: