0
Fork 0
mirror of https://github.com/withastro/astro.git synced 2025-03-31 23:31:30 -05:00

feat(i18n): disable redirect to default language (#9638)

* feat(i18n): disable redirect

* feat(i18n): add option to disable redirect to default language

* chore: add schema validation

* docs

* changeset

* Update packages/astro/src/core/config/schema.ts

Co-authored-by: Bjorn Lu <bjornlu.dev@gmail.com>

* chore: address feedback

* fix test

* Update .changeset/cyan-grapes-suffer.md

Co-authored-by: Sarah Rainsberger <sarah@rainsberger.ca>

* Update packages/astro/src/@types/astro.ts

Co-authored-by: Sarah Rainsberger <sarah@rainsberger.ca>

* Fix discord fetch code (#9663)

* Force re-execution of Partytown's head snippet on view transitions (#9666)

* Remove the header script before a view transition takes place to force a reload on the next page

* Add changeset

* Save another char

* [ci] format

* fix(assets): Implement all hooks in the passthrough image service (#9668)

* fix(assets): Implement all hooks in the passthrough image service

* chore: changeset

* refactor(toolbar): Rename every internal reference of overlay/plugins to toolbar/apps (#9647)

* refactor(toolbar): Rename every internal reference of overlay/plugins to toolbar/apps

* refactor: rename vite plugin

* fix: update import

* nit: add setting fallback

* Disable file watcher for internal one-off vite servers (#9665)

* Use node:test and node:assert/strict (#9649)

* [ci] format

* fix(i18n): emit an error when the index isn't found (#9678)

* fix(i18n): emit an error when the index isn't found

* changeset

* Update .changeset/proud-guests-bake.md

Co-authored-by: Sarah Rainsberger <sarah@rainsberger.ca>

* rename

* Update packages/astro/src/core/errors/errors-data.ts

Co-authored-by: Florian Lefebvre <contact@florian-lefebvre.dev>

---------

Co-authored-by: Sarah Rainsberger <sarah@rainsberger.ca>
Co-authored-by: Florian Lefebvre <contact@florian-lefebvre.dev>

* feat(i18n): add option to disable redirect to default language

* chore: rebase

* Update packages/astro/src/@types/astro.ts

Co-authored-by: Bjorn Lu <bjornlu.dev@gmail.com>

* lock file update

---------

Co-authored-by: Bjorn Lu <bjornlu.dev@gmail.com>
Co-authored-by: Sarah Rainsberger <sarah@rainsberger.ca>
Co-authored-by: Martin Trapp <94928215+martrapp@users.noreply.github.com>
Co-authored-by: Martin Trapp <martrapp@users.noreply.github.com>
Co-authored-by: Erika <3019731+Princesseuh@users.noreply.github.com>
Co-authored-by: Bjorn Lu <bluwy@users.noreply.github.com>
Co-authored-by: Florian Lefebvre <contact@florian-lefebvre.dev>
This commit is contained in:
Emanuele Stoppa 2024-01-17 13:25:44 +00:00 committed by GitHub
parent bc2edd4339
commit f1a6126806
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
14 changed files with 260 additions and 52 deletions

View file

@ -0,0 +1,24 @@
---
"astro": minor
---
Adds a new `i18n.routing` config option `redirectToDefaultLocale` to disable automatic redirects of the root URL (`/`) to the default locale when `prefixDefaultLocale: true` is set.
In projects where every route, including the default locale, is prefixed with `/[locale]/` path, this property allows you to control whether or not `src/pages/index.astro` should automatically redirect your site visitors from `/` to `/[defaultLocale]`.
You can now opt out of this automatic redirection by setting `redirectToDefaultLocale: false`:
```js
// astro.config.mjs
export default defineConfig({
i18n:{
defaultLocale: "en",
locales: ["en", "fr"],
routing: {
prefixDefaultLocale: true,
redirectToDefaultLocale: false
}
}
})
```

View file

@ -1493,6 +1493,35 @@ export interface AstroUserConfig {
*/
prefixDefaultLocale: boolean;
/**
* @docs
* @name i18n.routing.redirectToDefaultLocale
* @kind h4
* @type {boolean}
* @default `true`
* @version 4.2.0
* @description
*
* Configures whether or not the home URL (`/`) generated by `src/pages/index.astro`
* will redirect to `/[defaultLocale]` when `prefixDefaultLocale: true` is set.
*
* Set `redirectToDefaultLocale: false` to disable this automatic redirection at the root of your site:
* ```js
* // astro.config.mjs
* export default defineConfig({
* i18n:{
* defaultLocale: "en",
* locales: ["en", "fr"],
* routing: {
* prefixDefaultLocale: true,
* redirectToDefaultLocale: false
* }
* }
* })
*```
* */
redirectToDefaultLocale: boolean;
/**
* @name i18n.routing.strategy
* @type {"pathname"}

View file

@ -7,6 +7,7 @@ import type {
SSRResult,
} from '../../@types/astro.js';
import type { SinglePageBuiltModule } from '../build/types.js';
import type { RoutingStrategies } from '../config/schema.js';
export type ComponentPath = string;
@ -56,7 +57,7 @@ export type SSRManifest = {
export type SSRManifestI18n = {
fallback?: Record<string, string>;
routing?: 'prefix-always' | 'prefix-other-locales';
routing?: RoutingStrategies;
locales: Locales;
defaultLocale: string;
};

View file

@ -64,7 +64,10 @@ const ASTRO_CONFIG_DEFAULTS = {
},
} satisfies AstroUserConfig & { server: { open: boolean } };
type RoutingStrategies = 'prefix-always' | 'prefix-other-locales';
export type RoutingStrategies =
| 'pathname-prefix-always'
| 'pathname-prefix-other-locales'
| 'pathname-prefix-always-no-redirect';
export const AstroConfigSchema = z.object({
root: z
@ -329,17 +332,31 @@ export const AstroConfigSchema = z.object({
routing: z
.object({
prefixDefaultLocale: z.boolean().default(false),
redirectToDefaultLocale: z.boolean().default(true),
strategy: z.enum(['pathname']).default('pathname'),
})
.default({})
.refine(
({ prefixDefaultLocale, redirectToDefaultLocale }) => {
return !(prefixDefaultLocale === false && redirectToDefaultLocale === false);
},
{
message:
'The option `i18n.redirectToDefaultLocale` is only useful when the `i18n.prefixDefaultLocale` is set to `true`. Remove the option `i18n.redirectToDefaultLocale`, or change its value to `true`.',
}
)
.transform((routing) => {
let strategy: RoutingStrategies;
switch (routing.strategy) {
case 'pathname': {
if (routing.prefixDefaultLocale === true) {
strategy = 'prefix-always';
if (routing.redirectToDefaultLocale) {
strategy = 'pathname-prefix-always';
} else {
strategy = 'pathname-prefix-always-no-redirect';
}
} else {
strategy = 'prefix-other-locales';
strategy = 'pathname-prefix-other-locales';
}
}
}

View file

@ -16,6 +16,7 @@ import {
computePreferredLocaleList,
} from '../render/context.js';
import { type Environment, type RenderContext } from '../render/index.js';
import type { RoutingStrategies } from '../config/schema.js';
const clientAddressSymbol = Symbol.for('astro.clientAddress');
const clientLocalsSymbol = Symbol.for('astro.locals');
@ -27,7 +28,7 @@ type CreateAPIContext = {
props: Record<string, any>;
adapterName?: string;
locales: Locales | undefined;
routingStrategy: 'prefix-always' | 'prefix-other-locales' | undefined;
routingStrategy: RoutingStrategies | undefined;
defaultLocale: string | undefined;
};

View file

@ -11,6 +11,7 @@ import { normalizeTheLocale, toCodes } from '../../i18n/index.js';
import { AstroError, AstroErrorData } from '../errors/index.js';
import type { Environment } from './environment.js';
import { getParamsAndProps } from './params-and-props.js';
import type { RoutingStrategies } from '../config/schema.js';
const clientLocalsSymbol = Symbol.for('astro.locals');
@ -31,7 +32,7 @@ export interface RenderContext {
locals?: object;
locales: Locales | undefined;
defaultLocale: string | undefined;
routing: 'prefix-always' | 'prefix-other-locales' | undefined;
routing: RoutingStrategies | undefined;
}
export type CreateRenderContextArgs = Partial<
@ -239,7 +240,7 @@ export function computePreferredLocaleList(request: Request, locales: Locales):
export function computeCurrentLocale(
request: Request,
locales: Locales,
routingStrategy: 'prefix-always' | 'prefix-other-locales' | undefined,
routingStrategy: RoutingStrategies | undefined,
defaultLocale: string | undefined
): undefined | string {
const requestUrl = new URL(request.url);
@ -256,7 +257,7 @@ export function computeCurrentLocale(
}
}
}
if (routingStrategy === 'prefix-other-locales') {
if (routingStrategy === 'pathname-prefix-other-locales') {
return defaultLocale;
}
return undefined;

View file

@ -18,6 +18,7 @@ import {
computePreferredLocale,
computePreferredLocaleList,
} from './context.js';
import type { RoutingStrategies } from '../config/schema.js';
const clientAddressSymbol = Symbol.for('astro.clientAddress');
const responseSentSymbol = Symbol.for('astro.responseSent');
@ -53,7 +54,7 @@ export interface CreateResultArgs {
cookies?: AstroCookies;
locales: Locales | undefined;
defaultLocale: string | undefined;
routingStrategy: 'prefix-always' | 'prefix-other-locales' | undefined;
routingStrategy: RoutingStrategies | undefined;
}
function getFunctionExpression(slot: any) {

View file

@ -516,7 +516,7 @@ export function createRouteManifest(
const i18n = settings.config.i18n;
if (i18n) {
// First we check if the user doesn't have an index page.
if (i18n.routing === 'prefix-always') {
if (i18n.routing === 'pathname-prefix-always') {
let index = routes.find((route) => route.route === '/');
if (!index) {
let relativePath = path.relative(
@ -583,7 +583,7 @@ export function createRouteManifest(
// Work done, now we start creating "fallback" routes based on the configuration
if (i18n.routing === 'prefix-always') {
if (i18n.routing === 'pathname-prefix-always') {
// we attempt to retrieve the index page of the default locale
const defaultLocaleRoutes = routesByLocale.get(i18n.defaultLocale);
if (defaultLocaleRoutes) {
@ -656,7 +656,7 @@ export function createRouteManifest(
let route: string;
if (
fallbackToLocale === i18n.defaultLocale &&
i18n.routing === 'prefix-other-locales'
i18n.routing === 'pathname-prefix-other-locales'
) {
if (fallbackToRoute.pathname) {
pathname = `/${fallbackFromLocale}${fallbackToRoute.pathname}`;

View file

@ -3,6 +3,7 @@ import type { AstroConfig, Locales } from '../@types/astro.js';
import { shouldAppendForwardSlash } from '../core/build/util.js';
import { MissingLocale } from '../core/errors/errors-data.js';
import { AstroError } from '../core/errors/index.js';
import type { RoutingStrategies } from '../core/config/schema.js';
type GetLocaleRelativeUrl = GetLocaleOptions & {
locale: string;
@ -10,7 +11,7 @@ type GetLocaleRelativeUrl = GetLocaleOptions & {
locales: Locales;
trailingSlash: AstroConfig['trailingSlash'];
format: AstroConfig['build']['format'];
routing?: 'prefix-always' | 'prefix-other-locales';
routing?: RoutingStrategies;
defaultLocale: string;
};
@ -45,7 +46,7 @@ export function getLocaleRelativeUrl({
path,
prependWith,
normalizeLocale = true,
routing = 'prefix-other-locales',
routing = 'pathname-prefix-other-locales',
defaultLocale,
}: GetLocaleRelativeUrl) {
const codeToUse = peekCodePathToUse(_locales, locale);
@ -57,7 +58,7 @@ export function getLocaleRelativeUrl({
}
const pathsToJoin = [base, prependWith];
const normalizedLocale = normalizeLocale ? normalizeTheLocale(codeToUse) : codeToUse;
if (routing === 'prefix-always') {
if (routing === 'pathname-prefix-always') {
pathsToJoin.push(normalizedLocale);
} else if (locale !== defaultLocale) {
pathsToJoin.push(normalizedLocale);
@ -88,7 +89,7 @@ type GetLocalesBaseUrl = GetLocaleOptions & {
locales: Locales;
trailingSlash: AstroConfig['trailingSlash'];
format: AstroConfig['build']['format'];
routing?: 'prefix-always' | 'prefix-other-locales';
routing?: RoutingStrategies;
defaultLocale: string;
};
@ -100,7 +101,7 @@ export function getLocaleRelativeUrlList({
path,
prependWith,
normalizeLocale = false,
routing = 'prefix-other-locales',
routing = 'pathname-prefix-other-locales',
defaultLocale,
}: GetLocalesBaseUrl) {
const locales = toPaths(_locales);
@ -108,7 +109,7 @@ export function getLocaleRelativeUrlList({
const pathsToJoin = [base, prependWith];
const normalizedLocale = normalizeLocale ? normalizeTheLocale(locale) : locale;
if (routing === 'prefix-always') {
if (routing === 'pathname-prefix-always') {
pathsToJoin.push(normalizedLocale);
} else if (locale !== defaultLocale) {
pathsToJoin.push(normalizedLocale);

View file

@ -2,6 +2,7 @@ import { appendForwardSlash, joinPaths } from '@astrojs/internal-helpers/path';
import type { Locales, MiddlewareHandler, RouteData, SSRManifest } from '../@types/astro.js';
import type { PipelineHookFunction } from '../core/pipeline.js';
import { getPathByLocale, normalizeTheLocale } from './index.js';
import { shouldAppendForwardSlash } from '../core/build/util.js';
const routeDataSymbol = Symbol.for('astro.routeData');
@ -54,30 +55,52 @@ export function createI18nMiddleware(
if (response instanceof Response) {
const pathnameContainsDefaultLocale = url.pathname.includes(`/${defaultLocale}`);
if (i18n.routing === 'prefix-other-locales' && pathnameContainsDefaultLocale) {
const newLocation = url.pathname.replace(`/${defaultLocale}`, '');
response.headers.set('Location', newLocation);
return new Response(null, {
status: 404,
headers: response.headers,
});
} else if (i18n.routing === 'prefix-always') {
if (url.pathname === base + '/' || url.pathname === base) {
if (trailingSlash === 'always') {
return context.redirect(`${appendForwardSlash(joinPaths(base, i18n.defaultLocale))}`);
} else {
return context.redirect(`${joinPaths(base, i18n.defaultLocale)}`);
switch (i18n.routing) {
case 'pathname-prefix-other-locales': {
if (pathnameContainsDefaultLocale) {
const newLocation = url.pathname.replace(`/${defaultLocale}`, '');
response.headers.set('Location', newLocation);
return new Response(null, {
status: 404,
headers: response.headers,
});
}
break;
}
// Astro can't know where the default locale is supposed to be, so it returns a 404 with no content.
else if (!pathnameHasLocale(url.pathname, i18n.locales)) {
return new Response(null, {
status: 404,
headers: response.headers,
});
case 'pathname-prefix-always-no-redirect': {
// We return a 404 if:
// - the current path isn't a root. e.g. / or /<base>
// - the URL doesn't contain a locale
const isRoot = url.pathname === base + '/' || url.pathname === base;
if (!(isRoot || pathnameHasLocale(url.pathname, i18n.locales))) {
return new Response(null, {
status: 404,
headers: response.headers,
});
}
break;
}
case 'pathname-prefix-always': {
if (url.pathname === base + '/' || url.pathname === base) {
if (trailingSlash === 'always') {
return context.redirect(`${appendForwardSlash(joinPaths(base, i18n.defaultLocale))}`);
} else {
return context.redirect(`${joinPaths(base, i18n.defaultLocale)}`);
}
}
// Astro can't know where the default locale is supposed to be, so it returns a 404 with no content.
else if (!pathnameHasLocale(url.pathname, i18n.locales)) {
return new Response(null, {
status: 404,
headers: response.headers,
});
}
}
}
if (response.status >= 300 && fallback) {
const fallbackKeys = i18n.fallback ? Object.keys(i18n.fallback) : [];
@ -103,7 +126,7 @@ export function createI18nMiddleware(
let newPathname: string;
// If a locale falls back to the default locale, we want to **remove** the locale because
// the default locale doesn't have a prefix
if (pathFallbackLocale === defaultLocale && routing === 'prefix-other-locales') {
if (pathFallbackLocale === defaultLocale && routing === 'pathname-prefix-other-locales') {
newPathname = url.pathname.replace(`/${urlLocale}`, ``);
} else {
newPathname = url.pathname.replace(`/${urlLocale}`, `/${pathFallbackLocale}`);

View file

@ -0,0 +1,8 @@
<html>
<head>
<title>Astro</title>
</head>
<body>
I am index
</body>
</html>

View file

@ -231,7 +231,37 @@ describe('[DEV] i18n routing', () => {
});
});
describe('i18n routing with routing strategy [prefix-always]', () => {
describe('i18n routing with routing strategy [pathname-prefix-always-no-redirect]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
/** @type {import('./test-utils').DevServer} */
let devServer;
before(async () => {
fixture = await loadFixture({
root: './fixtures/i18n-routing-prefix-always/',
i18n: {
routing: {
prefixDefaultLocale: true,
redirectToDefaultLocale: false,
},
},
});
devServer = await fixture.startDevServer();
});
after(async () => {
await devServer.stop();
});
it('should NOT redirect to the index of the default locale', async () => {
const response = await fixture.fetch('/new-site');
expect(response.status).to.equal(200);
expect(await response.text()).includes('I am index');
});
});
describe('i18n routing with routing strategy [pathname-prefix-always]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
/** @type {import('./test-utils').DevServer} */
@ -607,7 +637,31 @@ describe('[SSG] i18n routing', () => {
});
});
describe('i18n routing with routing strategy [prefix-always]', () => {
describe('i18n routing with routing strategy [pathname-prefix-always-no-redirect]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
before(async () => {
fixture = await loadFixture({
root: './fixtures/i18n-routing-prefix-always/',
i18n: {
routing: {
prefixDefaultLocale: true,
redirectToDefaultLocale: false,
},
},
});
await fixture.build();
});
it('should NOT redirect to the index of the default locale', async () => {
const html = await fixture.readFile('/index.html');
let $ = cheerio.load(html);
expect($('body').text()).includes('I am index');
});
});
describe('i18n routing with routing strategy [pathname-prefix-always]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
@ -776,7 +830,7 @@ describe('[SSG] i18n routing', () => {
});
});
describe('i18n routing with fallback and [prefix-always]', () => {
describe('i18n routing with fallback and [pathname-prefix-always]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
@ -1019,7 +1073,35 @@ describe('[SSR] i18n routing', () => {
});
});
describe('i18n routing with routing strategy [prefix-always]', () => {
describe('i18n routing with routing strategy [pathname-prefix-always-no-redirect]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
before(async () => {
fixture = await loadFixture({
root: './fixtures/i18n-routing-prefix-always/',
output: 'server',
adapter: testAdapter(),
i18n: {
routing: {
prefixDefaultLocale: true,
redirectToDefaultLocale: false,
},
},
});
await fixture.build();
app = await fixture.loadTestAdapterApp();
});
it('should NOT redirect the index to the default locale', async () => {
let request = new Request('http://example.com/new-site');
let response = await app.render(request);
expect(response.status).to.equal(200);
expect(await response.text()).includes('I am index');
});
});
describe('i18n routing with routing strategy [pathname-prefix-always]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;
@ -1158,7 +1240,7 @@ describe('[SSR] i18n routing', () => {
expect(response.status).to.equal(404);
});
describe('with routing strategy [prefix-always]', () => {
describe('with routing strategy [pathname-prefix-always]', () => {
before(async () => {
fixture = await loadFixture({
root: './fixtures/i18n-routing-fallback/',
@ -1351,7 +1433,7 @@ describe('[SSR] i18n routing', () => {
});
});
describe('with [prefix-always]', () => {
describe('with [pathname-prefix-always]', () => {
/** @type {import('./test-utils').Fixture} */
let fixture;

View file

@ -193,5 +193,25 @@ describe('Config Validation', () => {
"You can't use the default locale as a key. The default locale can only be used as value."
);
});
it('errors if `i18n.prefixDefaultLocale` is `false` and `i18n.redirectToDefaultLocale` is `true`', async () => {
const configError = await validateConfig(
{
i18n: {
defaultLocale: 'en',
locales: ['es', 'en'],
routing: {
prefixDefaultLocale: false,
redirectToDefaultLocale: false,
},
},
},
process.cwd()
).catch((err) => err);
expect(configError instanceof z.ZodError).to.equal(true);
expect(configError.errors[0].message).to.equal(
'The option `i18n.redirectToDefaultLocale` is only useful when the `i18n.prefixDefaultLocale` is set to `true`. Remove the option `i18n.redirectToDefaultLocale`, or change its value to `true`.'
);
});
});
});

View file

@ -275,7 +275,7 @@ describe('getLocaleRelativeUrl', () => {
).to.eq('/blog/en-au/');
});
it('should return the default locale when routing strategy is [prefix-always]', () => {
it('should return the default locale when routing strategy is [pathname-prefix-always]', () => {
/**
*
* @type {import("../../../dist/@types").AstroUserConfig}
@ -286,7 +286,7 @@ describe('getLocaleRelativeUrl', () => {
i18n: {
defaultLocale: 'en',
locales: ['en', 'es', 'en_US', 'en_AU'],
routing: 'prefix-always',
routing: 'pathname-prefix-always',
},
},
};
@ -520,7 +520,7 @@ describe('getLocaleRelativeUrlList', () => {
).to.have.members(['/blog/', '/blog/en_US/', '/blog/es/']);
});
it('should retrieve the correct list of base URL with locales [format: directory, trailingSlash: never, routingStategy: prefix-always]', () => {
it('should retrieve the correct list of base URL with locales [format: directory, trailingSlash: never, routingStategy: pathname-prefix-always]', () => {
/**
*
* @type {import("../../../dist/@types").AstroUserConfig}
@ -530,7 +530,7 @@ describe('getLocaleRelativeUrlList', () => {
i18n: {
defaultLocale: 'en',
locales: ['en', 'en_US', 'es'],
routing: 'prefix-always',
routing: 'pathname-prefix-always',
},
},
};
@ -829,7 +829,7 @@ describe('getLocaleAbsoluteUrl', () => {
).to.eq('/blog/en-us/');
});
it('should return the default locale when routing strategy is [prefix-always]', () => {
it('should return the default locale when routing strategy is [pathname-prefix-always]', () => {
/**
*
* @type {import("../../../dist/@types").AstroUserConfig}
@ -840,7 +840,7 @@ describe('getLocaleAbsoluteUrl', () => {
i18n: {
defaultLocale: 'en',
locales: ['en', 'es', 'en_US', 'en_AU'],
routing: 'prefix-always',
routing: 'pathname-prefix-always',
},
},
};
@ -1112,7 +1112,7 @@ describe('getLocaleAbsoluteUrlList', () => {
]);
});
it('should retrieve the correct list of base URL with locales [format: directory, trailingSlash: ignore, routingStategy: prefix-always]', () => {
it('should retrieve the correct list of base URL with locales [format: directory, trailingSlash: ignore, routingStategy: pathname-prefix-always]', () => {
/**
*
* @type {import("../../../dist/@types").AstroUserConfig}
@ -1122,7 +1122,7 @@ describe('getLocaleAbsoluteUrlList', () => {
i18n: {
defaultLocale: 'en',
locales: ['en', 'en_US', 'es'],
routing: 'prefix-always',
routing: 'pathname-prefix-always',
},
},
};