Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Fix next rewrites #411

Merged
merged 4 commits into from
May 12, 2024
Merged
Show file tree
Hide file tree
Changes from all 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/fluffy-lamps-confess.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
---
"open-next": patch
---

Fix next rewrites
15 changes: 14 additions & 1 deletion examples/pages-router/next.config.js
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,20 @@ const nextConfig = {
reactStrictMode: true,
output: "standalone",
outputFileTracing: "../sst",
rewrites: () => [{ source: "/rewrite", destination: "/" }],
rewrites: () => [
{ source: "/rewrite", destination: "/" },
{
source: "/rewriteUsingQuery",
destination: "/:destination/",
has: [
{
type: "query",
key: "d",
value: "(?<destination>\\w+)",
},
],
},
],
trailingSlash: true,
};

Expand Down
107 changes: 81 additions & 26 deletions packages/open-next/src/core/routing/matcher.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,11 @@
import { NextConfig } from "config/index";
import { compile, Match, match, PathFunction } from "path-to-regexp";
import {
compile,
Match,
match,
MatchFunction,
PathFunction,
} from "path-to-regexp";
import type {
Header,
PrerenderManifest,
Expand All @@ -11,6 +17,7 @@ import { InternalEvent, InternalResult } from "types/open-next";

import { debug } from "../../adapters/logger";
import {
convertFromQueryString,
convertToQueryString,
escapeRegex,
getUrlParts,
Expand Down Expand Up @@ -71,6 +78,40 @@ function checkHas(
: true;
}

const getParamsFromSource =
(source: MatchFunction<object>) => (value: string) => {
debug("value", value);
const _match = source(value);
return _match ? _match.params : {};
};

const computeParamHas =
(
headers: Record<string, string>,
cookies: Record<string, string>,
query: Record<string, string | string[]>,
) =>
(has: RouteHas): object => {
if (!has.value) return {};
const matcher = new RegExp(`^${has.value}$`);
const fromSource = (value: string) => {
const matches = value.match(matcher);
return matches?.groups ?? {};
};
switch (has.type) {
case "header":
return fromSource(headers[has.key.toLowerCase()] ?? "");
case "cookie":
return fromSource(cookies[has.key] ?? "");
case "query":
return Array.isArray(query[has.key])
? fromSource((query[has.key] as string[]).join(","))
: fromSource((query[has.key] as string) ?? "");
case "host":
return fromSource(headers.host ?? "");
}
};

function convertMatch(
match: Match,
toDestination: PathFunction,
Expand Down Expand Up @@ -118,14 +159,6 @@ export function addNextConfigHeaders(
debug("Error matching header ", h.key, " with value ", h.value);
requestHeaders[h.key] = h.value;
}
try {
const key = convertMatch(_match, compile(h.key), h.key);
const value = convertMatch(_match, compile(h.value), h.value);
requestHeaders[key] = value;
} catch {
debug("Error matching header ", h.key, " with value ", h.value);
requestHeaders[h.key] = h.value;
}
});
}
}
Expand All @@ -138,44 +171,66 @@ export function handleRewrites<T extends RewriteDefinition>(
) {
const { rawPath, headers, query, cookies } = event;
const matcher = routeHasMatcher(headers, cookies, query);
const computeHas = computeParamHas(headers, cookies, query);
const rewrite = rewrites.find(
(route) =>
new RegExp(route.regex).test(rawPath) &&
checkHas(matcher, route.has) &&
checkHas(matcher, route.missing, true),
);
let finalQuery = query;

let rewrittenUrl = rawPath;
const isExternalRewrite = isExternal(rewrite?.destination);
debug("isExternalRewrite", isExternalRewrite);
if (rewrite) {
const { pathname, protocol, hostname } = getUrlParts(
const { pathname, protocol, hostname, queryString } = getUrlParts(
rewrite.destination,
isExternalRewrite,
);
const toDestination = compile(escapeRegex(pathname ?? "") ?? "");
const fromSource = match(escapeRegex(rewrite?.source) ?? "");
const _match = fromSource(rawPath);
if (_match) {
const { params } = _match;
const isUsingParams = Object.keys(params).length > 0;
if (isUsingParams) {
const rewrittenPath = unescapeRegex(toDestination(params));
rewrittenUrl = isExternalRewrite
? `${protocol}//${hostname}${rewrittenPath}`
: `${rewrittenPath}`;
} else {
rewrittenUrl = rewrite.destination;
}
debug("rewrittenUrl", rewrittenUrl);
debug("urlParts", { pathname, protocol, hostname, queryString });
const toDestinationPath = compile(escapeRegex(pathname ?? "") ?? "");
const toDestinationHost = compile(escapeRegex(hostname ?? "") ?? "");
const toDestinationQuery = compile(escapeRegex(queryString ?? "") ?? "");
let params = {
// params for the source
...getParamsFromSource(match(escapeRegex(rewrite?.source) ?? ""))(
rawPath,
),
// params for the has
...rewrite.has?.reduce((acc, cur) => {
return { ...acc, ...computeHas(cur) };
}, {}),
// params for the missing
...rewrite.missing?.reduce((acc, cur) => {
return { ...acc, ...computeHas(cur) };
}, {}),
};
const isUsingParams = Object.keys(params).length > 0;
let rewrittenQuery = queryString;
let rewrittenHost = hostname;
let rewrittenPath = pathname;
if (isUsingParams) {
rewrittenPath = unescapeRegex(toDestinationPath(params));
rewrittenHost = unescapeRegex(toDestinationHost(params));
rewrittenQuery = unescapeRegex(toDestinationQuery(params));
}
rewrittenUrl = isExternalRewrite
? `${protocol}//${rewrittenHost}${rewrittenPath}`
: `/${rewrittenPath}`;
// Should we merge the query params or use only the ones from the rewrite?
finalQuery = {
...query,
...convertFromQueryString(rewrittenQuery),
};
debug("rewrittenUrl", { rewrittenUrl, finalQuery, isUsingParams });
}

return {
internalEvent: {
...event,
rawPath: rewrittenUrl,
url: `${rewrittenUrl}${convertToQueryString(query)}`,
url: `${rewrittenUrl}${convertToQueryString(finalQuery)}`,
},
__rewrite: rewrite,
isExternalRewrite,
Expand Down
36 changes: 26 additions & 10 deletions packages/open-next/src/core/routing/util.ts
Original file line number Diff line number Diff line change
Expand Up @@ -24,28 +24,44 @@ export function isExternal(url?: string, host?: string) {
return pattern.test(url);
}

export function convertFromQueryString(query: string) {
if (query === "") return {};
const queryParts = query.split("&");
return queryParts.reduce(
(acc, part) => {
const [key, value] = part.split("=");
return { ...acc, [key]: value };
},
{} as Record<string, string>,
);
}

/**
*
* @__PURE__
*/
export function getUrlParts(url: string, isExternal: boolean) {
// NOTE: when redirect to a URL that contains search query params,
// compile breaks b/c it does not allow for the '?' character
// We can't use encodeURIComponent because modal interception contains
// characters that can't be encoded
url = url.replaceAll("?", "%3F");
if (!isExternal) {
const regex = /\/([^?]*)\??(.*)/;
const match = url.match(regex);
return {
hostname: "",
pathname: url,
pathname: match?.[1] ?? url,
protocol: "",
queryString: match?.[2] ?? "",
};
}
const { hostname, pathname, protocol } = new URL(url);

const regex = /^(https?:\/\/)?([^\/\s]+)(\/[^?]*)?(\?.*)?/;
const match = url.match(regex);
if (!match) {
throw new Error(`Invalid external URL: ${url}`);
}
return {
hostname,
pathname,
protocol,
protocol: match[1] ?? "https://",
hostname: match[2],
pathname: match[3],
queryString: match[4]?.slice(1) ?? "",
};
}

Expand Down
7 changes: 7 additions & 0 deletions packages/tests-e2e/tests/pagesRouter/rewrite.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,3 +6,10 @@ test("Single Rewrite", async ({ page }) => {
let el = page.getByText("Nextjs Pages Router");
await expect(el).toBeVisible();
});

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

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