Skip to content
Merged
Show file tree
Hide file tree
Changes from 18 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 5 additions & 0 deletions .changeset/famous-kids-hope.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
"@opennextjs/aws": patch
---

fix: populate static API routes for our staticRouteMatcher
Original file line number Diff line number Diff line change
@@ -1,15 +1,6 @@
import Nav from "@example/shared/components/Nav";
import Head from "next/head";

// Not used, but necessary to get prefetching to work
export function getStaticProps() {
return {
props: {
hello: "world",
},
};
}

export default function Home() {
return (
<>
Expand Down
69 changes: 69 additions & 0 deletions examples/pages-router/src/pages/[[...page]].tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,69 @@
import Home from "@/components/home";
import type {
GetStaticPathsResult,
GetStaticPropsContext,
InferGetStaticPropsType,
} from "next";

const validRootPages = ["conico974", "kheuzy", "sommeeer"];
const validLongPaths = ["super/long/path/to/secret/page"];

export async function getStaticPaths(): Promise<GetStaticPathsResult> {
const rootPaths = validRootPages.map((page) => ({
params: { page: [page] },
}));

const longPaths = validLongPaths.map((path) => ({
params: { page: path.split("/") },
}));

const paths = [{ params: { page: [] } }, ...rootPaths, ...longPaths];

return {
paths,
fallback: false,
};
}

export async function getStaticProps(context: GetStaticPropsContext) {
const page = (context.params?.page as string[]) || [];

if (page.length === 0) {
return {
props: {
subpage: [],
pageType: "home",
},
};
}
if (page.length === 1 && validRootPages.includes(page[0])) {
return {
props: {
subpage: page,
pageType: "root",
},
};
}

const pagePath = page.join("/");
if (validLongPaths.includes(pagePath)) {
return { props: { subpage: page, pageType: "long-path" } };
}
return { notFound: true };
}

export default function Page({
subpage,
pageType,
}: InferGetStaticPropsType<typeof getStaticProps>) {
if (subpage.length === 0 && pageType === "home") {
return <Home />;
}
return (
<div>
<h1 data-testid="page">{`Page: ${subpage}`}</h1>
<p>Page type: {pageType}</p>
<p>Path: {subpage.join("/")}</p>
</div>
);
}
1 change: 0 additions & 1 deletion packages/open-next/src/adapters/config/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -20,7 +20,6 @@ export const OPEN_NEXT_DIR = path.join(__dirname, ".open-next");

debug({ NEXT_DIR, OPEN_NEXT_DIR });

//TODO: inject these values at build time
export const NextConfig = /* @__PURE__ */ loadConfig(NEXT_DIR);
export const BuildId = /* @__PURE__ */ loadBuildId(NEXT_DIR);
export const HtmlPages = /* @__PURE__ */ loadHtmlPages(NEXT_DIR);
Expand Down
2 changes: 1 addition & 1 deletion packages/open-next/src/adapters/config/util.ts
Original file line number Diff line number Diff line change
Expand Up @@ -24,7 +24,7 @@ export function loadBuildId(nextDir: string) {
export function loadPagesManifest(nextDir: string) {
const filePath = path.join(nextDir, "server/pages-manifest.json");
const json = fs.readFileSync(filePath, "utf-8");
return JSON.parse(json);
return JSON.parse(json) as Record<string, string>;
}

export function loadHtmlPages(nextDir: string) {
Expand Down
15 changes: 14 additions & 1 deletion packages/open-next/src/core/routing/matcher.ts
Original file line number Diff line number Diff line change
Expand Up @@ -418,7 +418,14 @@ export function fixDataPage(
export function handleFallbackFalse(
internalEvent: InternalEvent,
prerenderManifest: PrerenderManifest,
isExternalRewrite: boolean,
): { event: InternalEvent; isISR: boolean } {
if (isExternalRewrite) {
return {
event: internalEvent,
isISR: false,
};
}
const { rawPath } = internalEvent;
const { dynamicRoutes, routes } = prerenderManifest;
const prerenderedFallbackRoutes = Object.entries(dynamicRoutes).filter(
Expand All @@ -437,7 +444,12 @@ export function handleFallbackFalse(
? rawPath
: `/${NextConfig.i18n?.defaultLocale}${rawPath}`;
// We need to remove the trailing slash if it exists
if (NextConfig.trailingSlash && localizedPath.endsWith("/")) {
if (
// Not if localizedPath is "/" tho, because that would not make it find `isPregenerated` below since it would be try to match an empty string.
localizedPath !== "/" &&
NextConfig.trailingSlash &&
localizedPath.endsWith("/")
) {
localizedPath = localizedPath.slice(0, -1);
}
const matchedStaticRoute = staticRouteMatcher(localizedPath);
Expand All @@ -447,6 +459,7 @@ export function handleFallbackFalse(
const matchedDynamicRoute = dynamicRouteMatcher(localizedPath).filter(
({ route }) => !prerenderedFallbackRoutesName.includes(route),
);

const isPregenerated = Object.keys(routes).includes(localizedPath);
if (
routeFallback &&
Expand Down
46 changes: 41 additions & 5 deletions packages/open-next/src/core/routing/routeMatcher.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,5 @@
import { AppPathRoutesManifest, RoutesManifest } from "config/index";
import { AppPathRoutesManifest, NEXT_DIR, RoutesManifest } from "config/index";
import { loadPagesManifest } from "config/util";
import type { RouteDefinition } from "types/next-types";
import type { ResolvedRoute, RouteType } from "types/open-next";

Expand All @@ -10,9 +11,6 @@ const optionalBasepathPrefixRegex = RoutesManifest.basePath
? `^${RoutesManifest.basePath}/?`
: "^/";

// Add the basePath prefix to the api routes
export const apiPrefix = `${RoutesManifest.basePath ?? ""}/api`;

const optionalPrefix = optionalLocalePrefixRegex.replace(
"^/",
optionalBasepathPrefixRegex,
Expand Down Expand Up @@ -53,5 +51,43 @@ function routeMatcher(routeDefinitions: RouteDefinition[]) {
};
}

export const staticRouteMatcher = routeMatcher(RoutesManifest.routes.static);
export const staticRouteMatcher = routeMatcher([
...RoutesManifest.routes.static,
...getStaticAPIRoutes(),
]);
export const dynamicRouteMatcher = routeMatcher(RoutesManifest.routes.dynamic);

/**
* Returns static API routes for both app and pages router cause Next will filter them out in staticRoutes in `routes-manifest.json`.
* We also need to filter out page files that are under `app/api/*` as those would not be present in the routes manifest either.
* This line from Next.js skips it:
* https://github.com/vercel/next.js/blob/ded56f952154a40dcfe53bdb38c73174e9eca9e5/packages/next/src/build/index.ts#L1299
*
* Without it handleFallbackFalse will 404 on static API routes if there is a catch-all route on root level.
*/
function getStaticAPIRoutes(): RouteDefinition[] {
const createRouteDefinition = (route: string) => ({
page: route,
regex: `^${route}(?:/)?$`,
});
const dynamicRoutePages = new Set(
RoutesManifest.routes.dynamic.map(({ page }) => page),
);
const PagesManifest = loadPagesManifest(NEXT_DIR);
const pagesStaticAPIRoutes = Object.keys(PagesManifest)
.filter(
(route) => route.startsWith("/api/") && !dynamicRoutePages.has(route),
)
.map(createRouteDefinition);

// We filter out both static API and page routes from the app paths manifest
const appPathsStaticAPIRoutes = Object.values(AppPathRoutesManifest)
.filter(
(route) =>
route.startsWith("/api/") ||
(route === "/api" && !dynamicRoutePages.has(route)),
)
.map(createRouteDefinition);

return [...pagesStaticAPIRoutes, ...appPathsStaticAPIRoutes];
}
11 changes: 2 additions & 9 deletions packages/open-next/src/core/routingHandler.ts
Original file line number Diff line number Diff line change
Expand Up @@ -24,7 +24,6 @@ import {
} from "./routing/matcher";
import { handleMiddleware } from "./routing/middleware";
import {
apiPrefix,
dynamicRouteMatcher,
staticRouteMatcher,
} from "./routing/routeMatcher";
Expand Down Expand Up @@ -139,9 +138,11 @@ export default async function routingHandler(
}

// We want to run this just before the dynamic route check
// We can skip it if its an external rewrite
const { event: fallbackEvent, isISR } = handleFallbackFalse(
internalEvent,
PrerenderManifest,
isExternalRewrite,
);
internalEvent = fallbackEvent;

Expand All @@ -158,13 +159,6 @@ export default async function routingHandler(
isExternalRewrite = fallbackRewrites.isExternalRewrite;
}

// Api routes are not present in the routes manifest except if they're not behind /api
// /api even if it's a page route doesn't get generated in the manifest
// Ideally we would need to properly check api routes here
const isApiRoute =
internalEvent.rawPath === apiPrefix ||
internalEvent.rawPath.startsWith(`${apiPrefix}/`);

const isNextImageRoute = internalEvent.rawPath.startsWith("/_next/image");

const isRouteFoundBeforeAllRewrites =
Expand All @@ -175,7 +169,6 @@ export default async function routingHandler(
if (
!(
isRouteFoundBeforeAllRewrites ||
isApiRoute ||
isNextImageRoute ||
// We need to check again once all rewrites have been applied
staticRouteMatcher(internalEvent.rawPath).length > 0 ||
Expand Down
31 changes: 31 additions & 0 deletions packages/tests-e2e/tests/pagesRouter/catch-all-optional.test.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,31 @@
import { expect, test } from "@playwright/test";

// Going to `/`, `/conico974`, `/kheuzy` and `/sommeeer` should be catched by our `[[...page]]` route.
// Also the /super/long/path/to/secret/page should be pregenerated by the `getStaticPaths` function.
test.skip("Catch-all optional route in root should work", () => {
test("should be possible to visit home and a pregenerated subpage", async ({
page,
}) => {
await page.goto("/");
await page.locator("h1").getByText("Pages Router").isVisible();

await page.goto("/conico974");
const pElement = page.getByText("Path: conico974", { exact: true });
await pElement.isVisible();
});
test("should be possible to visit a long pregenerated path", async ({
page,
}) => {
await page.goto("/super/long/path/to/secret/page");
const h1Text = await page.getByTestId("page").textContent();
expect(h1Text).toBe("Page: super,long,path,to,secret,page");
});
test("should be possible to request an API route when you have a catch-all in root", async ({
request,
}) => {
const response = await request.get("/api/hello");
expect(response.status()).toBe(200);
const body = await response.json();
expect(body).toEqual({ hello: "world" });
});
});
5 changes: 4 additions & 1 deletion packages/tests-e2e/tests/pagesRouter/data.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -17,5 +17,8 @@ test("fix _next/data", async ({ page }) => {
expect(response2.request().url()).toMatch(/\/_next\/data\/.*\/en\.json$/);
await page.waitForURL("/");
const body = await response2.json();
expect(body).toEqual({ pageProps: { hello: "world" }, __N_SSG: true });
expect(body).toEqual({
pageProps: { subpage: [], pageType: "home" },
__N_SSG: true,
});
});
64 changes: 33 additions & 31 deletions packages/tests-e2e/tests/pagesRouter/rewrite.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,35 +3,37 @@ import { validateMd5 } from "../utils";

const EXT_PNG_MD5 = "405f45cc3397b09717a13ebd6f1e027b";

test("Single Rewrite", async ({ page }) => {
await page.goto("/rewrite");

const el = page.getByText("Nextjs Pages Router");
await expect(el).toBeVisible();
});

test("Rewrite with query", async ({ page }) => {
await page.goto("/rewriteUsingQuery?d=ssr");

const el = page.getByText("SSR");
await expect(el).toBeVisible();
});

test("Rewrite to external image", async ({ request }) => {
const response = await request.get("/external-on-image");
expect(response.status()).toBe(200);
expect(response.headers()["content-type"]).toBe("image/png");
expect(validateMd5(await response.body(), EXT_PNG_MD5)).toBe(true);
});

test("Rewrite with query in destination", async ({ request }) => {
const response = await request.get("/rewriteWithQuery");
expect(response.status()).toBe(200);
expect(await response.json()).toEqual({ query: { q: "1" } });
});

test("Rewrite with query should merge query params", async ({ request }) => {
const response = await request.get("/rewriteWithQuery?b=2");
expect(response.status()).toBe(200);
expect(await response.json()).toEqual({ query: { q: "1", b: "2" } });
test.describe("Rewrites should work", () => {
test("Single Rewrite", async ({ page }) => {
await page.goto("/rewrite");

const el = page.getByText("Nextjs Pages Router");
await expect(el).toBeVisible();
});

test("Rewrite with query", async ({ page }) => {
await page.goto("/rewriteUsingQuery?d=ssr");

const el = page.getByText("SSR");
await expect(el).toBeVisible();
});

test("Rewrite to external image", async ({ request }) => {
const response = await request.get("/external-on-image");
expect(response.status()).toBe(200);
expect(response.headers()["content-type"]).toBe("image/png");
expect(validateMd5(await response.body(), EXT_PNG_MD5)).toBe(true);
});

test("Rewrite with query in destination", async ({ request }) => {
const response = await request.get("/rewriteWithQuery");
expect(response.status()).toBe(200);
expect(await response.json()).toEqual({ query: { q: "1" } });
});

test("Rewrite with query should merge query params", async ({ request }) => {
const response = await request.get("/rewriteWithQuery?b=2");
expect(response.status()).toBe(200);
expect(await response.json()).toEqual({ query: { q: "1", b: "2" } });
});
});
Loading
Loading