New Case Study:See how Anthropic automated 95% of dependency reviews with Socket.Learn More
Socket
Sign inDemoInstall
Socket

@cloudflare/next-on-pages

Package Overview
Dependencies
Maintainers
35
Versions
412
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@cloudflare/next-on-pages

Reference:

  • 0.0.0-4296d3e
  • Source
  • npm
  • Socket score

Version published
Weekly downloads
74K
decreased by-1.4%
Maintainers
35
Weekly downloads
 
Created
Source

@cloudflare/next-on-pages

Reference:

  • Blog
  • Documentation

Quick Start

  1. npx create-next-app@latest my-app

    Note that if you elect to use eslint, there are a couple of places you need to add return types to make the default template pass the pre-build checks.

  2. cd into the new directory (e.g. cd my-app)

  3. npm install -D @cloudflare/next-on-pages vercel

  4. Configure the project to use the Edge Runtime:

    Replace pages/api/hello.ts with the following:

    // Next.js Edge API Routes: https://nextjs.org/docs/api-routes/edge-api-routes
    import type { NextRequest } from 'next/server';
    
    export const config = {
    	runtime: 'experimental-edge',
    };
    
    export default async function handler(req: NextRequest) {
    	return new Response(JSON.stringify({ name: 'John Doe' }), {
    		status: 200,
    		headers: {
    			'Content-Type': 'application/json',
    		},
    	});
    }
    
  5. git commit and git push to a GitHub/GitLab repository.

  6. Create a Pages project, connect that repository, and select "Next.js" from the framework preset list.

    OptionValue
    Build commandnpx @cloudflare/next-on-pages --experimental-minify
    Build output directory.vercel/output/static
  7. Add a NODE_VERSION environment variable set to 16 or greater (18 is not supported yet, See Build Image Update Discussion.

  8. In the Pages project Settings > Functions > Compatibility Flags, add the nodejs_compat and ensure the Compatibility Date is set to at least 2022-11-30.

  9. The project should now be ready to deploy. Create a new deployment.

@cloudflare/next-on-pages CLI

⚡️ @cloudflare/next-to-pages CLI
⚡️
⚡️ Usage: npx @cloudflare/next-to-pages [options]
⚡️
⚡️ Options:
⚡️
⚡️   --help:                Shows this help message
⚡️
⚡️   --skip-build:          Doesn't run 'vercel build' automatically
⚡️
⚡️   --experimental-minify: Attempts to minify the functions of a project (by de-duping webpack chunks)
⚡️
⚡️   --watch:               Automatically rebuilds when the project is edited
⚡️
⚡️
⚡️ GitHub: https://github.com/cloudflare/next-on-pages
⚡️ Docs: https://developers.cloudflare.com/pages/framework-guides/deploy-a-nextjs-site/

Local development

In one terminal, run npx @cloudflare/next-on-pages --watch, and in another npx wrangler pages dev .vercel/output/static. We hope to soon make improvements to the refresh speed.

Build Output Configuration

config.json propertySupport
version3
routes src
routes dest🔄
routes headers🔄
routes methods
routes continue🔄
routes caseSensitive
routes check🔄
routes status🔄
routes has
routes missing
routes locale🔄
routes middlewarePath
images❌ (see Cloudflare's Image Resizing documentation)
wildcard🔄
overrides🔄
cache
  • ✅: Supported
  • 🔄: Not currently supported, but it's probably possible and we may add support in the future
  • ❌: Not supported and unlikely we ever will support this

Examples

Next.js 13's app Directory

Add the following to next.config.js:

/** @type {import('next').NextConfig} */
const nextConfig = {
  experimental: {
    runtime: "experimental-edge",
+   appDir: true,
  },
  reactStrictMode: true,
  swcMinify: true,
};

module.exports = nextConfig;

If you're following the Next.js 12 → 13 Upgrade Guide, delete any ./pages/_app.tsx and ./pages/index.tsx files and replace with ./app/layout.tsx and ./app/page.tsx:

// ./app/layout.tsx
import '../styles/globals.css';
import { FC } from 'react';

const RootLayout: FC<{
	children: React.ReactNode;
}> = ({
	// Layouts must accept a children prop.
	// This will be populated with nested layouts or pages
	children,
}) => {
	return (
		<html lang="en">
			<body>{children}</body>
		</html>
	);
};

export default RootLayout;
// ./app/page.tsx
import { FC } from 'react';
import styles from '../styles/Home.module.css';

const Home = async (): Promise<ReturnType<FC>> => {
	const uuid = await fetch('https://uuid.rocks/plain').then(
		async response => await response.text()
	);

	return (
		<div className={styles.container}>
			<main className={styles.main}>
				<h1 className={styles.title}>
					Welcome to <a href="https://nextjs.org">Next.js!</a>
				</h1>

				<p className={styles.description}>
					Get started by editing{' '}
					<code className={styles.code}>pages/index.tsx</code>
				</p>

				<p className={styles.description}>
					Here&apos;s a server-side UUID:
					<code className={styles.code}>{uuid}</code>
				</p>
			</main>
		</div>
	);
};

export default Home;

Edge API Routes

// ./pages/api/some_route.ts

import type { NextRequest } from 'next/server';

export const config = {
	runtime: 'experimental-edge',
};

export default async function handler(req: NextRequest) {
	return new Response(
		JSON.stringify({
			name: process.env.NEXT_RUNTIME,
		}),
		{
			status: 200,
			headers: {
				'content-type': 'application/json',
			},
		}
	);
}

Server-side rendering (SSR) pages with getServerSideProps()

// ./pages/ssr.tsx

import type { NextPage } from 'next';
import Head from 'next/head';
import styles from '../styles/Home.module.css';

export const config = {
	runtime: 'experimental-edge',
};

export const getServerSideProps = async () => {
	return {
		props: {
			runtime: process.env.NEXT_RUNTIME,
			uuid: await fetch('https://uuid.rocks/plain').then(response =>
				response.text()
			),
		},
	};
};

const Home: NextPage<{ runtime: string; uuid: string }> = ({
	runtime,
	uuid,
}) => {
	return (
		<div className={styles.container}>
			<Head>
				<title>Create Next App</title>
				<meta name="description" content="Generated by create next app" />
				<link rel="icon" href="/favicon.ico" />
			</Head>

			<main className={styles.main}>
				<h1 className={styles.title}>
					Welcome to{' '}
					<a href="https://nextjs.org">Next.js, running at the {runtime}!</a>
				</h1>

				<p className={styles.description}>
					Get started by editing{' '}
					<code className={styles.code}>pages/index.tsx</code>
				</p>

				<p className={styles.description}>
					Here&apos;s a server-side UUID:
					<code className={styles.code}>{uuid}</code>
				</p>
			</main>
		</div>
	);
};

export default Home;

Middleware

import { NextResponse } from 'next/server';
import type { NextRequest } from 'next/server';

// This function can be marked `async` if using `await` inside
export function middleware(request: NextRequest) {
	return NextResponse.redirect(new URL('/about-2', request.url));
}

export const config = {
	matcher: '/about/:path*',
};

FAQs

Package last updated on 20 Mar 2023

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc