}} */
+ let manifest = undefined;
+
+ before(async () => {
+ fixture = await loadFixture({ root: './fixtures/content-intellisense/' });
+ await fixture.build();
+
+ collectionsDir = await fixture.readdir('../.astro/collections');
+ manifest = JSON.parse(await fixture.readFile('../.astro/collections/collections.json'));
+ });
+
+ it('generate JSON schemas for content collections', async () => {
+ assert.deepEqual(collectionsDir.includes('blog-cc.schema.json'), true);
+ });
+
+ it('generate JSON schemas for content layer', async () => {
+ assert.deepEqual(collectionsDir.includes('blog-cl.schema.json'), true);
+ });
+
+ it('manifest exists', async () => {
+ assert.notEqual(manifest, undefined);
+ });
+
+ it('manifest has content collections', async () => {
+ const manifestCollections = manifest.collections.map((collection) => collection.name);
+ assert.equal(
+ manifestCollections.includes('blog-cc'),
+ true,
+ "Expected 'blog-cc' collection in manifest",
+ );
+ });
+
+ it('manifest has content layer', async () => {
+ const manifestCollections = manifest.collections.map((collection) => collection.name);
+ assert.equal(
+ manifestCollections.includes('blog-cl'),
+ true,
+ "Expected 'blog-cl' collection in manifest",
+ );
+ });
+
+ it('has entries for content collections', async () => {
+ const collectionEntries = Object.entries(manifest.entries).filter((entry) =>
+ entry[0].includes(
+ '/astro/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/',
+ ),
+ );
+ assert.equal(collectionEntries.length, 3, "Expected 3 entries for 'blog-cc' collection");
+ assert.equal(
+ collectionEntries.every((entry) => entry[1] === 'blog-cc'),
+ true,
+ "Expected 3 entries for 'blog-cc' collection to have 'blog-cc' as collection",
+ );
+ });
+
+ it('has entries for content layer', async () => {
+ const collectionEntries = Object.entries(manifest.entries).filter((entry) =>
+ entry[0].includes('/astro/packages/astro/test/fixtures/content-intellisense/src/blog-cl/'),
+ );
+
+ assert.equal(collectionEntries.length, 3, "Expected 3 entries for 'blog-cl' collection");
+ assert.equal(
+ collectionEntries.every((entry) => entry[1] === 'blog-cl'),
+ true,
+ "Expected 3 entries for 'blog-cl' collection to have 'blog-cl' as collection name",
+ );
+ });
+});
diff --git a/packages/astro/test/content-layer-markdoc.test.js b/packages/astro/test/content-layer-markdoc.test.js
new file mode 100644
index 0000000000..c5279b9e75
--- /dev/null
+++ b/packages/astro/test/content-layer-markdoc.test.js
@@ -0,0 +1,88 @@
+import assert from 'node:assert/strict';
+import { after, before, describe, it } from 'node:test';
+import * as cheerio from 'cheerio';
+import { loadFixture } from './test-utils.js';
+
+describe('Content layer markdoc', () => {
+ let fixture;
+
+ before(async () => {
+ fixture = await loadFixture({
+ root: './fixtures/content-layer-markdoc/',
+ });
+ });
+
+ describe('dev', () => {
+ let devServer;
+
+ before(async () => {
+ devServer = await fixture.startDevServer();
+ });
+
+ after(async () => {
+ await devServer.stop();
+ });
+
+ it('renders content - with components', async () => {
+ const res = await fixture.fetch('/');
+ const html = await res.text();
+
+ renderComponentsChecks(html);
+ });
+
+ it('renders content - with components inside partials', async () => {
+ const res = await fixture.fetch('/');
+ const html = await res.text();
+
+ renderComponentsInsidePartialsChecks(html);
+ });
+ });
+
+ describe('build', () => {
+ before(async () => {
+ await fixture.build();
+ });
+
+ it('renders content - with components', async () => {
+ const html = await fixture.readFile('/index.html');
+
+ renderComponentsChecks(html);
+ });
+
+ it('renders content - with components inside partials', async () => {
+ const html = await fixture.readFile('/index.html');
+
+ renderComponentsInsidePartialsChecks(html);
+ });
+ });
+});
+
+/** @param {string} html */
+function renderComponentsChecks(html) {
+ const $ = cheerio.load(html);
+ const h2 = $('h2');
+ assert.equal(h2.text(), 'Post with components');
+
+ // Renders custom shortcode component
+ const marquee = $('marquee');
+ assert.notEqual(marquee, null);
+ assert.equal(marquee.attr('data-custom-marquee'), '');
+
+ // Renders Astro Code component
+ const pre = $('pre');
+ assert.notEqual(pre, null);
+ assert.ok(pre.hasClass('github-dark'));
+ assert.ok(pre.hasClass('astro-code'));
+}
+
+/** @param {string} html */
+function renderComponentsInsidePartialsChecks(html) {
+ const $ = cheerio.load(html);
+ // renders Counter.tsx
+ const button = $('#counter');
+ assert.equal(button.text(), '1');
+
+ // renders DeeplyNested.astro
+ const deeplyNested = $('#deeply-nested');
+ assert.equal(deeplyNested.text(), 'Deeply nested partial');
+}
diff --git a/packages/astro/test/content-layer-render.test.js b/packages/astro/test/content-layer-render.test.js
new file mode 100644
index 0000000000..fa743e719c
--- /dev/null
+++ b/packages/astro/test/content-layer-render.test.js
@@ -0,0 +1,45 @@
+import assert from 'node:assert/strict';
+import { after, before, describe, it } from 'node:test';
+import { loadFixture } from './test-utils.js';
+
+describe('Content Layer MDX rendering dev', () => {
+ /** @type {import("./test-utils.js").Fixture} */
+ let fixture;
+
+ let devServer;
+ before(async () => {
+ fixture = await loadFixture({
+ root: './fixtures/content-layer-rendering/',
+ });
+ devServer = await fixture.startDevServer();
+ });
+
+ after(async () => {
+ devServer?.stop();
+ });
+
+ it('Render an MDX file', async () => {
+ const html = await fixture.fetch('/reptiles/iguana').then((r) => r.text());
+
+ assert.match(html, /Iguana/);
+ assert.match(html, /This is a rendered entry/);
+ });
+});
+
+describe('Content Layer MDX rendering build', () => {
+ /** @type {import("./test-utils.js").Fixture} */
+ let fixture;
+ before(async () => {
+ fixture = await loadFixture({
+ root: './fixtures/content-layer-rendering/',
+ });
+ await fixture.build();
+ });
+
+ it('Render an MDX file', async () => {
+ const html = await fixture.readFile('/reptiles/iguana/index.html');
+
+ assert.match(html, /Iguana/);
+ assert.match(html, /This is a rendered entry/);
+ });
+});
diff --git a/packages/astro/test/content-layer.test.js b/packages/astro/test/content-layer.test.js
new file mode 100644
index 0000000000..41c05206ba
--- /dev/null
+++ b/packages/astro/test/content-layer.test.js
@@ -0,0 +1,279 @@
+import assert from 'node:assert/strict';
+import { promises as fs } from 'node:fs';
+import { sep } from 'node:path';
+import { sep as posixSep } from 'node:path/posix';
+import { after, before, describe, it } from 'node:test';
+import * as devalue from 'devalue';
+
+import { loadFixture } from './test-utils.js';
+describe('Content Layer', () => {
+ /** @type {import("./test-utils.js").Fixture} */
+ let fixture;
+
+ before(async () => {
+ fixture = await loadFixture({ root: './fixtures/content-layer/' });
+ });
+
+ describe('Build', () => {
+ let json;
+ before(async () => {
+ fixture = await loadFixture({ root: './fixtures/content-layer/' });
+ await fs
+ .unlink(new URL('./node_modules/.astro/data-store.json', fixture.config.root))
+ .catch(() => {});
+ await fixture.build();
+ const rawJson = await fixture.readFile('/collections.json');
+ json = devalue.parse(rawJson);
+ });
+
+ it('Returns custom loader collection', async () => {
+ assert.ok(json.hasOwnProperty('customLoader'));
+ assert.ok(Array.isArray(json.customLoader));
+
+ const item = json.customLoader[0];
+ assert.deepEqual(item, {
+ id: '1',
+ collection: 'blog',
+ data: {
+ userId: 1,
+ id: 1,
+ title: 'sunt aut facere repellat provident occaecati excepturi optio reprehenderit',
+ body: 'quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto',
+ },
+ });
+ });
+
+ it('filters collection items', async () => {
+ assert.ok(json.hasOwnProperty('customLoader'));
+ assert.ok(Array.isArray(json.customLoader));
+ assert.equal(json.customLoader.length, 5);
+ });
+
+ it('Returns `file()` loader collection', async () => {
+ assert.ok(json.hasOwnProperty('fileLoader'));
+ assert.ok(Array.isArray(json.fileLoader));
+
+ const ids = json.fileLoader.map((item) => item.data.id);
+ assert.deepEqual(ids, [
+ 'labrador-retriever',
+ 'german-shepherd',
+ 'golden-retriever',
+ 'french-bulldog',
+ 'bulldog',
+ 'beagle',
+ 'poodle',
+ 'rottweiler',
+ 'german-shorthaired-pointer',
+ 'yorkshire-terrier',
+ 'boxer',
+ 'dachshund',
+ 'siberian-husky',
+ 'great-dane',
+ 'doberman-pinscher',
+ 'australian-shepherd',
+ 'miniature-schnauzer',
+ 'cavalier-king-charles-spaniel',
+ 'shih-tzu',
+ 'boston-terrier',
+ 'bernese-mountain-dog',
+ 'pomeranian',
+ 'havanese',
+ 'english-springer-spaniel',
+ 'shetland-sheepdog',
+ ]);
+ });
+
+ it('Returns data entry by id', async () => {
+ assert.ok(json.hasOwnProperty('dataEntry'));
+ assert.equal(json.dataEntry.filePath?.split(sep).join(posixSep), 'src/data/dogs.json');
+ delete json.dataEntry.filePath;
+ assert.deepEqual(json.dataEntry, {
+ id: 'beagle',
+ collection: 'dogs',
+ data: {
+ breed: 'Beagle',
+ id: 'beagle',
+ size: 'Small to Medium',
+ origin: 'England',
+ lifespan: '12-15 years',
+ temperament: ['Friendly', 'Curious', 'Merry'],
+ },
+ });
+ });
+
+ it('returns collection from a simple loader', async () => {
+ assert.ok(json.hasOwnProperty('simpleLoader'));
+ assert.ok(Array.isArray(json.simpleLoader));
+
+ const item = json.simpleLoader[0];
+ assert.deepEqual(item, {
+ id: 'siamese',
+ collection: 'cats',
+ data: {
+ breed: 'Siamese',
+ id: 'siamese',
+ size: 'Medium',
+ origin: 'Thailand',
+ lifespan: '15 years',
+ temperament: ['Active', 'Affectionate', 'Social', 'Playful'],
+ },
+ });
+ });
+
+ it('transforms a reference id to a reference object', async () => {
+ assert.ok(json.hasOwnProperty('entryWithReference'));
+ assert.deepEqual(json.entryWithReference.data.cat, { collection: 'cats', id: 'tabby' });
+ });
+
+ it('can store Date objects', async () => {
+ assert.ok(json.entryWithReference.data.publishedDate instanceof Date);
+ });
+
+ it('returns a referenced entry', async () => {
+ assert.ok(json.hasOwnProperty('referencedEntry'));
+ assert.deepEqual(json.referencedEntry, {
+ collection: 'cats',
+ data: {
+ breed: 'Tabby',
+ id: 'tabby',
+ size: 'Medium',
+ origin: 'Egypt',
+ lifespan: '15 years',
+ temperament: ['Curious', 'Playful', 'Independent'],
+ },
+ id: 'tabby',
+ });
+ });
+
+ it('updates the store on new builds', async () => {
+ assert.equal(json.increment.data.lastValue, 1);
+ await fixture.build();
+ const newJson = devalue.parse(await fixture.readFile('/collections.json'));
+ assert.equal(newJson.increment.data.lastValue, 2);
+ });
+
+ it('clears the store on new build with force flag', async () => {
+ let newJson = devalue.parse(await fixture.readFile('/collections.json'));
+ assert.equal(newJson.increment.data.lastValue, 2);
+ await fixture.build({ force: true }, {});
+ newJson = devalue.parse(await fixture.readFile('/collections.json'));
+ assert.equal(newJson.increment.data.lastValue, 1);
+ });
+
+ it('clears the store on new build if the config has changed', async () => {
+ let newJson = devalue.parse(await fixture.readFile('/collections.json'));
+ assert.equal(newJson.increment.data.lastValue, 1);
+ await fixture.editFile('src/content/config.ts', (prev) => {
+ return `${prev}\nexport const foo = 'bar';`;
+ });
+ await fixture.build();
+ newJson = devalue.parse(await fixture.readFile('/collections.json'));
+ assert.equal(newJson.increment.data.lastValue, 1);
+ await fixture.resetAllFiles();
+ });
+ });
+
+ describe('Dev', () => {
+ let devServer;
+ let json;
+ before(async () => {
+ devServer = await fixture.startDevServer();
+ const rawJsonResponse = await fixture.fetch('/collections.json');
+ const rawJson = await rawJsonResponse.text();
+ json = devalue.parse(rawJson);
+ });
+
+ after(async () => {
+ devServer?.stop();
+ });
+
+ it('Returns custom loader collection', async () => {
+ assert.ok(json.hasOwnProperty('customLoader'));
+ assert.ok(Array.isArray(json.customLoader));
+
+ const item = json.customLoader[0];
+ assert.deepEqual(item, {
+ id: '1',
+ collection: 'blog',
+ data: {
+ userId: 1,
+ id: 1,
+ title: 'sunt aut facere repellat provident occaecati excepturi optio reprehenderit',
+ body: 'quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto',
+ },
+ });
+ });
+
+ it('Returns `file()` loader collection', async () => {
+ assert.ok(json.hasOwnProperty('fileLoader'));
+ assert.ok(Array.isArray(json.fileLoader));
+
+ const ids = json.fileLoader.map((item) => item.data.id);
+ assert.deepEqual(ids, [
+ 'labrador-retriever',
+ 'german-shepherd',
+ 'golden-retriever',
+ 'french-bulldog',
+ 'bulldog',
+ 'beagle',
+ 'poodle',
+ 'rottweiler',
+ 'german-shorthaired-pointer',
+ 'yorkshire-terrier',
+ 'boxer',
+ 'dachshund',
+ 'siberian-husky',
+ 'great-dane',
+ 'doberman-pinscher',
+ 'australian-shepherd',
+ 'miniature-schnauzer',
+ 'cavalier-king-charles-spaniel',
+ 'shih-tzu',
+ 'boston-terrier',
+ 'bernese-mountain-dog',
+ 'pomeranian',
+ 'havanese',
+ 'english-springer-spaniel',
+ 'shetland-sheepdog',
+ ]);
+ });
+
+ it('Returns data entry by id', async () => {
+ assert.ok(json.hasOwnProperty('dataEntry'));
+ assert.equal(json.dataEntry.filePath?.split(sep).join(posixSep), 'src/data/dogs.json');
+ delete json.dataEntry.filePath;
+ assert.deepEqual(json.dataEntry, {
+ id: 'beagle',
+ collection: 'dogs',
+ data: {
+ breed: 'Beagle',
+ id: 'beagle',
+ size: 'Small to Medium',
+ origin: 'England',
+ lifespan: '12-15 years',
+ temperament: ['Friendly', 'Curious', 'Merry'],
+ },
+ });
+ });
+
+ it('updates collection when data file is changed', async () => {
+ const rawJsonResponse = await fixture.fetch('/collections.json');
+ const initialJson = devalue.parse(await rawJsonResponse.text());
+ assert.equal(initialJson.fileLoader[0].data.temperament.includes('Bouncy'), false);
+
+ await fixture.editFile('/src/data/dogs.json', (prev) => {
+ const data = JSON.parse(prev);
+ data[0].temperament.push('Bouncy');
+ return JSON.stringify(data, null, 2);
+ });
+
+ // Writes are debounced to 500ms
+ await new Promise((r) => setTimeout(r, 700));
+
+ const updatedJsonResponse = await fixture.fetch('/collections.json');
+ const updated = devalue.parse(await updatedJsonResponse.text());
+ assert.ok(updated.fileLoader[0].data.temperament.includes('Bouncy'));
+ await fixture.resetAllFiles();
+ });
+ });
+});
diff --git a/packages/astro/test/fixtures/0-css/package.json b/packages/astro/test/fixtures/0-css/package.json
index 7da522185d..8697a7abe5 100644
--- a/packages/astro/test/fixtures/0-css/package.json
+++ b/packages/astro/test/fixtures/0-css/package.json
@@ -10,6 +10,6 @@
"react": "^18.3.1",
"react-dom": "^18.3.1",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/astro-children/package.json b/packages/astro/test/fixtures/astro-children/package.json
index 48397dd208..b247407d82 100644
--- a/packages/astro/test/fixtures/astro-children/package.json
+++ b/packages/astro/test/fixtures/astro-children/package.json
@@ -9,6 +9,6 @@
"astro": "workspace:*",
"preact": "^10.23.1",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/astro-envs/package.json b/packages/astro/test/fixtures/astro-envs/package.json
index f9cab73518..dac39dfa59 100644
--- a/packages/astro/test/fixtures/astro-envs/package.json
+++ b/packages/astro/test/fixtures/astro-envs/package.json
@@ -5,6 +5,6 @@
"dependencies": {
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/astro-slots-nested/package.json b/packages/astro/test/fixtures/astro-slots-nested/package.json
index e676e96c48..7d8082d291 100644
--- a/packages/astro/test/fixtures/astro-slots-nested/package.json
+++ b/packages/astro/test/fixtures/astro-slots-nested/package.json
@@ -12,8 +12,8 @@
"preact": "^10.23.1",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "solid-js": "^1.8.19",
+ "solid-js": "^1.8.20",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/container-custom-renderers/package.json b/packages/astro/test/fixtures/container-custom-renderers/package.json
index df53655b19..59cbee3c55 100644
--- a/packages/astro/test/fixtures/container-custom-renderers/package.json
+++ b/packages/astro/test/fixtures/container-custom-renderers/package.json
@@ -9,6 +9,6 @@
"astro": "workspace:*",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/content-collections/astro.config.mjs b/packages/astro/test/fixtures/content-collections/astro.config.mjs
index aa89463ab7..911cb3a998 100644
--- a/packages/astro/test/fixtures/content-collections/astro.config.mjs
+++ b/packages/astro/test/fixtures/content-collections/astro.config.mjs
@@ -4,4 +4,7 @@ import { defineConfig } from 'astro/config';
// https://astro.build/config
export default defineConfig({
integrations: [mdx()],
+ experimental: {
+ contentIntellisense: true
+ }
});
diff --git a/packages/astro/test/fixtures/content-intellisense/astro.config.mjs b/packages/astro/test/fixtures/content-intellisense/astro.config.mjs
new file mode 100644
index 0000000000..f6358a896f
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/astro.config.mjs
@@ -0,0 +1,12 @@
+import markdoc from "@astrojs/markdoc";
+import mdx from '@astrojs/mdx';
+import { defineConfig } from 'astro/config';
+
+// https://astro.build/config
+export default defineConfig({
+ integrations: [mdx(), markdoc()],
+ experimental: {
+ contentLayer: true,
+ contentIntellisense: true
+ }
+});
diff --git a/packages/astro/test/fixtures/content-intellisense/package.json b/packages/astro/test/fixtures/content-intellisense/package.json
new file mode 100644
index 0000000000..1e22bf9946
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/package.json
@@ -0,0 +1,10 @@
+{
+ "name": "@test/content-intellisense",
+ "version": "0.0.0",
+ "private": true,
+ "dependencies": {
+ "astro": "workspace:*",
+ "@astrojs/mdx": "workspace:*",
+ "@astrojs/markdoc": "workspace:*"
+ }
+}
diff --git a/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry.md b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry.md
new file mode 100644
index 0000000000..caaa4ebeff
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry.md
@@ -0,0 +1,3 @@
+---
+title: "Markdown"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry2.mdx b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry2.mdx
new file mode 100644
index 0000000000..0872819c8c
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry2.mdx
@@ -0,0 +1,3 @@
+---
+title: "MDX"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry3.mdoc b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry3.mdoc
new file mode 100644
index 0000000000..e13eaa2f6a
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/blog-cl/entry3.mdoc
@@ -0,0 +1,3 @@
+---
+title: "Markdoc"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry.md b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry.md
new file mode 100644
index 0000000000..caaa4ebeff
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry.md
@@ -0,0 +1,3 @@
+---
+title: "Markdown"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry2.mdx b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry2.mdx
new file mode 100644
index 0000000000..0872819c8c
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry2.mdx
@@ -0,0 +1,3 @@
+---
+title: "MDX"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry3.mdoc b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry3.mdoc
new file mode 100644
index 0000000000..e13eaa2f6a
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/content/blog-cc/entry3.mdoc
@@ -0,0 +1,3 @@
+---
+title: "Markdoc"
+---
diff --git a/packages/astro/test/fixtures/content-intellisense/src/content/config.ts b/packages/astro/test/fixtures/content-intellisense/src/content/config.ts
new file mode 100644
index 0000000000..64120adabe
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/content/config.ts
@@ -0,0 +1,24 @@
+import { glob } from 'astro/loaders';
+import { defineCollection, z } from 'astro:content';
+
+const blogCC = defineCollection({
+ type: 'content',
+ schema: z.object({
+ title: z.string(),
+ description: z.string().optional(),
+ }),
+});
+
+const blogCL = defineCollection({
+ // By default the ID is a slug, generated from the path of the file relative to `base`
+ loader: glob({ pattern: "**/*", base: "./src/blog-cl" }),
+ schema: z.object({
+ title: z.string(),
+ description: z.string().optional(),
+ }),
+});
+
+export const collections = {
+ "blog-cc": blogCC,
+ "blog-cl": blogCL,
+};
diff --git a/packages/astro/test/fixtures/content-intellisense/src/utils.js b/packages/astro/test/fixtures/content-intellisense/src/utils.js
new file mode 100644
index 0000000000..3a62443278
--- /dev/null
+++ b/packages/astro/test/fixtures/content-intellisense/src/utils.js
@@ -0,0 +1,8 @@
+export function stripRenderFn(entryWithRender) {
+ const { render, ...entry } = entryWithRender;
+ return entry;
+}
+
+export function stripAllRenderFn(collection = []) {
+ return collection.map(stripRenderFn);
+}
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/astro.config.mjs b/packages/astro/test/fixtures/content-layer-markdoc/astro.config.mjs
new file mode 100644
index 0000000000..bbb19ad302
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/astro.config.mjs
@@ -0,0 +1,9 @@
+import markdoc from '@astrojs/markdoc';
+import preact from '@astrojs/preact';
+import { defineConfig } from 'astro/config';
+
+// https://astro.build/config
+export default defineConfig({
+ integrations: [markdoc(), preact()],
+ experimental: { contentLayer: true }
+});
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/content/_nested.mdoc b/packages/astro/test/fixtures/content-layer-markdoc/content/_nested.mdoc
new file mode 100644
index 0000000000..68f5292801
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/content/_nested.mdoc
@@ -0,0 +1,3 @@
+Render components from a deeply nested partial:
+
+{% deeply-nested /%}
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/content/blog/_counter.mdoc b/packages/astro/test/fixtures/content-layer-markdoc/content/blog/_counter.mdoc
new file mode 100644
index 0000000000..4a015695c6
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/content/blog/_counter.mdoc
@@ -0,0 +1,7 @@
+# Hello from a partial!
+
+Render a component from a partial:
+
+{% counter /%}
+
+{% partial file="../_nested.mdoc" /%}
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/content/blog/with-components.mdoc b/packages/astro/test/fixtures/content-layer-markdoc/content/blog/with-components.mdoc
new file mode 100644
index 0000000000..eb7d20426e
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/content/blog/with-components.mdoc
@@ -0,0 +1,19 @@
+---
+title: Post with components
+---
+
+## Post with components
+
+This uses a custom marquee component with a shortcode:
+
+{% marquee-element direction="right" %}
+I'm a marquee too!
+{% /marquee-element %}
+
+{% partial file="_counter.mdoc" /%}
+
+And a code component for code blocks:
+
+```js
+const isRenderedWithShiki = true;
+```
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/markdoc.config.ts b/packages/astro/test/fixtures/content-layer-markdoc/markdoc.config.ts
new file mode 100644
index 0000000000..6093ec5938
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/markdoc.config.ts
@@ -0,0 +1,32 @@
+import { Markdoc, component, defineMarkdocConfig } from '@astrojs/markdoc/config';
+
+export default defineMarkdocConfig({
+ nodes: {
+ fence: {
+ render: component('./src/components/Code.astro'),
+ attributes: {
+ language: { type: String },
+ content: { type: String },
+ },
+ },
+ },
+ tags: {
+ 'marquee-element': {
+ render: component('./src/components/CustomMarquee.astro'),
+ attributes: {
+ direction: {
+ type: String,
+ default: 'left',
+ matches: ['left', 'right', 'up', 'down'],
+ errorLevel: 'critical',
+ },
+ },
+ },
+ counter: {
+ render: component('./src/components/CounterWrapper.astro'),
+ },
+ 'deeply-nested': {
+ render: component('./src/components/DeeplyNested.astro'),
+ },
+ },
+});
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/package.json b/packages/astro/test/fixtures/content-layer-markdoc/package.json
new file mode 100644
index 0000000000..91ca2f8c9c
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/package.json
@@ -0,0 +1,11 @@
+{
+ "name": "@test/content-layer-markdoc",
+ "version": "0.0.0",
+ "private": true,
+ "dependencies": {
+ "@astrojs/markdoc": "workspace:*",
+ "@astrojs/preact": "workspace:*",
+ "astro": "workspace:*",
+ "preact": "^10.23.1"
+ }
+}
\ No newline at end of file
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/components/Code.astro b/packages/astro/test/fixtures/content-layer-markdoc/src/components/Code.astro
new file mode 100644
index 0000000000..18bf1399f2
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/components/Code.astro
@@ -0,0 +1,12 @@
+---
+import { Code } from 'astro/components';
+
+type Props = {
+ content: string;
+ language: string;
+}
+
+const { content, language } = Astro.props as Props;
+---
+
+
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/components/Counter.tsx b/packages/astro/test/fixtures/content-layer-markdoc/src/components/Counter.tsx
new file mode 100644
index 0000000000..f1e239718c
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/components/Counter.tsx
@@ -0,0 +1,10 @@
+import { useState } from 'preact/hooks';
+
+export default function Counter() {
+ const [count, setCount] = useState(1);
+ return (
+ setCount(count + 1)}>
+ {count}
+
+ );
+}
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/components/CounterWrapper.astro b/packages/astro/test/fixtures/content-layer-markdoc/src/components/CounterWrapper.astro
new file mode 100644
index 0000000000..e45ac64381
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/components/CounterWrapper.astro
@@ -0,0 +1,5 @@
+---
+import Counter from './Counter';
+---
+
+
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/components/CustomMarquee.astro b/packages/astro/test/fixtures/content-layer-markdoc/src/components/CustomMarquee.astro
new file mode 100644
index 0000000000..3108b99735
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/components/CustomMarquee.astro
@@ -0,0 +1 @@
+
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/components/DeeplyNested.astro b/packages/astro/test/fixtures/content-layer-markdoc/src/components/DeeplyNested.astro
new file mode 100644
index 0000000000..eb23f675a0
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/components/DeeplyNested.astro
@@ -0,0 +1,5 @@
+---
+
+---
+
+Deeply nested partial
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/content/config.ts b/packages/astro/test/fixtures/content-layer-markdoc/src/content/config.ts
new file mode 100644
index 0000000000..18ead9aa16
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/content/config.ts
@@ -0,0 +1,11 @@
+import { defineCollection } from 'astro:content';
+import { glob } from 'astro/loaders';
+
+const blog = defineCollection({
+ loader: glob({
+ pattern: '*.mdoc',
+ base: 'content/blog',
+ }),
+});
+
+export const collections = { blog };
diff --git a/packages/astro/test/fixtures/content-layer-markdoc/src/pages/index.astro b/packages/astro/test/fixtures/content-layer-markdoc/src/pages/index.astro
new file mode 100644
index 0000000000..5c7747eef9
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-markdoc/src/pages/index.astro
@@ -0,0 +1,19 @@
+---
+import { getEntry, render } from "astro:content";
+
+const post = await getEntry('blog', 'with-components');
+const { Content } = await render(post);
+---
+
+
+
+
+
+
+
+ Content
+
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer-rendering/.gitignore b/packages/astro/test/fixtures/content-layer-rendering/.gitignore
new file mode 100644
index 0000000000..16d3c4dbbf
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/.gitignore
@@ -0,0 +1 @@
+.cache
diff --git a/packages/astro/test/fixtures/content-layer-rendering/astro.config.mjs b/packages/astro/test/fixtures/content-layer-rendering/astro.config.mjs
new file mode 100644
index 0000000000..c3fd1366a0
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/astro.config.mjs
@@ -0,0 +1,17 @@
+import mdx from '@astrojs/mdx';
+import { defineConfig } from 'astro/config';
+import { fileURLToPath } from 'node:url';
+
+export default defineConfig({
+ integrations: [mdx()],
+ vite: {
+ resolve: {
+ alias: {
+ '@images': fileURLToPath(new URL('./images', import.meta.url))
+ }
+ },
+ },
+ experimental: {
+ contentLayer: true,
+ },
+});
diff --git a/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/iguana.mdx b/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/iguana.mdx
new file mode 100644
index 0000000000..1266a73753
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/iguana.mdx
@@ -0,0 +1,16 @@
+---
+title: Iguana
+description: 'Introduction to Iguana.'
+publishedDate: 'Sat May 21 2022 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [cats, felines]
+---
+
+import H2 from "../src/components/H2.astro";
+
+Iguana
+
+### Iguana
+
+This is a rendered entry
+
+
diff --git a/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/shuttle.jpg b/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/shuttle.jpg
new file mode 100644
index 0000000000..80b8ea67b8
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer-rendering/content-outside-src-mdx/shuttle.jpg differ
diff --git a/packages/astro/test/fixtures/content-layer-rendering/images/atlantis.avif b/packages/astro/test/fixtures/content-layer-rendering/images/atlantis.avif
new file mode 100644
index 0000000000..6b9f6d5a59
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer-rendering/images/atlantis.avif differ
diff --git a/packages/astro/test/fixtures/content-layer-rendering/images/launch.webp b/packages/astro/test/fixtures/content-layer-rendering/images/launch.webp
new file mode 100644
index 0000000000..144ded978a
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer-rendering/images/launch.webp differ
diff --git a/packages/astro/test/fixtures/content-layer-rendering/images/shuttle.jpg b/packages/astro/test/fixtures/content-layer-rendering/images/shuttle.jpg
new file mode 100644
index 0000000000..80b8ea67b8
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer-rendering/images/shuttle.jpg differ
diff --git a/packages/astro/test/fixtures/content-layer-rendering/package.json b/packages/astro/test/fixtures/content-layer-rendering/package.json
new file mode 100644
index 0000000000..6679b8d6ec
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/package.json
@@ -0,0 +1,9 @@
+{
+ "name": "@test/content-layer-rendering",
+ "version": "0.0.0",
+ "private": true,
+ "dependencies": {
+ "astro": "workspace:*",
+ "@astrojs/mdx": "workspace:*"
+ }
+}
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/components/H2.astro b/packages/astro/test/fixtures/content-layer-rendering/src/components/H2.astro
new file mode 100644
index 0000000000..d1ad359c2e
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/components/H2.astro
@@ -0,0 +1,4 @@
+---
+---
+
+
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/components/H3.astro b/packages/astro/test/fixtures/content-layer-rendering/src/components/H3.astro
new file mode 100644
index 0000000000..fa476e929e
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/components/H3.astro
@@ -0,0 +1,2 @@
+
+
\ No newline at end of file
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/components/LayoutProp.astro b/packages/astro/test/fixtures/content-layer-rendering/src/components/LayoutProp.astro
new file mode 100644
index 0000000000..a2954162a3
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/components/LayoutProp.astro
@@ -0,0 +1,39 @@
+---
+import { CollectionEntry, getCollection } from 'astro:content';
+import H3 from './H3.astro'
+// Test for recursive `getCollection()` calls
+const blog = await getCollection('blog');
+
+type Props = {
+ content: CollectionEntry<'blog'>['data'];
+};
+
+const {
+ content: { title },
+} = Astro.props;
+---
+
+
+
+
+
+
+
+ With Layout Prop
+
+
+ {title}
+ H3 inserted in the layout
+
+
+
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/components/WithScripts.astro b/packages/astro/test/fixtures/content-layer-rendering/src/components/WithScripts.astro
new file mode 100644
index 0000000000..e37694eaf1
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/components/WithScripts.astro
@@ -0,0 +1,11 @@
+Hoisted script didn't update me :(
+
+Inline script didn't update me :(
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/content/config.ts b/packages/astro/test/fixtures/content-layer-rendering/src/content/config.ts
new file mode 100644
index 0000000000..eb175fa99b
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/content/config.ts
@@ -0,0 +1,18 @@
+import { defineCollection, z, reference } from 'astro:content';
+import { glob } from 'astro/loaders';
+
+const reptiles = defineCollection({
+ loader: glob({
+ pattern: '*.mdx',
+ base: new URL('../../content-outside-src-mdx', import.meta.url),
+ }),
+ schema: () =>
+ z.object({
+ title: z.string(),
+ description: z.string(),
+ publishedDate: z.coerce.date(),
+ tags: z.array(z.string()),
+ }),
+});
+
+export const collections = { reptiles };
diff --git a/packages/astro/test/fixtures/content-layer-rendering/src/pages/reptiles/[slug].astro b/packages/astro/test/fixtures/content-layer-rendering/src/pages/reptiles/[slug].astro
new file mode 100644
index 0000000000..526805e099
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer-rendering/src/pages/reptiles/[slug].astro
@@ -0,0 +1,25 @@
+---
+import type { GetStaticPaths } from "astro";
+import { getCollection, render } from "astro:content"
+import { Image } from "astro:assets"
+
+export const getStaticPaths = (async () => {
+ const collection = await getCollection("reptiles");
+ if(!collection) return []
+ return collection.map((reptile) => ({
+ params: {
+ slug: `${reptile.id}`
+ },
+ props: {
+ reptile
+ }
+ }));
+}) satisfies GetStaticPaths;
+
+const { reptile } = Astro.props as any
+const { Content } = await render(reptile)
+
+---
+
+{reptile.data.title}
+
diff --git a/packages/astro/test/fixtures/content-layer/astro.config.mjs b/packages/astro/test/fixtures/content-layer/astro.config.mjs
new file mode 100644
index 0000000000..3266e5e8c0
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/astro.config.mjs
@@ -0,0 +1,18 @@
+import mdx from '@astrojs/mdx';
+import { defineConfig } from 'astro/config';
+import { fileURLToPath } from 'node:url';
+
+export default defineConfig({
+ integrations: [mdx()],
+ vite: {
+ resolve: {
+ alias: {
+ '@images': fileURLToPath(new URL('./images', import.meta.url))
+ }
+ },
+ },
+ experimental: {
+ contentLayer: true,
+ contentIntellisense: true,
+ },
+});
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/columbia-copy.md b/packages/astro/test/fixtures/content-layer/content-outside-src/columbia-copy.md
new file mode 100644
index 0000000000..6e770b2afd
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/content-outside-src/columbia-copy.md
@@ -0,0 +1,16 @@
+---
+title: More Columbia
+description: 'Learn about the Columbia NASA space shuttle.'
+publishedDate: 'Sat May 21 2022 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [space, 90s]
+cat: tabby
+---
+
+**Source:** [Wikipedia](https://en.wikipedia.org/wiki/Space_Shuttle_Endeavour)
+
+Space Shuttle Endeavour (Orbiter Vehicle Designation: OV-105) is a retired orbiter from NASA's Space Shuttle program and the fifth and final operational Shuttle built. It embarked on its first mission, STS-49, in May 1992 and its 25th and final mission, STS-134, in May 2011. STS-134 was expected to be the final mission of the Space Shuttle program, but with the authorization of STS-135, Atlantis became the last shuttle to fly.
+
+The United States Congress approved the construction of Endeavour in 1987 to replace the Space Shuttle Challenger, which was destroyed in 1986.
+
+NASA chose, on cost grounds, to build much of Endeavour from spare parts rather than refitting the Space Shuttle Enterprise, and used structural spares built during the construction of Discovery and Atlantis in its assembly.
+Space Shuttle Endeavour (Orbiter Vehicle Designation: OV-105) is a retired orbiter from NASA's Space Shuttle program and the fifth and final operational Shuttle built. It embarked on its first mission, STS-49, in May 1992 and its 25th and final mission, STS-134, in May 2011. STS-134 was expected to be the final mission of the Space Shuttle program, but with the authorization of STS-135, Atlantis became the last shuttle to fly.
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/columbia.md b/packages/astro/test/fixtures/content-layer/content-outside-src/columbia.md
new file mode 100644
index 0000000000..e8a7bf2486
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/content-outside-src/columbia.md
@@ -0,0 +1,22 @@
+---
+title: Columbia
+description: 'Learn about the Columbia NASA space shuttle.'
+publishedDate: 'Sat May 21 2022 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [space, 90s]
+heroImage: "@images/launch.webp"
+---
+
+**Source:** [Wikipedia](https://en.wikipedia.org/wiki/Space_Shuttle_Endeavour)
+
+
+
+
+
+
+## Columbia
+
+Space Shuttle Columbia (Orbiter Vehicle Designation: OV-102) was the first space-rated orbiter in NASA's Space Shuttle fleet. It launched for the first time on mission STS-1 on April 12, 1981, the first flight of the Space Shuttle program. Over 22 years of service, it completed 27 missions before disintegrating during re-entry near the end of its 28th mission, STS-107 on February 1, 2003, resulting in the deaths of all seven crew members.
+
+Columbia was named after the American sloop Columbia Rediviva which, from 1787 to 1793, under the command of Captain Robert Gray, explored the US Pacific Northwest and became the first American vessel to circumnavigate the globe. It is also named after the Command Module of Apollo 11, the first crewed landing on another celestial body. Columbia
+
+Columbia was the first space shuttle to reach space, on mission STS-1. It was also the first space shuttle to be launched more than once, with a total of 28 missions flown over 22 years. In 2003, Columbia was destroyed as it re-entered Earth's atmosphere, killing all seven crew members. The disaster led to the grounding of the space shuttle fleet for over two years, and the eventual retirement of the remaining orbiters.
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/endeavour.md b/packages/astro/test/fixtures/content-layer/content-outside-src/endeavour.md
new file mode 100644
index 0000000000..51d6e8c421
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/content-outside-src/endeavour.md
@@ -0,0 +1,14 @@
+---
+title: Endeavour
+description: 'Learn about the Endeavour NASA space shuttle.'
+publishedDate: 'Sun Jul 11 2021 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [space, 90s]
+---
+
+**Source:** [Wikipedia](https://en.wikipedia.org/wiki/Space_Shuttle_Endeavour)
+
+Space Shuttle Endeavour (Orbiter Vehicle Designation: OV-105) is a retired orbiter from NASA's Space Shuttle program and the fifth and final operational Shuttle built. It embarked on its first mission, STS-49, in May 1992 and its 25th and final mission, STS-134, in May 2011. STS-134 was expected to be the final mission of the Space Shuttle program, but with the authorization of STS-135, Atlantis became the last shuttle to fly.
+
+The United States Congress approved the construction of Endeavour in 1987 to replace the Space Shuttle Challenger, which was destroyed in 1986.
+
+NASA chose, on cost grounds, to build much of Endeavour from spare parts rather than refitting the Space Shuttle Enterprise, and used structural spares built during the construction of Discovery and Atlantis in its assembly.
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/enterprise.md b/packages/astro/test/fixtures/content-layer/content-outside-src/enterprise.md
new file mode 100644
index 0000000000..3131e6d5df
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/content-outside-src/enterprise.md
@@ -0,0 +1,14 @@
+---
+title: 'Enterprise'
+description: 'Learn about the Enterprise NASA space shuttle.'
+publishedDate: 'Tue Jun 08 2021 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [space, 70s]
+---
+
+**Source:** [Wikipedia](https://en.wikipedia.org/wiki/Space_Shuttle_Enterprise)
+
+Space Shuttle Enterprise (Orbiter Vehicle Designation: OV-101) was the first orbiter of the Space Shuttle system. Rolled out on September 17, 1976, it was built for NASA as part of the Space Shuttle program to perform atmospheric test flights after being launched from a modified Boeing 747. It was constructed without engines or a functional heat shield. As a result, it was not capable of spaceflight.
+
+Originally, Enterprise had been intended to be refitted for orbital flight to become the second space-rated orbiter in service. However, during the construction of Space Shuttle Columbia, details of the final design changed, making it simpler and less costly to build Challenger around a body frame that had been built as a test article. Similarly, Enterprise was considered for refit to replace Challenger after the latter was destroyed, but Endeavour was built from structural spares instead.
+
+Enterprise was restored and placed on display in 2003 at the Smithsonian's new Steven F. Udvar-Hazy Center in Virginia. Following the retirement of the Space Shuttle fleet, Discovery replaced Enterprise at the Udvar-Hazy Center, and Enterprise was transferred to the Intrepid Sea, Air & Space Museum in New York City, where it has been on display since July 2012.
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/index.md b/packages/astro/test/fixtures/content-layer/content-outside-src/index.md
new file mode 100644
index 0000000000..4971108e36
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/content-outside-src/index.md
@@ -0,0 +1,15 @@
+---
+title: Columbia
+description: 'Learn about the Columbia NASA space shuttle.'
+publishedDate: 'Sat May 21 2022 00:00:00 GMT-0400 (Eastern Daylight Time)'
+tags: [space, 90s]
+---
+
+**Source:** [Wikipedia](https://en.wikipedia.org/wiki/Space_Shuttle_Endeavour)
+
+Space Shuttle Endeavour (Orbiter Vehicle Designation: OV-105) is a retired orbiter from NASA's Space Shuttle program and the fifth and final operational Shuttle built. It embarked on its first mission, STS-49, in May 1992 and its 25th and final mission, STS-134, in May 2011. STS-134 was expected to be the final mission of the Space Shuttle program, but with the authorization of STS-135, Atlantis became the last shuttle to fly.
+
+The United States Congress approved the construction of Endeavour in 1987 to replace the Space Shuttle Challenger, which was destroyed in 1986.
+
+NASA chose, on cost grounds, to build much of Endeavour from spare parts rather than refitting the Space Shuttle Enterprise, and used structural spares built during the construction of Discovery and Atlantis in its assembly.
+Space Shuttle Endeavour (Orbiter Vehicle Designation: OV-105) is a retired orbiter from NASA's Space Shuttle program and the fifth and final operational Shuttle built. It embarked on its first mission, STS-49, in May 1992 and its 25th and final mission, STS-134, in May 2011. STS-134 was expected to be the final mission of the Space Shuttle program, but with the authorization of STS-135, Atlantis became the last shuttle to fly.
diff --git a/packages/astro/test/fixtures/content-layer/content-outside-src/shuttle.jpg b/packages/astro/test/fixtures/content-layer/content-outside-src/shuttle.jpg
new file mode 100644
index 0000000000..80b8ea67b8
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer/content-outside-src/shuttle.jpg differ
diff --git a/packages/astro/test/fixtures/content-layer/images/atlantis.avif b/packages/astro/test/fixtures/content-layer/images/atlantis.avif
new file mode 100644
index 0000000000..6b9f6d5a59
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer/images/atlantis.avif differ
diff --git a/packages/astro/test/fixtures/content-layer/images/launch.webp b/packages/astro/test/fixtures/content-layer/images/launch.webp
new file mode 100644
index 0000000000..144ded978a
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer/images/launch.webp differ
diff --git a/packages/astro/test/fixtures/content-layer/images/shuttle.jpg b/packages/astro/test/fixtures/content-layer/images/shuttle.jpg
new file mode 100644
index 0000000000..80b8ea67b8
Binary files /dev/null and b/packages/astro/test/fixtures/content-layer/images/shuttle.jpg differ
diff --git a/packages/astro/test/fixtures/content-layer/package.json b/packages/astro/test/fixtures/content-layer/package.json
new file mode 100644
index 0000000000..fc73ce6f7a
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/package.json
@@ -0,0 +1,9 @@
+{
+ "name": "@test/content-layer",
+ "version": "0.0.0",
+ "private": true,
+ "dependencies": {
+ "astro": "workspace:*",
+ "@astrojs/mdx": "workspace:*"
+ }
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/components/H2.astro b/packages/astro/test/fixtures/content-layer/src/components/H2.astro
new file mode 100644
index 0000000000..d1ad359c2e
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/components/H2.astro
@@ -0,0 +1,4 @@
+---
+---
+
+
diff --git a/packages/astro/test/fixtures/content-layer/src/components/H3.astro b/packages/astro/test/fixtures/content-layer/src/components/H3.astro
new file mode 100644
index 0000000000..fa476e929e
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/components/H3.astro
@@ -0,0 +1,2 @@
+
+
\ No newline at end of file
diff --git a/packages/astro/test/fixtures/content-layer/src/components/LayoutProp.astro b/packages/astro/test/fixtures/content-layer/src/components/LayoutProp.astro
new file mode 100644
index 0000000000..a2954162a3
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/components/LayoutProp.astro
@@ -0,0 +1,39 @@
+---
+import { CollectionEntry, getCollection } from 'astro:content';
+import H3 from './H3.astro'
+// Test for recursive `getCollection()` calls
+const blog = await getCollection('blog');
+
+type Props = {
+ content: CollectionEntry<'blog'>['data'];
+};
+
+const {
+ content: { title },
+} = Astro.props;
+---
+
+
+
+
+
+
+
+ With Layout Prop
+
+
+ {title}
+ H3 inserted in the layout
+
+
+
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer/src/components/WithScripts.astro b/packages/astro/test/fixtures/content-layer/src/components/WithScripts.astro
new file mode 100644
index 0000000000..e37694eaf1
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/components/WithScripts.astro
@@ -0,0 +1,11 @@
+Hoisted script didn't update me :(
+
+Inline script didn't update me :(
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer/src/content/config.ts b/packages/astro/test/fixtures/content-layer/src/content/config.ts
new file mode 100644
index 0000000000..1689a56b1c
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/content/config.ts
@@ -0,0 +1,111 @@
+import { defineCollection, z, reference } from 'astro:content';
+import { file, glob } from 'astro/loaders';
+import { loader } from '../loaders/post-loader.js';
+
+const blog = defineCollection({
+ loader: loader({ url: 'https://jsonplaceholder.typicode.com/posts' }),
+});
+
+const dogs = defineCollection({
+ loader: file('src/data/dogs.json'),
+ schema: z.object({
+ breed: z.string(),
+ id: z.string(),
+ size: z.string(),
+ origin: z.string(),
+ lifespan: z.string(),
+ temperament: z.array(z.string()),
+ }),
+});
+
+const cats = defineCollection({
+ loader: async function () {
+ return [
+ {
+ breed: 'Siamese',
+ id: 'siamese',
+ size: 'Medium',
+ origin: 'Thailand',
+ lifespan: '15 years',
+ temperament: ['Active', 'Affectionate', 'Social', 'Playful'],
+ },
+ {
+ breed: 'Persian',
+ id: 'persian',
+ size: 'Medium',
+ origin: 'Iran',
+ lifespan: '15 years',
+ temperament: ['Calm', 'Affectionate', 'Social'],
+ },
+ {
+ breed: 'Tabby',
+ id: 'tabby',
+ size: 'Medium',
+ origin: 'Egypt',
+ lifespan: '15 years',
+ temperament: ['Curious', 'Playful', 'Independent'],
+ },
+ {
+ breed: 'Ragdoll',
+ id: 'ragdoll',
+ size: 'Medium',
+ origin: 'United States',
+ lifespan: '15 years',
+ temperament: ['Calm', 'Affectionate', 'Social'],
+ },
+ ];
+ },
+ schema: z.object({
+ breed: z.string(),
+ id: z.string(),
+ size: z.string(),
+ origin: z.string(),
+ lifespan: z.string(),
+ temperament: z.array(z.string()),
+ }),
+});
+
+// Absolute paths should also work
+const absoluteRoot = new URL('../../content-outside-src', import.meta.url);
+
+const spacecraft = defineCollection({
+ loader: glob({ pattern: '*.md', base: absoluteRoot }),
+ schema: ({ image }) =>
+ z.object({
+ title: z.string(),
+ description: z.string(),
+ publishedDate: z.coerce.date(),
+ tags: z.array(z.string()),
+ heroImage: image().optional(),
+ cat: reference('cats').optional(),
+ }),
+});
+
+const numbers = defineCollection({
+ loader: glob({ pattern: 'src/data/glob-data/*', base: '.' }),
+});
+
+const increment = defineCollection({
+ loader: {
+ name: 'increment-loader',
+ load: async ({ store }) => {
+ const entry = store.get<{lastValue: number}>('value');
+ const lastValue = entry?.data.lastValue ?? 0;
+ store.set({
+ id: 'value',
+ data: {
+ lastValue: lastValue + 1,
+ lastUpdated: new Date(),
+ },
+ });
+ },
+ // Example of a loader that returns an async schema function
+ schema: async () => z.object({
+ lastValue: z.number(),
+ lastUpdated: z.date(),
+ }),
+ },
+
+});
+
+export const collections = { blog, dogs, cats, numbers, spacecraft, increment };
diff --git a/packages/astro/test/fixtures/content-layer/src/data/dogs.json b/packages/astro/test/fixtures/content-layer/src/data/dogs.json
new file mode 100644
index 0000000000..66e6320c65
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/data/dogs.json
@@ -0,0 +1,302 @@
+[
+ {
+ "breed": "Labrador Retriever",
+ "id": "labrador-retriever",
+ "size": "Large",
+ "origin": "Canada",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Friendly",
+ "Active",
+ "Outgoing"
+ ]
+ },
+ {
+ "breed": "German Shepherd",
+ "id": "german-shepherd",
+ "size": "Large",
+ "origin": "Germany",
+ "lifespan": "9-13 years",
+ "temperament": [
+ "Loyal",
+ "Intelligent",
+ "Confident"
+ ]
+ },
+ {
+ "breed": "Golden Retriever",
+ "id": "golden-retriever",
+ "size": "Large",
+ "origin": "Scotland",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Intelligent",
+ "Friendly",
+ "Devoted"
+ ]
+ },
+ {
+ "breed": "French Bulldog",
+ "id": "french-bulldog",
+ "size": "Small",
+ "origin": "France",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Playful",
+ "Adaptable",
+ "Sociable"
+ ]
+ },
+ {
+ "breed": "Bulldog",
+ "id": "bulldog",
+ "size": "Medium",
+ "origin": "England",
+ "lifespan": "8-10 years",
+ "temperament": [
+ "Docile",
+ "Willful",
+ "Friendly"
+ ]
+ },
+ {
+ "breed": "Beagle",
+ "id": "beagle",
+ "size": "Small to Medium",
+ "origin": "England",
+ "lifespan": "12-15 years",
+ "temperament": [
+ "Friendly",
+ "Curious",
+ "Merry"
+ ]
+ },
+ {
+ "breed": "Poodle",
+ "id": "poodle",
+ "size": "Toy, Miniature, or Standard",
+ "origin": "Germany",
+ "lifespan": "12-15 years",
+ "temperament": [
+ "Intelligent",
+ "Active",
+ "Alert"
+ ]
+ },
+ {
+ "breed": "Rottweiler",
+ "id": "rottweiler",
+ "size": "Large",
+ "origin": "Germany",
+ "lifespan": "8-10 years",
+ "temperament": [
+ "Loyal",
+ "Confident",
+ "Courageous"
+ ]
+ },
+ {
+ "breed": "German Shorthaired Pointer",
+ "id": "german-shorthaired-pointer",
+ "size": "Medium to Large",
+ "origin": "Germany",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Friendly",
+ "Intelligent",
+ "Willing to Please"
+ ]
+ },
+ {
+ "breed": "Yorkshire Terrier",
+ "id": "yorkshire-terrier",
+ "size": "Toy",
+ "origin": "England",
+ "lifespan": "13-16 years",
+ "temperament": [
+ "Affectionate",
+ "Sprightly",
+ "Tomboyish"
+ ]
+ },
+ {
+ "breed": "Boxer",
+ "id": "boxer",
+ "size": "Medium to Large",
+ "origin": "Germany",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Playful",
+ "Energetic",
+ "Loyal"
+ ]
+ },
+ {
+ "breed": "Dachshund",
+ "id": "dachshund",
+ "size": "Small",
+ "origin": "Germany",
+ "lifespan": "12-16 years",
+ "temperament": [
+ "Clever",
+ "Stubborn",
+ "Devoted"
+ ]
+ },
+ {
+ "breed": "Siberian Husky",
+ "id": "siberian-husky",
+ "size": "Medium",
+ "origin": "Siberia",
+ "lifespan": "12-14 years",
+ "temperament": [
+ "Outgoing",
+ "Mischievous",
+ "Loyal"
+ ]
+ },
+ {
+ "breed": "Great Dane",
+ "id": "great-dane",
+ "size": "Large",
+ "origin": "Germany",
+ "lifespan": "7-10 years",
+ "temperament": [
+ "Friendly",
+ "Patient",
+ "Dependable"
+ ]
+ },
+ {
+ "breed": "Doberman Pinscher",
+ "id": "doberman-pinscher",
+ "size": "Large",
+ "origin": "Germany",
+ "lifespan": "10-12 years",
+ "temperament": [
+ "Loyal",
+ "Fearless",
+ "Alert"
+ ]
+ },
+ {
+ "breed": "Australian Shepherd",
+ "id": "australian-shepherd",
+ "size": "Medium",
+ "origin": "United States",
+ "lifespan": "12-15 years",
+ "temperament": [
+ "Intelligent",
+ "Work-oriented",
+ "Exuberant"
+ ]
+ },
+ {
+ "breed": "Miniature Schnauzer",
+ "id": "miniature-schnauzer",
+ "size": "Small",
+ "origin": "Germany",
+ "lifespan": "12-15 years",
+ "temperament": [
+ "Friendly",
+ "Smart",
+ "Obedient"
+ ]
+ },
+ {
+ "breed": "Cavalier King Charles Spaniel",
+ "id": "cavalier-king-charles-spaniel",
+ "size": "Small",
+ "origin": "United Kingdom",
+ "lifespan": "9-14 years",
+ "temperament": [
+ "Affectionate",
+ "Gentle",
+ "Graceful"
+ ]
+ },
+ {
+ "breed": "Shih Tzu",
+ "id": "shih-tzu",
+ "size": "Small",
+ "origin": "China",
+ "lifespan": "10-18 years",
+ "temperament": [
+ "Affectionate",
+ "Playful",
+ "Outgoing"
+ ]
+ },
+ {
+ "breed": "Boston Terrier",
+ "id": "boston-terrier",
+ "size": "Small",
+ "origin": "United States",
+ "lifespan": "11-13 years",
+ "temperament": [
+ "Friendly",
+ "Lively",
+ "Intelligent"
+ ]
+ },
+ {
+ "breed": "Bernese Mountain Dog",
+ "id": "bernese-mountain-dog",
+ "size": "Large",
+ "origin": "Switzerland",
+ "lifespan": "7-10 years",
+ "temperament": [
+ "Good-natured",
+ "Calm",
+ "Strong"
+ ]
+ },
+ {
+ "breed": "Pomeranian",
+ "id": "pomeranian",
+ "size": "Toy",
+ "origin": "Germany",
+ "lifespan": "12-16 years",
+ "temperament": [
+ "Lively",
+ "Bold",
+ "Inquisitive"
+ ]
+ },
+ {
+ "breed": "Havanese",
+ "id": "havanese",
+ "size": "Small",
+ "origin": "Cuba",
+ "lifespan": "14-16 years",
+ "temperament": [
+ "Playful",
+ "Intelligent",
+ "Outgoing"
+ ]
+ },
+ {
+ "breed": "English Springer Spaniel",
+ "id": "english-springer-spaniel",
+ "size": "Medium",
+ "origin": "England",
+ "lifespan": "12-14 years",
+ "temperament": [
+ "Friendly",
+ "Playful",
+ "Obedient"
+ ]
+ },
+ {
+ "breed": "Shetland Sheepdog",
+ "id": "shetland-sheepdog",
+ "size": "Small",
+ "origin": "Scotland",
+ "lifespan": "12-14 years",
+ "temperament": [
+ "Playful",
+ "Energetic",
+ "Intelligent"
+ ]
+ }
+]
diff --git a/packages/astro/test/fixtures/content-layer/src/data/glob-data/index.json b/packages/astro/test/fixtures/content-layer/src/data/glob-data/index.json
new file mode 100644
index 0000000000..efc60137d6
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/data/glob-data/index.json
@@ -0,0 +1,3 @@
+{
+ "title": "One"
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/data/glob-data/one.json b/packages/astro/test/fixtures/content-layer/src/data/glob-data/one.json
new file mode 100644
index 0000000000..efc60137d6
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/data/glob-data/one.json
@@ -0,0 +1,3 @@
+{
+ "title": "One"
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/data/glob-data/three.json b/packages/astro/test/fixtures/content-layer/src/data/glob-data/three.json
new file mode 100644
index 0000000000..7d028e937a
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/data/glob-data/three.json
@@ -0,0 +1,3 @@
+{
+ "title": "Three"
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/data/glob-data/two.json b/packages/astro/test/fixtures/content-layer/src/data/glob-data/two.json
new file mode 100644
index 0000000000..1a8215509b
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/data/glob-data/two.json
@@ -0,0 +1,3 @@
+{
+ "title": "Two"
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/loaders/post-loader.ts b/packages/astro/test/fixtures/content-layer/src/loaders/post-loader.ts
new file mode 100644
index 0000000000..b03c144222
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/loaders/post-loader.ts
@@ -0,0 +1,45 @@
+import { z } from 'astro:content';
+import type { Loader } from "astro/loaders"
+
+export interface PostLoaderConfig {
+ url: string;
+}
+
+export function loader(config:PostLoaderConfig): Loader {
+ return {
+ name: "post-loader",
+ load: async ({
+ store, meta, logger
+ }) => {
+ logger.info('Loading posts');
+
+ const lastSynced = meta.get('lastSynced');
+
+ // Don't sync more than once a minute
+ if (lastSynced && (Date.now() - Number(lastSynced) < 1000 * 60)) {
+ logger.info('Skipping sync');
+ return;
+ }
+
+ const posts = await fetch(config.url)
+ .then((res) => res.json());
+
+ store.clear();
+
+ for (const data of posts) {
+ store.set({id: data.id, data});
+ }
+ meta.set('lastSynced', String(Date.now()));
+ },
+ schema: async () => {
+ // Simulate a delay
+ await new Promise((resolve) => setTimeout(resolve, 1000));
+ return z.object({
+ title: z.string(),
+ body: z.string(),
+ userId: z.number(),
+ id: z.number(),
+ });
+ }
+ };
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/pages/blog/[id].astro b/packages/astro/test/fixtures/content-layer/src/pages/blog/[id].astro
new file mode 100644
index 0000000000..850833907b
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/pages/blog/[id].astro
@@ -0,0 +1,29 @@
+---
+import type { GetStaticPaths } from "astro";
+import { getCollection } from "astro:content"
+export const getStaticPaths = (async () => {
+ const collection = await getCollection("blog");
+ if(!collection) return []
+ return collection.map((post) => ({
+ params: {
+ id: post.id
+ },
+ props: {
+ post: post.data
+ }
+ }));
+}) satisfies GetStaticPaths;
+
+interface Props {
+ post: {
+ title: string;
+ body: string;
+ }
+}
+
+const { post } = Astro.props
+
+---
+
+{post.title}
+{post.body}
diff --git a/packages/astro/test/fixtures/content-layer/src/pages/collections.json.js b/packages/astro/test/fixtures/content-layer/src/pages/collections.json.js
new file mode 100644
index 0000000000..f637bf80d0
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/pages/collections.json.js
@@ -0,0 +1,30 @@
+import { getCollection, getEntry } from 'astro:content';
+import * as devalue from 'devalue';
+
+export async function GET() {
+ const customLoader = await getCollection('blog', (entry) => {
+ return entry.data.id < 6;
+ });
+ const fileLoader = await getCollection('dogs');
+
+ const dataEntry = await getEntry('dogs', 'beagle');
+
+ const simpleLoader = await getCollection('cats');
+
+ const entryWithReference = await getEntry('spacecraft', 'columbia-copy');
+ const referencedEntry = await getEntry(entryWithReference.data.cat);
+
+ const increment = await getEntry('increment', 'value');
+
+ return new Response(
+ devalue.stringify({
+ customLoader,
+ fileLoader,
+ dataEntry,
+ simpleLoader,
+ entryWithReference,
+ referencedEntry,
+ increment,
+ })
+ );
+}
diff --git a/packages/astro/test/fixtures/content-layer/src/pages/dogs/[slug].astro b/packages/astro/test/fixtures/content-layer/src/pages/dogs/[slug].astro
new file mode 100644
index 0000000000..977ae6efa1
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/pages/dogs/[slug].astro
@@ -0,0 +1,40 @@
+---
+import type { GetStaticPaths } from "astro";
+import { getCollection } from "astro:content"
+export const getStaticPaths = (async () => {
+ const collection = await getCollection("dogs");
+ if(!collection) return []
+ return collection.map((dog) => ({
+ params: {
+ slug: dog.id
+ },
+ props: {
+ dog: dog.data
+ }
+ }));
+}) satisfies GetStaticPaths;
+
+
+interface Props {
+ dog: {
+ breed: string;
+ id: string;
+ size: string;
+ origin: string;
+ lifespan: string;
+ temperament: string[];
+ }
+}
+
+const { dog } = Astro.props
+
+
+---
+
+{dog.breed}
+
+Size: {dog.size}
+Origin: {dog.origin}
+Lifespan: {dog.lifespan}
+Temperament: {dog.temperament.join(", ")}
+
diff --git a/packages/astro/test/fixtures/content-layer/src/pages/index.astro b/packages/astro/test/fixtures/content-layer/src/pages/index.astro
new file mode 100644
index 0000000000..dbd18118a0
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/pages/index.astro
@@ -0,0 +1,33 @@
+---
+import { getCollection, getEntry } from 'astro:content';
+
+const blog = await getCollection('blog');
+const first = await getEntry('blog', 1);
+const dogs = await getCollection('dogs');
+const increment = await getEntry('increment', 'value');
+---
+
+
+ Index
+
+
+ Last updated: {increment.data.lastUpdated.toLocaleTimeString()}
+
+ Dogs
+
+ Blog Posts
+
+ {first.data.title}
+
+
+
+
+
diff --git a/packages/astro/test/fixtures/content-layer/src/pages/spacecraft/[slug].astro b/packages/astro/test/fixtures/content-layer/src/pages/spacecraft/[slug].astro
new file mode 100644
index 0000000000..80314606f9
--- /dev/null
+++ b/packages/astro/test/fixtures/content-layer/src/pages/spacecraft/[slug].astro
@@ -0,0 +1,35 @@
+---
+import type { GetStaticPaths } from "astro";
+import { getCollection, getEntry, render } from "astro:content"
+import { Image } from "astro:assets"
+
+export const getStaticPaths = (async () => {
+ const collection = await getCollection("spacecraft");
+ if(!collection) return []
+ return collection.map((craft) => ({
+ params: {
+ slug: `/${craft.id}`
+ },
+ props: {
+ craft
+ }
+ }));
+}) satisfies GetStaticPaths;
+
+
+
+
+const { craft } = Astro.props as any
+
+let cat = craft.data.cat ? await getEntry(craft.data.cat) : undefined
+const { Content, headings } = await render(craft)
+
+---
+
+{craft.data.title}
+
+{cat? 🐈: {cat.data.breed}
: undefined}
+{craft.data.heroImage ? : undefined}
+
diff --git a/packages/astro/test/fixtures/fetch/package.json b/packages/astro/test/fixtures/fetch/package.json
index 28c5aa1e08..0a653cbeba 100644
--- a/packages/astro/test/fixtures/fetch/package.json
+++ b/packages/astro/test/fixtures/fetch/package.json
@@ -9,6 +9,6 @@
"astro": "workspace:*",
"preact": "^10.23.1",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/jsx/package.json b/packages/astro/test/fixtures/jsx/package.json
index c5c2e7ae18..7a4e886dfd 100644
--- a/packages/astro/test/fixtures/jsx/package.json
+++ b/packages/astro/test/fixtures/jsx/package.json
@@ -15,8 +15,8 @@
"preact": "^10.23.1",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "solid-js": "^1.8.19",
+ "solid-js": "^1.8.20",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/large-array/package.json b/packages/astro/test/fixtures/large-array/package.json
index 639b2d5914..205a04f7a6 100644
--- a/packages/astro/test/fixtures/large-array/package.json
+++ b/packages/astro/test/fixtures/large-array/package.json
@@ -5,6 +5,6 @@
"dependencies": {
"@astrojs/solid-js": "workspace:*",
"astro": "workspace:*",
- "solid-js": "^1.8.19"
+ "solid-js": "^1.8.20"
}
}
diff --git a/packages/astro/test/fixtures/lit-element/package.json b/packages/astro/test/fixtures/lit-element/package.json
index 8efd1a8df1..fdfb79ab76 100644
--- a/packages/astro/test/fixtures/lit-element/package.json
+++ b/packages/astro/test/fixtures/lit-element/package.json
@@ -6,6 +6,6 @@
"@astrojs/lit": "workspace:*",
"@webcomponents/template-shadowroot": "^0.2.1",
"astro": "workspace:*",
- "lit": "^3.1.4"
+ "lit": "^3.2.0"
}
}
diff --git a/packages/astro/test/fixtures/postcss/package.json b/packages/astro/test/fixtures/postcss/package.json
index dbad23c0bc..c16d50ecce 100644
--- a/packages/astro/test/fixtures/postcss/package.json
+++ b/packages/astro/test/fixtures/postcss/package.json
@@ -8,10 +8,10 @@
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
"autoprefixer": "^10.4.20",
- "postcss": "^8.4.40",
- "solid-js": "^1.8.19",
+ "postcss": "^8.4.41",
+ "solid-js": "^1.8.20",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
},
"devDependencies": {
"postcss-preset-env": "^10.0.0"
diff --git a/packages/astro/test/fixtures/react-and-solid/package.json b/packages/astro/test/fixtures/react-and-solid/package.json
index e5f41dfaa8..e06c83ea3b 100644
--- a/packages/astro/test/fixtures/react-and-solid/package.json
+++ b/packages/astro/test/fixtures/react-and-solid/package.json
@@ -7,6 +7,6 @@
"astro": "workspace:*",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "solid-js": "^1.8.19"
+ "solid-js": "^1.8.20"
}
}
diff --git a/packages/astro/test/fixtures/slots-solid/package.json b/packages/astro/test/fixtures/slots-solid/package.json
index 9b39b9842a..bdc6f24dbb 100644
--- a/packages/astro/test/fixtures/slots-solid/package.json
+++ b/packages/astro/test/fixtures/slots-solid/package.json
@@ -6,6 +6,6 @@
"@astrojs/mdx": "workspace:*",
"@astrojs/solid-js": "workspace:*",
"astro": "workspace:*",
- "solid-js": "^1.8.19"
+ "solid-js": "^1.8.20"
}
}
diff --git a/packages/astro/test/fixtures/slots-vue/package.json b/packages/astro/test/fixtures/slots-vue/package.json
index 34b0d6f106..7c46eae4ec 100644
--- a/packages/astro/test/fixtures/slots-vue/package.json
+++ b/packages/astro/test/fixtures/slots-vue/package.json
@@ -6,6 +6,6 @@
"@astrojs/mdx": "workspace:*",
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/solid-component/deps/solid-jsx-component/package.json b/packages/astro/test/fixtures/solid-component/deps/solid-jsx-component/package.json
index df053cdaf7..2a11dfce57 100644
--- a/packages/astro/test/fixtures/solid-component/deps/solid-jsx-component/package.json
+++ b/packages/astro/test/fixtures/solid-component/deps/solid-jsx-component/package.json
@@ -10,6 +10,6 @@
}
},
"dependencies": {
- "solid-js": "^1.8.19"
+ "solid-js": "^1.8.20"
}
}
diff --git a/packages/astro/test/fixtures/solid-component/package.json b/packages/astro/test/fixtures/solid-component/package.json
index 2aa033e63b..2a18ae16f2 100644
--- a/packages/astro/test/fixtures/solid-component/package.json
+++ b/packages/astro/test/fixtures/solid-component/package.json
@@ -7,6 +7,6 @@
"@solidjs/router": "^0.14.1",
"@test/solid-jsx-component": "file:./deps/solid-jsx-component",
"astro": "workspace:*",
- "solid-js": "^1.8.19"
+ "solid-js": "^1.8.20"
}
}
diff --git a/packages/astro/test/fixtures/tailwindcss-ts/package.json b/packages/astro/test/fixtures/tailwindcss-ts/package.json
index 0fe04c2b79..aa7aa14f5c 100644
--- a/packages/astro/test/fixtures/tailwindcss-ts/package.json
+++ b/packages/astro/test/fixtures/tailwindcss-ts/package.json
@@ -5,7 +5,7 @@
"dependencies": {
"@astrojs/tailwind": "workspace:*",
"astro": "workspace:*",
- "postcss": "^8.4.40",
- "tailwindcss": "^3.4.7"
+ "postcss": "^8.4.41",
+ "tailwindcss": "^3.4.9"
}
}
diff --git a/packages/astro/test/fixtures/tailwindcss/package.json b/packages/astro/test/fixtures/tailwindcss/package.json
index 58045c9453..3c6cb2b314 100644
--- a/packages/astro/test/fixtures/tailwindcss/package.json
+++ b/packages/astro/test/fixtures/tailwindcss/package.json
@@ -7,7 +7,7 @@
"@astrojs/tailwind": "workspace:*",
"astro": "workspace:*",
"autoprefixer": "^10.4.20",
- "postcss": "^8.4.40",
- "tailwindcss": "^3.4.7"
+ "postcss": "^8.4.41",
+ "tailwindcss": "^3.4.9"
}
}
diff --git a/packages/astro/test/fixtures/vue-component/package.json b/packages/astro/test/fixtures/vue-component/package.json
index a14cc9ea36..43eb591982 100644
--- a/packages/astro/test/fixtures/vue-component/package.json
+++ b/packages/astro/test/fixtures/vue-component/package.json
@@ -5,6 +5,6 @@
"dependencies": {
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/vue-jsx/package.json b/packages/astro/test/fixtures/vue-jsx/package.json
index a6b83979fa..3d0718433c 100644
--- a/packages/astro/test/fixtures/vue-jsx/package.json
+++ b/packages/astro/test/fixtures/vue-jsx/package.json
@@ -5,6 +5,6 @@
"dependencies": {
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/fixtures/vue-with-multi-renderer/package.json b/packages/astro/test/fixtures/vue-with-multi-renderer/package.json
index 4de4caa6e7..2b9ca8af44 100644
--- a/packages/astro/test/fixtures/vue-with-multi-renderer/package.json
+++ b/packages/astro/test/fixtures/vue-with-multi-renderer/package.json
@@ -7,6 +7,6 @@
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
"svelte": "^4.2.18",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/astro/test/server-islands.test.js b/packages/astro/test/server-islands.test.js
index 2b784276de..8806f35115 100644
--- a/packages/astro/test/server-islands.test.js
+++ b/packages/astro/test/server-islands.test.js
@@ -82,38 +82,6 @@ describe('Server islands', () => {
const serverIslandScript = $('script[data-island-id]');
assert.equal(serverIslandScript.length, 1, 'has the island script');
});
-
- describe('prod', () => {
- async function fetchIsland() {
- const app = await fixture.loadTestAdapterApp();
- const request = new Request('http://example.com/_server-islands/Island', {
- method: 'POST',
- body: JSON.stringify({
- componentExport: 'default',
- props: {},
- slots: {},
- }),
- });
- return app.render(request);
- }
-
- it('Island returns its HTML', async () => {
- const response = await fetchIsland();
- const html = await response.text();
- const $ = cheerio.load(html);
-
- const serverIslandEl = $('h2#island');
- assert.equal(serverIslandEl.length, 1);
- });
-
- it('Island does not include the doctype', async () => {
- const response = await fetchIsland();
- const html = await response.text();
- console.log(html);
-
- assert.ok(!/doctype/i.test(html), 'html does not include doctype');
- });
- });
});
});
});
diff --git a/packages/astro/test/test-adapter.js b/packages/astro/test/test-adapter.js
index 880b5fe646..8c4643367d 100644
--- a/packages/astro/test/test-adapter.js
+++ b/packages/astro/test/test-adapter.js
@@ -72,7 +72,7 @@ export default function ({
async render(request, { routeData, clientAddress, locals, addCookieHeader } = {}) {
const url = new URL(request.url);
if(this.#manifest.assets.has(url.pathname)) {
- const filePath = new URL('../client/' + this.removeBase(url.pathname), import.meta.url);
+ const filePath = new URL('../../client/' + this.removeBase(url.pathname), import.meta.url);
const data = await fs.promises.readFile(filePath);
return new Response(data);
}
diff --git a/packages/astro/test/test-utils.js b/packages/astro/test/test-utils.js
index 4ed888f970..95edeebd26 100644
--- a/packages/astro/test/test-utils.js
+++ b/packages/astro/test/test-utils.js
@@ -7,6 +7,8 @@ import fastGlob from 'fast-glob';
import stripAnsi from 'strip-ansi';
import { Agent } from 'undici';
import { check } from '../dist/cli/check/index.js';
+import { globalContentLayer } from '../dist/content/content-layer.js';
+import { globalContentConfigObserver } from '../dist/content/utils.js';
import build from '../dist/core/build/index.js';
import { RESOLVED_SPLIT_MODULE_ID } from '../dist/core/build/plugins/plugin-ssr.js';
import { getVirtualModulePageName } from '../dist/core/build/plugins/util.js';
@@ -22,6 +24,7 @@ process.env.ASTRO_TELEMETRY_DISABLED = true;
/**
* @typedef {import('../src/core/dev/dev').DevServer} DevServer
* @typedef {import('../src/@types/astro').AstroInlineConfig & { root?: string | URL }} AstroInlineConfig
+ * @typedef {import('../src/@types/astro').AstroConfig} AstroConfig
* @typedef {import('../src/core/preview/index').PreviewServer} PreviewServer
* @typedef {import('../src/core/app/index').App} App
* @typedef {import('../src/cli/check/index').AstroChecker} AstroChecker
@@ -36,7 +39,7 @@ process.env.ASTRO_TELEMETRY_DISABLED = true;
* @property {(path: string) => Promise} pathExists
* @property {(url: string, opts: Parameters[1]) => Promise} fetch
* @property {(path: string) => Promise} readFile
- * @property {(path: string, updater: (content: string) => string) => Promise} writeFile
+ * @property {(path: string, updater: (content: string) => string) => Promise} editFile
* @property {(path: string) => Promise} readdir
* @property {(pattern: string) => Promise} glob
* @property {typeof dev} startDevServer
@@ -47,6 +50,7 @@ process.env.ASTRO_TELEMETRY_DISABLED = true;
* @property {() => Promise} onNextChange
* @property {typeof check} check
* @property {typeof sync} sync
+ * @property {AstroConfig} config
*
* This function returns an instance of the Check
*
@@ -157,15 +161,22 @@ export async function loadFixture(inlineConfig) {
let devServer;
return {
- build: async (extraInlineConfig = {}) => {
+ build: async (extraInlineConfig = {}, options = {}) => {
+ globalContentLayer.dispose();
+ globalContentConfigObserver.set({ status: 'init' });
process.env.NODE_ENV = 'production';
- return build(mergeConfig(inlineConfig, extraInlineConfig), { teardownCompiler: false });
+ return build(mergeConfig(inlineConfig, extraInlineConfig), {
+ teardownCompiler: false,
+ ...options,
+ });
},
sync,
check: async (opts) => {
return await check(opts);
},
startDevServer: async (extraInlineConfig = {}) => {
+ globalContentLayer.dispose();
+ globalContentConfigObserver.set({ status: 'init' });
process.env.NODE_ENV = 'development';
devServer = await dev(mergeConfig(inlineConfig, extraInlineConfig));
config.server.host = parseAddressToHost(devServer.address.address); // update host
@@ -275,7 +286,7 @@ export async function loadFixture(inlineConfig) {
typeof newContentsOrCallback === 'function'
? newContentsOrCallback(contents)
: newContentsOrCallback;
- const nextChange = onNextChange();
+ const nextChange = devServer ? onNextChange() : Promise.resolve();
await fs.promises.writeFile(fileUrl, newContents);
await nextChange;
return reset;
diff --git a/packages/astro/test/units/actions/form-data-to-object.test.js b/packages/astro/test/units/actions/form-data-to-object.test.js
index 6cce8f3d7d..1369093056 100644
--- a/packages/astro/test/units/actions/form-data-to-object.test.js
+++ b/packages/astro/test/units/actions/form-data-to-object.test.js
@@ -46,15 +46,24 @@ describe('formDataToObject', () => {
it('should handle boolean checks', () => {
const formData = new FormData();
formData.set('isCool', 'yes');
+ formData.set('isTrue', true);
+ formData.set('isFalse', false);
+ formData.set('falseString', 'false');
const input = z.object({
isCool: z.boolean(),
isNotCool: z.boolean(),
+ isTrue: z.boolean(),
+ isFalse: z.boolean(),
+ falseString: z.boolean(),
});
const res = formDataToObject(formData, input);
assert.equal(res.isCool, true);
assert.equal(res.isNotCool, false);
+ assert.equal(res.isTrue, true);
+ assert.equal(res.isFalse, false);
+ assert.equal(res.falseString, false);
});
it('should handle optional values', () => {
@@ -91,6 +100,37 @@ describe('formDataToObject', () => {
assert.equal(res.age, null);
});
+ it('should handle zod default values', () => {
+ const formData = new FormData();
+
+ const input = z.object({
+ name: z.string().default('test'),
+ email: z.string().default('test@test.test'),
+ favoriteNumbers: z.array(z.number()).default([1, 2]),
+ });
+
+ const res = formDataToObject(formData, input);
+ assert.equal(res.name, 'test');
+ assert.equal(res.email, 'test@test.test');
+ assert.deepEqual(res.favoriteNumbers, [1, 2]);
+ });
+
+ it('should handle zod chaining of optional, default, and nullish values', () => {
+ const formData = new FormData();
+ formData.set('email', 'test@test.test');
+
+ const input = z.object({
+ name: z.string().default('test').optional(),
+ email: z.string().optional().nullish(),
+ favoriteNumbers: z.array(z.number()).default([1, 2]).nullish().optional(),
+ });
+
+ const res = formDataToObject(formData, input);
+ assert.equal(res.name, 'test');
+ assert.equal(res.email, 'test@test.test');
+ assert.deepEqual(res.favoriteNumbers, [1, 2]);
+ });
+
it('should handle File objects', () => {
const formData = new FormData();
formData.set('file', new File([''], 'test.txt'));
@@ -135,4 +175,21 @@ describe('formDataToObject', () => {
assert.ok(Array.isArray(res.age), 'age is not an array');
assert.deepEqual(res.age.sort(), [25, 30, 35]);
});
+
+ it('should handle an array of File objects', () => {
+ const formData = new FormData();
+ const file1 = new File([''], 'test1.txt');
+ const file2 = new File([''], 'test2.txt');
+ formData.append('files', file1);
+ formData.append('files', file2);
+
+ const input = z.object({
+ files: z.array(z.instanceof(File)),
+ });
+
+ const res = formDataToObject(formData, input);
+
+ assert.equal(res.files instanceof Array, true);
+ assert.deepEqual(res.files, [file1, file2]);
+ });
});
diff --git a/packages/astro/test/units/dev/collections-mixed-content-errors.test.js b/packages/astro/test/units/dev/collections-mixed-content-errors.test.js
index 73ce15377f..3417650fc9 100644
--- a/packages/astro/test/units/dev/collections-mixed-content-errors.test.js
+++ b/packages/astro/test/units/dev/collections-mixed-content-errors.test.js
@@ -8,13 +8,15 @@ const root = new URL('../../fixtures/content-mixed-errors/', import.meta.url);
async function sync({ fs }) {
try {
- await _sync({
- inlineConfig: {
+ await _sync(
+ {
root: fileURLToPath(root),
logLevel: 'silent',
},
- fs,
- });
+ {
+ fs,
+ },
+ );
return 0;
} catch (_) {
return 1;
@@ -121,11 +123,7 @@ title: Post
root,
);
- try {
- const res = await sync({ fs });
- assert.equal(res, 0);
- } catch (e) {
- assert.fail(`Did not expect sync to throw: ${e.message}`);
- }
+ const res = await sync({ fs });
+ assert.equal(res, 0);
});
});
diff --git a/packages/astro/test/units/dev/restart.test.js b/packages/astro/test/units/dev/restart.test.js
index a09bfce98c..339b95fc1a 100644
--- a/packages/astro/test/units/dev/restart.test.js
+++ b/packages/astro/test/units/dev/restart.test.js
@@ -194,4 +194,31 @@ describe('dev container restarts', () => {
await restart.container.close();
}
});
+
+ it('Is able to restart project on .astro/settings.json changes', async () => {
+ const fs = createFs(
+ {
+ '/src/pages/index.astro': ``,
+ '/.astro/settings.json': `{}`,
+ },
+ root,
+ );
+
+ const restart = await createContainerWithAutomaticRestart({
+ fs,
+ inlineConfig: { root: fileURLToPath(root), logLevel: 'silent' },
+ });
+ await startContainer(restart.container);
+ assert.equal(isStarted(restart.container), true);
+
+ try {
+ let restartComplete = restart.restarted();
+ fs.mkdirSync('/.astro/', { recursive: true });
+ fs.writeFileSync('/.astro/settings.json', `{ }`);
+ triggerFSEvent(restart.container, fs, '/.astro/settings.json', 'change');
+ await restartComplete;
+ } finally {
+ await restart.container.close();
+ }
+ });
});
diff --git a/packages/astro/test/units/integrations/api.test.js b/packages/astro/test/units/integrations/api.test.js
index 960e003fc3..6122ba6408 100644
--- a/packages/astro/test/units/integrations/api.test.js
+++ b/packages/astro/test/units/integrations/api.test.js
@@ -1,7 +1,11 @@
import * as assert from 'node:assert/strict';
import { describe, it } from 'node:test';
import { validateSupportedFeatures } from '../../../dist/integrations/features-validation.js';
-import { runHookBuildSetup, runHookConfigSetup } from '../../../dist/integrations/hooks.js';
+import {
+ normalizeInjectedTypeFilename,
+ runHookBuildSetup,
+ runHookConfigSetup,
+} from '../../../dist/integrations/hooks.js';
import { defaultLogger } from '../test-utils.js';
describe('Integration API', () => {
@@ -311,3 +315,20 @@ describe('Astro feature map', function () {
});
});
});
+
+describe('normalizeInjectedTypeFilename', () => {
+ // invalid filename
+ assert.throws(() => normalizeInjectedTypeFilename('types', 'integration'));
+ // valid filename
+ assert.doesNotThrow(() => normalizeInjectedTypeFilename('types.d.ts', 'integration'));
+ // filename normalization
+ assert.equal(
+ normalizeInjectedTypeFilename('aA1-*/_"~.d.ts', 'integration'),
+ './integrations/integration/aA1-_____.d.ts',
+ );
+ // integration name normalization
+ assert.equal(
+ normalizeInjectedTypeFilename('types.d.ts', 'aA1-*/_"~.'),
+ './integrations/aA1-_____./types.d.ts',
+ );
+});
diff --git a/packages/astro/types/content.d.ts b/packages/astro/types/content.d.ts
index 18ddf2c8ca..1715a30a42 100644
--- a/packages/astro/types/content.d.ts
+++ b/packages/astro/types/content.d.ts
@@ -20,6 +20,31 @@ declare module 'astro:content' {
>;
}>;
+ export interface DataEntry {
+ id: string;
+ data: Record;
+ filePath?: string;
+ body?: string;
+ }
+
+ export interface DataStore {
+ get: (key: string) => DataEntry;
+ entries: () => Array<[id: string, DataEntry]>;
+ set: (key: string, data: Record, body?: string, filePath?: string) => void;
+ values: () => Array;
+ keys: () => Array;
+ delete: (key: string) => void;
+ clear: () => void;
+ has: (key: string) => boolean;
+ }
+
+ export interface MetaStore {
+ get: (key: string) => string | undefined;
+ set: (key: string, value: string) => void;
+ delete: (key: string) => void;
+ has: (key: string) => boolean;
+ }
+
type BaseSchemaWithoutEffects =
| import('astro/zod').AnyZodObject
| import('astro/zod').ZodUnion<[BaseSchemaWithoutEffects, ...BaseSchemaWithoutEffects[]]>
@@ -32,6 +57,12 @@ declare module 'astro:content' {
export type SchemaContext = { image: ImageFunction };
+ type ContentLayerConfig = {
+ type?: 'content_layer';
+ schema?: S | ((context: SchemaContext) => S);
+ loader: import('astro/loaders').Loader | (() => Array | Promise>);
+ };
+
type DataCollectionConfig = {
type: 'data';
schema?: S | ((context: SchemaContext) => S);
@@ -40,11 +71,13 @@ declare module 'astro:content' {
type ContentCollectionConfig = {
type?: 'content';
schema?: S | ((context: SchemaContext) => S);
+ loader?: never;
};
export type CollectionConfig =
| ContentCollectionConfig
- | DataCollectionConfig;
+ | DataCollectionConfig
+ | ContentLayerConfig;
export function defineCollection(
input: CollectionConfig,
diff --git a/packages/create-astro/src/actions/context.ts b/packages/create-astro/src/actions/context.ts
index 83a13eda7c..bf1b522bd3 100644
--- a/packages/create-astro/src/actions/context.ts
+++ b/packages/create-astro/src/actions/context.ts
@@ -1,7 +1,7 @@
import os from 'node:os';
+import { parseArgs } from 'node:util';
import { type Task, prompt } from '@astrojs/cli-kit';
import { random } from '@astrojs/cli-kit/utils';
-import arg from 'arg';
import getSeasonalData from '../data/seasonal.js';
import { getName, getVersion } from '../messages.js';
@@ -33,47 +33,44 @@ export interface Context {
}
export async function getContext(argv: string[]): Promise {
- const flags = arg(
- {
- '--template': String,
- '--ref': String,
- '--yes': Boolean,
- '--no': Boolean,
- '--install': Boolean,
- '--no-install': Boolean,
- '--git': Boolean,
- '--no-git': Boolean,
- '--typescript': String,
- '--skip-houston': Boolean,
- '--dry-run': Boolean,
- '--help': Boolean,
- '--fancy': Boolean,
-
- '-y': '--yes',
- '-n': '--no',
- '-h': '--help',
+ const args = parseArgs({
+ args: argv,
+ allowPositionals: true,
+ strict: false,
+ options: {
+ template: { type: 'string' },
+ ref: { type: 'string' },
+ yes: { type: 'boolean', short: 'y' },
+ no: { type: 'boolean', short: 'n' },
+ install: { type: 'boolean' },
+ 'no-install': { type: 'boolean' },
+ git: { type: 'boolean' },
+ 'no-git': { type: 'boolean' },
+ typescript: { type: 'string' },
+ 'skip-houston': { type: 'boolean' },
+ 'dry-run': { type: 'boolean' },
+ help: { type: 'boolean', short: 'h' },
+ fancy: { type: 'boolean' },
},
- { argv, permissive: true },
- );
+ });
const packageManager = detectPackageManager() ?? 'npm';
- let cwd = flags['_'][0];
+ const projectName = args.positionals[0];
let {
- '--help': help = false,
- '--template': template,
- '--no': no,
- '--yes': yes,
- '--install': install,
- '--no-install': noInstall,
- '--git': git,
- '--no-git': noGit,
- '--typescript': typescript,
- '--fancy': fancy,
- '--skip-houston': skipHouston,
- '--dry-run': dryRun,
- '--ref': ref,
- } = flags;
- let projectName = cwd;
+ help,
+ template,
+ no,
+ yes,
+ install,
+ 'no-install': noInstall,
+ git,
+ 'no-git': noGit,
+ typescript,
+ fancy,
+ 'skip-houston': skipHouston,
+ 'dry-run': dryRun,
+ ref,
+ } = args.values;
if (no) {
yes = false;
@@ -82,10 +79,26 @@ export async function getContext(argv: string[]): Promise {
if (typescript == undefined) typescript = 'strict';
}
+ skipHouston = typeof skipHouston == 'boolean' ? skipHouston : undefined;
skipHouston =
((os.platform() === 'win32' && !fancy) || skipHouston) ??
[yes, no, install, git, typescript].some((v) => v !== undefined);
+ // We use `strict: false` in `parseArgs` to allow unknown options, but Node also
+ // simply doesn't guarantee the types anymore, so we need to validate ourselves :(
+ help = !!help;
+ template = typeof template == 'string' ? template : undefined;
+ no = !!no;
+ yes = !!yes;
+ install = !!install;
+ noInstall = !!noInstall;
+ git = !!git;
+ noGit = !!noGit;
+ typescript = typeof typescript == 'string' ? typescript : undefined;
+ fancy = !!fancy;
+ dryRun = !!dryRun;
+ ref = typeof ref == 'string' ? ref : undefined;
+
const { messages, hats, ties } = getSeasonalData({ fancy });
const context: Context = {
@@ -107,7 +120,7 @@ export async function getContext(argv: string[]): Promise {
install: install ?? (noInstall ? false : undefined),
git: git ?? (noGit ? false : undefined),
typescript,
- cwd,
+ cwd: projectName,
exit(code) {
process.exit(code);
},
diff --git a/packages/db/package.json b/packages/db/package.json
index 10b9223536..6dd5d58238 100644
--- a/packages/db/package.json
+++ b/packages/db/package.json
@@ -70,7 +70,7 @@
},
"dependencies": {
"@astrojs/studio": "workspace:*",
- "@libsql/client": "^0.8.1",
+ "@libsql/client": "^0.9.0",
"async-listen": "^3.0.1",
"deep-diff": "^1.0.2",
"drizzle-orm": "^0.31.2",
@@ -81,17 +81,15 @@
"ora": "^8.0.1",
"prompts": "^2.4.2",
"strip-ansi": "^7.1.0",
- "yargs-parser": "^21.1.1",
"zod": "^3.23.8"
},
"devDependencies": {
"@types/deep-diff": "^1.0.5",
"@types/prompts": "^2.4.9",
- "@types/yargs-parser": "^21.0.3",
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
+ "cheerio": "1.0.0",
"typescript": "^5.5.4",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
}
}
diff --git a/packages/db/src/core/cli/commands/execute/index.ts b/packages/db/src/core/cli/commands/execute/index.ts
index c6c11cdbb6..03b3d00add 100644
--- a/packages/db/src/core/cli/commands/execute/index.ts
+++ b/packages/db/src/core/cli/commands/execute/index.ts
@@ -3,7 +3,6 @@ import { getManagedAppTokenOrExit } from '@astrojs/studio';
import { LibsqlError } from '@libsql/client';
import type { AstroConfig } from 'astro';
import { green } from 'kleur/colors';
-import type { Arguments } from 'yargs-parser';
import {
EXEC_DEFAULT_EXPORT_ERROR,
EXEC_ERROR,
@@ -16,6 +15,7 @@ import {
} from '../../../integration/vite-plugin-db.js';
import { bundleFile, importBundledFile } from '../../../load-file.js';
import type { DBConfig } from '../../../types.js';
+import type { YargsArguments } from '../../types.js';
export async function cmd({
astroConfig,
@@ -24,7 +24,7 @@ export async function cmd({
}: {
astroConfig: AstroConfig;
dbConfig: DBConfig;
- flags: Arguments;
+ flags: YargsArguments;
}) {
const filePath = flags._[4];
if (typeof filePath !== 'string') {
diff --git a/packages/db/src/core/cli/commands/login/index.ts b/packages/db/src/core/cli/commands/login/index.ts
index 61f7e0275b..251d61e054 100644
--- a/packages/db/src/core/cli/commands/login/index.ts
+++ b/packages/db/src/core/cli/commands/login/index.ts
@@ -7,8 +7,8 @@ import { cyan } from 'kleur/colors';
import open from 'open';
import ora from 'ora';
import prompt from 'prompts';
-import type { Arguments } from 'yargs-parser';
import type { DBConfig } from '../../../types.js';
+import type { YargsArguments } from '../../types.js';
const isWebContainer =
// Stackblitz heuristic
@@ -21,7 +21,7 @@ export async function cmd({
}: {
astroConfig: AstroConfig;
dbConfig: DBConfig;
- flags: Arguments;
+ flags: YargsArguments;
}) {
let session = flags.session;
diff --git a/packages/db/src/core/cli/commands/push/index.ts b/packages/db/src/core/cli/commands/push/index.ts
index ecd101ecea..237f7f6ea2 100644
--- a/packages/db/src/core/cli/commands/push/index.ts
+++ b/packages/db/src/core/cli/commands/push/index.ts
@@ -1,7 +1,6 @@
import { getManagedAppTokenOrExit } from '@astrojs/studio';
import type { AstroConfig } from 'astro';
import prompts from 'prompts';
-import type { Arguments } from 'yargs-parser';
import { safeFetch } from '../../../../runtime/utils.js';
import { MIGRATION_VERSION } from '../../../consts.js';
import { type DBConfig, type DBSnapshot } from '../../../types.js';
@@ -13,6 +12,7 @@ import {
getMigrationQueries,
getProductionCurrentSnapshot,
} from '../../migration-queries.js';
+import type { YargsArguments } from '../../types.js';
export async function cmd({
dbConfig,
@@ -20,7 +20,7 @@ export async function cmd({
}: {
astroConfig: AstroConfig;
dbConfig: DBConfig;
- flags: Arguments;
+ flags: YargsArguments;
}) {
const isDryRun = flags.dryRun;
const isForceReset = flags.forceReset;
diff --git a/packages/db/src/core/cli/commands/shell/index.ts b/packages/db/src/core/cli/commands/shell/index.ts
index e0a1a6086c..5a6bcaa53d 100644
--- a/packages/db/src/core/cli/commands/shell/index.ts
+++ b/packages/db/src/core/cli/commands/shell/index.ts
@@ -1,7 +1,6 @@
import { getManagedAppTokenOrExit } from '@astrojs/studio';
import type { AstroConfig } from 'astro';
import { sql } from 'drizzle-orm';
-import type { Arguments } from 'yargs-parser';
import {
createLocalDatabaseClient,
createRemoteDatabaseClient,
@@ -11,6 +10,7 @@ import { DB_PATH } from '../../../consts.js';
import { SHELL_QUERY_MISSING_ERROR } from '../../../errors.js';
import type { DBConfigInput } from '../../../types.js';
import { getAstroEnv, getRemoteDatabaseUrl } from '../../../utils.js';
+import type { YargsArguments } from '../../types.js';
export async function cmd({
flags,
@@ -18,7 +18,7 @@ export async function cmd({
}: {
dbConfig: DBConfigInput;
astroConfig: AstroConfig;
- flags: Arguments;
+ flags: YargsArguments;
}) {
const query = flags.query;
if (!query) {
diff --git a/packages/db/src/core/cli/commands/verify/index.ts b/packages/db/src/core/cli/commands/verify/index.ts
index 950fb66156..081c8ae3f8 100644
--- a/packages/db/src/core/cli/commands/verify/index.ts
+++ b/packages/db/src/core/cli/commands/verify/index.ts
@@ -1,6 +1,5 @@
import { getManagedAppTokenOrExit } from '@astrojs/studio';
import type { AstroConfig } from 'astro';
-import type { Arguments } from 'yargs-parser';
import type { DBConfig } from '../../../types.js';
import {
createCurrentSnapshot,
@@ -9,6 +8,7 @@ import {
getMigrationQueries,
getProductionCurrentSnapshot,
} from '../../migration-queries.js';
+import type { YargsArguments } from '../../types.js';
export async function cmd({
dbConfig,
@@ -16,7 +16,7 @@ export async function cmd({
}: {
astroConfig: AstroConfig;
dbConfig: DBConfig;
- flags: Arguments;
+ flags: YargsArguments;
}) {
const isJson = flags.json;
const appToken = await getManagedAppTokenOrExit(flags.token);
diff --git a/packages/db/src/core/cli/index.ts b/packages/db/src/core/cli/index.ts
index 531b016a6b..5d9aa10e97 100644
--- a/packages/db/src/core/cli/index.ts
+++ b/packages/db/src/core/cli/index.ts
@@ -1,13 +1,13 @@
import type { AstroConfig } from 'astro';
-import type { Arguments } from 'yargs-parser';
import { resolveDbConfig } from '../load-file.js';
import { printHelp } from './print-help.js';
+import type { YargsArguments } from './types.js';
export async function cli({
flags,
config: astroConfig,
}: {
- flags: Arguments;
+ flags: YargsArguments;
config: AstroConfig;
}) {
const args = flags._ as string[];
diff --git a/packages/db/src/core/cli/types.ts b/packages/db/src/core/cli/types.ts
new file mode 100644
index 0000000000..9d8aad56b7
--- /dev/null
+++ b/packages/db/src/core/cli/types.ts
@@ -0,0 +1,7 @@
+// Copy of `yargs-parser` `Arguments` type. We don't use `yargs-parser`
+// in runtime anymore, but our exposed API still relies on this shape.
+export interface YargsArguments {
+ _: Array;
+ '--'?: Array;
+ [argName: string]: any;
+}
diff --git a/packages/db/src/core/integration/index.ts b/packages/db/src/core/integration/index.ts
index 19c712c802..68439cfb95 100644
--- a/packages/db/src/core/integration/index.ts
+++ b/packages/db/src/core/integration/index.ts
@@ -1,4 +1,5 @@
import { existsSync } from 'fs';
+import { parseArgs } from 'node:util';
import { dirname } from 'path';
import { fileURLToPath } from 'url';
import { type ManagedAppToken, getManagedAppTokenOrExit } from '@astrojs/studio';
@@ -14,7 +15,6 @@ import {
loadEnv,
mergeConfig,
} from 'vite';
-import parseArgs from 'yargs-parser';
import { AstroDbError } from '../../runtime/utils.js';
import { CONFIG_FILE_NAMES, DB_PATH } from '../consts.js';
import { EXEC_DEFAULT_EXPORT_ERROR, EXEC_ERROR } from '../errors.js';
@@ -22,7 +22,7 @@ import { resolveDbConfig } from '../load-file.js';
import { SEED_DEV_FILE_NAME } from '../queries.js';
import { type VitePlugin, getDbDirectoryUrl } from '../utils.js';
import { fileURLIntegration } from './file-url.js';
-import { typegenInternal } from './typegen.js';
+import { getDtsContent } from './typegen.js';
import {
type LateSeedFiles,
type LateTables,
@@ -30,7 +30,6 @@ import {
resolved,
vitePluginDb,
} from './vite-plugin-db.js';
-import { vitePluginInjectEnvTs } from './vite-plugin-inject-env-ts.js';
function astroDBIntegration(): AstroIntegration {
let connectToStudio = false;
@@ -72,8 +71,8 @@ function astroDBIntegration(): AstroIntegration {
if (command === 'preview') return;
let dbPlugin: VitePlugin | undefined = undefined;
- const args = parseArgs(process.argv.slice(3));
- connectToStudio = process.env.ASTRO_INTERNAL_TEST_REMOTE || args['remote'];
+ const args = parseArgs({ strict: false });
+ connectToStudio = !!process.env.ASTRO_INTERNAL_TEST_REMOTE || !!args.values.remote;
if (connectToStudio) {
appToken = await getManagedAppTokenOrExit();
@@ -102,11 +101,11 @@ function astroDBIntegration(): AstroIntegration {
updateConfig({
vite: {
assetsInclude: [DB_PATH],
- plugins: [dbPlugin, vitePluginInjectEnvTs(config, logger)],
+ plugins: [dbPlugin],
},
});
},
- 'astro:config:done': async ({ config }) => {
+ 'astro:config:done': async ({ config, injectTypes }) => {
if (command === 'preview') return;
// TODO: refine where we load tables
@@ -122,7 +121,10 @@ function astroDBIntegration(): AstroIntegration {
await writeFile(localDbUrl, '');
}
- await typegenInternal({ tables: tables.get() ?? {}, root: config.root });
+ injectTypes({
+ filename: 'db.d.ts',
+ content: getDtsContent(tables.get() ?? {}),
+ });
},
'astro:server:setup': async ({ server, logger }) => {
seedHandler.execute = async (fileUrl) => {
diff --git a/packages/db/src/core/integration/typegen.ts b/packages/db/src/core/integration/typegen.ts
index 725738fc5a..91364b3c3d 100644
--- a/packages/db/src/core/integration/typegen.ts
+++ b/packages/db/src/core/integration/typegen.ts
@@ -1,18 +1,7 @@
-import { existsSync } from 'node:fs';
-import { mkdir, writeFile } from 'node:fs/promises';
-import type { AstroConfig } from 'astro';
-import { DB_TYPES_FILE, RUNTIME_IMPORT } from '../consts.js';
-import { resolveDbConfig } from '../load-file.js';
+import { RUNTIME_IMPORT } from '../consts.js';
import type { DBTable, DBTables } from '../types.js';
-// Exported for use in Astro core CLI
-export async function typegen(astroConfig: Pick) {
- const { dbConfig } = await resolveDbConfig(astroConfig);
-
- await typegenInternal({ tables: dbConfig.tables, root: astroConfig.root });
-}
-
-export async function typegenInternal({ tables, root }: { tables: DBTables; root: URL }) {
+export function getDtsContent(tables: DBTables) {
const content = `// This file is generated by Astro DB
declare module 'astro:db' {
${Object.entries(tables)
@@ -20,14 +9,7 @@ ${Object.entries(tables)
.join('\n')}
}
`;
-
- const dotAstroDir = new URL('.astro/', root);
-
- if (!existsSync(dotAstroDir)) {
- await mkdir(dotAstroDir);
- }
-
- await writeFile(new URL(DB_TYPES_FILE, dotAstroDir), content);
+ return content;
}
function generateTableType(name: string, table: DBTable): string {
diff --git a/packages/db/src/core/integration/vite-plugin-inject-env-ts.ts b/packages/db/src/core/integration/vite-plugin-inject-env-ts.ts
deleted file mode 100644
index 14257d480f..0000000000
--- a/packages/db/src/core/integration/vite-plugin-inject-env-ts.ts
+++ /dev/null
@@ -1,65 +0,0 @@
-import { existsSync } from 'node:fs';
-import { readFile, writeFile } from 'node:fs/promises';
-import path from 'node:path';
-import { fileURLToPath } from 'node:url';
-import type { AstroIntegrationLogger } from 'astro';
-import { bold } from 'kleur/colors';
-import { normalizePath } from 'vite';
-import { DB_TYPES_FILE } from '../consts.js';
-import type { VitePlugin } from '../utils.js';
-
-export function vitePluginInjectEnvTs(
- { srcDir, root }: { srcDir: URL; root: URL },
- logger: AstroIntegrationLogger,
-): VitePlugin {
- return {
- name: 'db-inject-env-ts',
- enforce: 'post',
- async config() {
- await setUpEnvTs({ srcDir, root, logger });
- },
- };
-}
-
-export async function setUpEnvTs({
- srcDir,
- root,
- logger,
-}: {
- srcDir: URL;
- root: URL;
- logger: AstroIntegrationLogger;
-}) {
- const envTsPath = getEnvTsPath({ srcDir });
- const envTsPathRelativetoRoot = normalizePath(
- path.relative(fileURLToPath(root), fileURLToPath(envTsPath)),
- );
-
- if (existsSync(envTsPath)) {
- let typesEnvContents = await readFile(envTsPath, 'utf-8');
- const dotAstroDir = new URL('.astro/', root);
-
- if (!existsSync(dotAstroDir)) return;
-
- const dbTypeReference = getDBTypeReference({ srcDir, dotAstroDir });
-
- if (!typesEnvContents.includes(dbTypeReference)) {
- typesEnvContents = `${dbTypeReference}\n${typesEnvContents}`;
- await writeFile(envTsPath, typesEnvContents, 'utf-8');
- logger.info(`Added ${bold(envTsPathRelativetoRoot)} types`);
- }
- }
-}
-
-function getDBTypeReference({ srcDir, dotAstroDir }: { srcDir: URL; dotAstroDir: URL }) {
- const dbTypesFile = new URL(DB_TYPES_FILE, dotAstroDir);
- const contentTypesRelativeToSrcDir = normalizePath(
- path.relative(fileURLToPath(srcDir), fileURLToPath(dbTypesFile)),
- );
-
- return `/// `;
-}
-
-function getEnvTsPath({ srcDir }: { srcDir: URL }) {
- return new URL('env.d.ts', srcDir);
-}
diff --git a/packages/db/src/index.ts b/packages/db/src/index.ts
index b265071304..f7022a24a2 100644
--- a/packages/db/src/index.ts
+++ b/packages/db/src/index.ts
@@ -1,4 +1,3 @@
export type { TableConfig } from './core/types.js';
export { cli } from './core/cli/index.js';
export { integration as default } from './core/integration/index.js';
-export { typegen } from './core/integration/typegen.js';
diff --git a/packages/db/test/fixtures/ticketing-example/package.json b/packages/db/test/fixtures/ticketing-example/package.json
index c9e1dde343..0bacf2bec9 100644
--- a/packages/db/test/fixtures/ticketing-example/package.json
+++ b/packages/db/test/fixtures/ticketing-example/package.json
@@ -10,10 +10,10 @@
"astro": "astro"
},
"dependencies": {
- "@astrojs/check": "^0.9.1",
+ "@astrojs/check": "^0.9.2",
"@astrojs/db": "workspace:*",
"@astrojs/node": "workspace:*",
- "@astrojs/react": "^3.6.1",
+ "@astrojs/react": "^3.6.2",
"@types/react": "^18.3.3",
"@types/react-dom": "^18.3.0",
"astro": "workspace:*",
diff --git a/packages/integrations/alpinejs/package.json b/packages/integrations/alpinejs/package.json
index c77b2acb7c..344946cf7d 100644
--- a/packages/integrations/alpinejs/package.json
+++ b/packages/integrations/alpinejs/package.json
@@ -38,10 +38,10 @@
"alpinejs": "^3.0.0"
},
"devDependencies": {
- "@playwright/test": "1.45.3",
+ "@playwright/test": "1.46.0",
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
},
"publishConfig": {
"provenance": true
diff --git a/packages/integrations/lit/package.json b/packages/integrations/lit/package.json
index a5c56370a4..6f6bcacb34 100644
--- a/packages/integrations/lit/package.json
+++ b/packages/integrations/lit/package.json
@@ -48,7 +48,7 @@
"dependencies": {
"@lit-labs/ssr": "^3.2.2",
"@lit-labs/ssr-client": "^1.1.7",
- "@lit-labs/ssr-dom-shim": "^1.2.0",
+ "@lit-labs/ssr-dom-shim": "^1.2.1",
"parse5": "^7.1.2"
},
"overrides": {
@@ -59,8 +59,8 @@
"devDependencies": {
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
- "lit": "^3.1.4",
+ "cheerio": "1.0.0",
+ "lit": "^3.2.0",
"sass": "^1.77.8"
},
"peerDependencies": {
diff --git a/packages/integrations/markdoc/package.json b/packages/integrations/markdoc/package.json
index e71327e4d7..8908cb54b1 100644
--- a/packages/integrations/markdoc/package.json
+++ b/packages/integrations/markdoc/package.json
@@ -80,7 +80,7 @@
"astro-scripts": "workspace:*",
"devalue": "^5.0.0",
"linkedom": "^0.18.4",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
},
"engines": {
"node": "^18.17.1 || ^20.3.0 || >=21.0.0"
diff --git a/packages/integrations/mdx/package.json b/packages/integrations/mdx/package.json
index 4934f4f338..e8f9c743a3 100644
--- a/packages/integrations/mdx/package.json
+++ b/packages/integrations/mdx/package.json
@@ -57,7 +57,7 @@
"@types/mdast": "^4.0.4",
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
+ "cheerio": "1.0.0",
"linkedom": "^0.18.4",
"mdast-util-mdx": "^3.0.0",
"mdast-util-mdx-jsx": "^3.1.2",
@@ -70,7 +70,7 @@
"remark-toc": "^9.0.0",
"shiki": "^1.12.1",
"unified": "^11.0.5",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
},
"engines": {
"node": "^18.17.1 || ^20.3.0 || >=21.0.0"
diff --git a/packages/integrations/node/CHANGELOG.md b/packages/integrations/node/CHANGELOG.md
index 1745541680..738cfc3672 100644
--- a/packages/integrations/node/CHANGELOG.md
+++ b/packages/integrations/node/CHANGELOG.md
@@ -1,5 +1,15 @@
# @astrojs/node
+## 8.3.3
+
+### Patch Changes
+
+- [#11535](https://github.com/withastro/astro/pull/11535) [`932bd2e`](https://github.com/withastro/astro/commit/932bd2eb07f1d7cb2c91e7e7d31fe84c919e302b) Thanks [@matthewp](https://github.com/matthewp)! - Move polyfills up before awaiting the env module in the Node.js adapter.
+
+ Previously the env setting was happening before the polyfills were applied. This means that if the Astro env code (or any dependencies) depended on `crypto`, it would not be polyfilled in time.
+
+ Polyfills should be applied ASAP to prevent races. This moves it to the top of the Node adapter.
+
## 8.3.2
### Patch Changes
diff --git a/packages/integrations/node/package.json b/packages/integrations/node/package.json
index 15321c528d..a87f261331 100644
--- a/packages/integrations/node/package.json
+++ b/packages/integrations/node/package.json
@@ -1,7 +1,7 @@
{
"name": "@astrojs/node",
"description": "Deploy your site to a Node.js server",
- "version": "8.3.2",
+ "version": "8.3.3",
"type": "module",
"types": "./dist/index.d.ts",
"author": "withastro",
@@ -45,7 +45,7 @@
"@types/server-destroy": "^1.0.3",
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
+ "cheerio": "1.0.0",
"express": "^4.19.2",
"node-mocks-http": "^1.15.1"
},
diff --git a/packages/integrations/node/src/serve-static.ts b/packages/integrations/node/src/serve-static.ts
index 8256c588ec..725f7afa68 100644
--- a/packages/integrations/node/src/serve-static.ts
+++ b/packages/integrations/node/src/serve-static.ts
@@ -103,7 +103,14 @@ function resolveClientDir(options: Options) {
const clientURLRaw = new URL(options.client);
const serverURLRaw = new URL(options.server);
const rel = path.relative(url.fileURLToPath(serverURLRaw), url.fileURLToPath(clientURLRaw));
- const serverEntryURL = new URL(import.meta.url);
+
+ // walk up the parent folders until you find the one that is the root of the server entry folder. This is how we find the client folder relatively.
+ const serverFolder = path.basename(options.server);
+ let serverEntryFolderURL = path.dirname(import.meta.url);
+ while (!serverEntryFolderURL.endsWith(serverFolder)) {
+ serverEntryFolderURL = path.dirname(serverEntryFolderURL);
+ }
+ const serverEntryURL = serverEntryFolderURL + '/entry.mjs';
const clientURL = new URL(appendForwardSlash(rel), serverEntryURL);
const client = url.fileURLToPath(clientURL);
return client;
diff --git a/packages/integrations/node/src/server.ts b/packages/integrations/node/src/server.ts
index e5b503292d..1bb27e002f 100644
--- a/packages/integrations/node/src/server.ts
+++ b/packages/integrations/node/src/server.ts
@@ -4,6 +4,8 @@ import createMiddleware from './middleware.js';
import { createStandaloneHandler } from './standalone.js';
import startServer from './standalone.js';
import type { Options } from './types.js';
+// This needs to run first because some internals depend on `crypto`
+applyPolyfills();
// Won't throw if the virtual module is not available because it's not supported in
// the users's astro version or if astro:env is not enabled in the project
@@ -11,7 +13,6 @@ await import('astro/env/setup')
.then((mod) => mod.setGetEnv((key) => process.env[key]))
.catch(() => {});
-applyPolyfills();
export function createExports(manifest: SSRManifest, options: Options) {
const app = new NodeApp(manifest);
options.trailingSlash = manifest.trailingSlash;
diff --git a/packages/integrations/node/test/errors.test.js b/packages/integrations/node/test/errors.test.js
index d75155aa53..802fa6e256 100644
--- a/packages/integrations/node/test/errors.test.js
+++ b/packages/integrations/node/test/errors.test.js
@@ -1,5 +1,6 @@
import assert from 'node:assert/strict';
import { after, before, describe, it } from 'node:test';
+import { fileURLToPath } from 'node:url';
import { Worker } from 'node:worker_threads';
import * as cheerio from 'cheerio';
import nodejs from '../dist/index.js';
@@ -29,7 +30,8 @@ describe('Errors', () => {
it('stays alive after offshoot promise rejections', async () => {
// this test needs to happen in a worker because node test runner adds a listener for unhandled rejections in the main thread
- const worker = new Worker('./test/fixtures/errors/dist/server/entry.mjs', {
+ const url = new URL('./fixtures/errors/dist/server/entry.mjs', import.meta.url);
+ const worker = new Worker(fileURLToPath(url), {
type: 'module',
env: { ASTRO_NODE_LOGGING: 'enabled' },
});
diff --git a/packages/integrations/node/test/prerender.test.js b/packages/integrations/node/test/prerender.test.js
index d856d9d3e7..e699a1b3c0 100644
--- a/packages/integrations/node/test/prerender.test.js
+++ b/packages/integrations/node/test/prerender.test.js
@@ -57,6 +57,7 @@ describe('Prerendering', () => {
assert.equal(res.status, 200);
assert.equal($('h1').text(), 'Two');
+ assert.ok(fixture.pathExists('/client/two/index.html'));
});
it('Can render prerendered route with redirect and query params', async () => {
@@ -131,6 +132,7 @@ describe('Prerendering', () => {
assert.equal(res.status, 200);
assert.equal($('h1').text(), 'Two');
+ assert.ok(fixture.pathExists('/client/two/index.html'));
});
it('Can render prerendered route with redirect and query params', async () => {
@@ -152,6 +154,64 @@ describe('Prerendering', () => {
});
});
+ describe('Via integration', () => {
+ before(async () => {
+ process.env.PRERENDER = false;
+ fixture = await loadFixture({
+ root: './fixtures/prerender/',
+ output: 'server',
+ outDir: './dist/via-integration',
+ build: {
+ client: './dist/via-integration/client',
+ server: './dist/via-integration/server',
+ },
+ adapter: nodejs({ mode: 'standalone' }),
+ integrations: [
+ {
+ name: 'test',
+ hooks: {
+ 'astro:route:setup': ({ route }) => {
+ if (route.component.endsWith('two.astro')) {
+ route.prerender = true;
+ }
+ },
+ },
+ },
+ ],
+ });
+ await fixture.build();
+ const { startServer } = await fixture.loadAdapterEntryModule();
+ let res = startServer();
+ server = res.server;
+ await waitServerListen(server.server);
+ });
+
+ after(async () => {
+ await server.stop();
+ await fixture.clean();
+ delete process.env.PRERENDER;
+ });
+
+ it('Can render SSR route', async () => {
+ const res = await fetch(`http://${server.host}:${server.port}/one`);
+ const html = await res.text();
+ const $ = cheerio.load(html);
+
+ assert.equal(res.status, 200);
+ assert.equal($('h1').text(), 'One');
+ });
+
+ it('Can render prerendered route', async () => {
+ const res = await fetch(`http://${server.host}:${server.port}/two`);
+ const html = await res.text();
+ const $ = cheerio.load(html);
+
+ assert.equal(res.status, 200);
+ assert.equal($('h1').text(), 'Two');
+ assert.ok(fixture.pathExists('/client/two/index.html'));
+ });
+ });
+
describe('Dev', () => {
let devServer;
@@ -243,6 +303,7 @@ describe('Hybrid rendering', () => {
assert.equal(res.status, 200);
assert.equal($('h1').text(), 'One');
+ assert.ok(fixture.pathExists('/client/one/index.html'));
});
it('Can render prerendered route with redirect and query params', async () => {
@@ -316,6 +377,7 @@ describe('Hybrid rendering', () => {
assert.equal(res.status, 200);
assert.equal($('h1').text(), 'One');
+ assert.ok(fixture.pathExists('/client/one/index.html'));
});
it('Can render prerendered route with redirect and query params', async () => {
diff --git a/packages/integrations/preact/package.json b/packages/integrations/preact/package.json
index fce3ac1ce0..47a24a4cf0 100644
--- a/packages/integrations/preact/package.json
+++ b/packages/integrations/preact/package.json
@@ -40,7 +40,7 @@
"@preact/preset-vite": "2.8.2",
"@preact/signals": "^1.3.0",
"babel-plugin-transform-hook-names": "^1.0.2",
- "preact-render-to-string": "^6.5.7"
+ "preact-render-to-string": "^6.5.8"
},
"devDependencies": {
"astro": "workspace:*",
diff --git a/packages/integrations/react/package.json b/packages/integrations/react/package.json
index a6d9cd9366..6f89518922 100644
--- a/packages/integrations/react/package.json
+++ b/packages/integrations/react/package.json
@@ -63,10 +63,10 @@
"@types/react-dom": "^18.3.0",
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
+ "cheerio": "1.0.0",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
},
"peerDependencies": {
"@types/react": "^17.0.50 || ^18.0.21",
diff --git a/packages/integrations/react/test/fixtures/react-component/package.json b/packages/integrations/react/test/fixtures/react-component/package.json
index ec58c9d707..783fb87c3d 100644
--- a/packages/integrations/react/test/fixtures/react-component/package.json
+++ b/packages/integrations/react/test/fixtures/react-component/package.json
@@ -8,6 +8,6 @@
"astro": "workspace:*",
"react": "^18.3.1",
"react-dom": "^18.3.1",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/integrations/solid/package.json b/packages/integrations/solid/package.json
index 0c7a538615..bc104a7d64 100644
--- a/packages/integrations/solid/package.json
+++ b/packages/integrations/solid/package.json
@@ -40,8 +40,8 @@
"devDependencies": {
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "solid-js": "^1.8.19",
- "vite": "^5.3.5"
+ "solid-js": "^1.8.20",
+ "vite": "^5.4.0"
},
"peerDependencies": {
"solid-devtools": "^0.30.1",
diff --git a/packages/integrations/svelte/package.json b/packages/integrations/svelte/package.json
index e071375bdd..67b630df9a 100644
--- a/packages/integrations/svelte/package.json
+++ b/packages/integrations/svelte/package.json
@@ -57,7 +57,7 @@
"astro": "workspace:*",
"astro-scripts": "workspace:*",
"svelte": "^4.2.18",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
},
"peerDependencies": {
"astro": "^4.0.0",
diff --git a/packages/integrations/tailwind/package.json b/packages/integrations/tailwind/package.json
index 3c54122887..c33b4fd574 100644
--- a/packages/integrations/tailwind/package.json
+++ b/packages/integrations/tailwind/package.json
@@ -34,14 +34,14 @@
},
"dependencies": {
"autoprefixer": "^10.4.20",
- "postcss": "^8.4.40",
+ "postcss": "^8.4.41",
"postcss-load-config": "^4.0.2"
},
"devDependencies": {
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "tailwindcss": "^3.4.7",
- "vite": "^5.3.5"
+ "tailwindcss": "^3.4.9",
+ "vite": "^5.4.0"
},
"peerDependencies": {
"astro": "^3.0.0 || ^4.0.0",
diff --git a/packages/integrations/vercel/package.json b/packages/integrations/vercel/package.json
index 13eb23fbca..70fe485b28 100644
--- a/packages/integrations/vercel/package.json
+++ b/packages/integrations/vercel/package.json
@@ -65,7 +65,7 @@
"devDependencies": {
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12"
+ "cheerio": "1.0.0"
},
"publishConfig": {
"provenance": true
diff --git a/packages/integrations/vercel/test/speed-insights.test.js b/packages/integrations/vercel/test/speed-insights.test.js
index 2ee9dcc3bf..28ca84cd20 100644
--- a/packages/integrations/vercel/test/speed-insights.test.js
+++ b/packages/integrations/vercel/test/speed-insights.test.js
@@ -20,7 +20,7 @@ describe('Vercel Speed Insights', () => {
const bundle = await fixture.readFile(`../.vercel/output/static/_astro/${page}`);
- assert.match(bundle, /https:\/\/vitals.vercel-analytics.com\/v1\/vitals/);
+ assert.match(bundle, /VERCEL_ANALYTICS_ID/);
});
});
@@ -41,7 +41,7 @@ describe('Vercel Speed Insights', () => {
const bundle = await fixture.readFile(`../.vercel/output/static/_astro/${page}`);
- assert.match(bundle, /https:\/\/vitals.vercel-analytics.com\/v1\/vitals/);
+ assert.match(bundle, /VERCEL_ANALYTICS_ID/);
});
});
});
diff --git a/packages/integrations/vue/package.json b/packages/integrations/vue/package.json
index b618ab5660..3275816b46 100644
--- a/packages/integrations/vue/package.json
+++ b/packages/integrations/vue/package.json
@@ -46,16 +46,16 @@
"dependencies": {
"@vitejs/plugin-vue": "^5.1.2",
"@vitejs/plugin-vue-jsx": "^4.0.0",
- "@vue/compiler-sfc": "^3.4.35",
+ "@vue/compiler-sfc": "^3.4.37",
"vite-plugin-vue-devtools": "^7.3.7"
},
"devDependencies": {
"astro": "workspace:*",
"astro-scripts": "workspace:*",
- "cheerio": "1.0.0-rc.12",
+ "cheerio": "1.0.0",
"linkedom": "^0.18.4",
- "vite": "^5.3.5",
- "vue": "^3.4.35"
+ "vite": "^5.4.0",
+ "vue": "^3.4.37"
},
"peerDependencies": {
"astro": "^4.0.0",
diff --git a/packages/integrations/vue/test/fixtures/app-entrypoint-async/package.json b/packages/integrations/vue/test/fixtures/app-entrypoint-async/package.json
index 3298771c65..25a1ccb034 100644
--- a/packages/integrations/vue/test/fixtures/app-entrypoint-async/package.json
+++ b/packages/integrations/vue/test/fixtures/app-entrypoint-async/package.json
@@ -6,6 +6,6 @@
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
"vite-svg-loader": "5.1.0",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
\ No newline at end of file
diff --git a/packages/integrations/vue/test/fixtures/app-entrypoint-no-export-default/package.json b/packages/integrations/vue/test/fixtures/app-entrypoint-no-export-default/package.json
index da24b219d6..8397e9f8ca 100644
--- a/packages/integrations/vue/test/fixtures/app-entrypoint-no-export-default/package.json
+++ b/packages/integrations/vue/test/fixtures/app-entrypoint-no-export-default/package.json
@@ -9,6 +9,6 @@
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
"vite-svg-loader": "5.1.0",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
diff --git a/packages/integrations/vue/test/fixtures/app-entrypoint/package.json b/packages/integrations/vue/test/fixtures/app-entrypoint/package.json
index dea6130e9d..ae93135823 100644
--- a/packages/integrations/vue/test/fixtures/app-entrypoint/package.json
+++ b/packages/integrations/vue/test/fixtures/app-entrypoint/package.json
@@ -6,6 +6,6 @@
"@astrojs/vue": "workspace:*",
"astro": "workspace:*",
"vite-svg-loader": "5.1.0",
- "vue": "^3.4.35"
+ "vue": "^3.4.37"
}
}
\ No newline at end of file
diff --git a/packages/integrations/web-vitals/package.json b/packages/integrations/web-vitals/package.json
index 4c2f989ce5..7ae27f2476 100644
--- a/packages/integrations/web-vitals/package.json
+++ b/packages/integrations/web-vitals/package.json
@@ -32,7 +32,7 @@
"test": "astro-scripts test --timeout 50000 \"test/**/*.test.js\""
},
"dependencies": {
- "web-vitals": "^4.2.2"
+ "web-vitals": "^4.2.3"
},
"peerDependencies": {
"@astrojs/db": "^0.12.0"
diff --git a/packages/studio/package.json b/packages/studio/package.json
index 1102f6f680..6a4271888d 100644
--- a/packages/studio/package.json
+++ b/packages/studio/package.json
@@ -42,6 +42,6 @@
"astro": "workspace:*",
"astro-scripts": "workspace:*",
"typescript": "^5.5.4",
- "vite": "^5.3.5"
+ "vite": "^5.4.0"
}
}
diff --git a/packages/upgrade/src/actions/context.ts b/packages/upgrade/src/actions/context.ts
index 2103a53277..cd9028e85a 100644
--- a/packages/upgrade/src/actions/context.ts
+++ b/packages/upgrade/src/actions/context.ts
@@ -1,13 +1,13 @@
import { pathToFileURL } from 'node:url';
+import { parseArgs } from 'node:util';
import { prompt } from '@astrojs/cli-kit';
-import arg from 'arg';
import detectPackageManager from 'preferred-pm';
export interface Context {
help: boolean;
prompt: typeof prompt;
version: string;
- dryRun?: boolean;
+ dryRun: boolean;
cwd: URL;
stdin?: typeof process.stdin;
stdout?: typeof process.stdout;
@@ -28,22 +28,20 @@ export interface PackageInfo {
}
export async function getContext(argv: string[]): Promise {
- const flags = arg(
- {
- '--dry-run': Boolean,
- '--help': Boolean,
-
- '-h': '--help',
+ const args = parseArgs({
+ args: argv,
+ allowPositionals: true,
+ strict: false,
+ options: {
+ 'dry-run': { type: 'boolean' },
+ help: { type: 'boolean', short: 'h' },
},
- { argv, permissive: true },
- );
+ });
const packageManager = (await detectPackageManager(process.cwd()))?.name ?? 'npm';
- const {
- _: [version = 'latest'] = [],
- '--help': help = false,
- '--dry-run': dryRun,
- } = flags;
+ const version = args.positionals[0] ?? 'latest';
+ const help = !!args.values.help;
+ const dryRun = !!args.values['dry-run'];
return {
help,
diff --git a/packages/upgrade/test/context.test.js b/packages/upgrade/test/context.test.js
index bbc887c2ae..5ba484740f 100644
--- a/packages/upgrade/test/context.test.js
+++ b/packages/upgrade/test/context.test.js
@@ -6,12 +6,12 @@ describe('context', () => {
it('no arguments', async () => {
const ctx = await getContext([]);
assert.equal(ctx.version, 'latest');
- assert.equal(ctx.dryRun, undefined);
+ assert.equal(ctx.dryRun, false);
});
it('tag', async () => {
const ctx = await getContext(['beta']);
assert.equal(ctx.version, 'beta');
- assert.equal(ctx.dryRun, undefined);
+ assert.equal(ctx.dryRun, false);
});
it('dry run', async () => {
const ctx = await getContext(['--dry-run']);
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 0e7edd4dc4..01db0912ed 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -13,11 +13,11 @@ importers:
version: link:benchmark
devDependencies:
'@astrojs/check':
- specifier: ^0.9.1
- version: 0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ specifier: ^0.9.2
+ version: 0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
'@biomejs/biome':
- specifier: 1.8.1
- version: 1.8.1
+ specifier: 1.8.3
+ version: 1.8.3
'@changesets/changelog-github':
specifier: ^0.5.0
version: 0.5.0
@@ -31,14 +31,14 @@ importers:
specifier: ^0.21.5
version: 0.21.5
eslint:
- specifier: ^9.8.0
- version: 9.8.0
+ specifier: ^9.9.0
+ version: 9.9.0(jiti@1.21.0)
eslint-plugin-no-only-tests:
specifier: ^3.1.0
version: 3.1.0
eslint-plugin-regexp:
specifier: ^2.6.0
- version: 2.6.0(eslint@9.8.0)
+ version: 2.6.0(eslint@9.9.0(jiti@1.21.0))
globby:
specifier: ^14.0.2
version: 14.0.2
@@ -59,7 +59,7 @@ importers:
version: 5.5.4
typescript-eslint:
specifier: ^8.0.1
- version: 8.0.1(eslint@9.8.0)(typescript@5.5.4)
+ version: 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
benchmark:
dependencies:
@@ -93,6 +93,9 @@ importers:
pretty-bytes:
specifier: ^6.1.1
version: 6.1.1
+ sharp:
+ specifier: ^0.33.3
+ version: 0.33.3
benchmark/packages/timer:
dependencies:
@@ -113,7 +116,7 @@ importers:
examples/basics:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/blog:
@@ -128,13 +131,13 @@ importers:
specifier: ^3.1.6
version: link:../../packages/integrations/sitemap
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/component:
devDependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/container-with-vitest:
@@ -143,7 +146,7 @@ importers:
specifier: ^3.6.2
version: link:../../packages/integrations/react
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
react:
specifier: ^18.3.1
@@ -174,7 +177,7 @@ importers:
specifier: ^3.14.1
version: 3.14.1
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/framework-lit:
@@ -186,11 +189,11 @@ importers:
specifier: ^0.2.1
version: 0.2.1
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
lit:
- specifier: ^3.1.4
- version: 3.1.4
+ specifier: ^3.2.0
+ version: 3.2.0
examples/framework-multiple:
dependencies:
@@ -216,7 +219,7 @@ importers:
specifier: ^18.3.0
version: 18.3.0
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
preact:
specifier: ^10.23.1
@@ -228,14 +231,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
examples/framework-preact:
dependencies:
@@ -246,7 +249,7 @@ importers:
specifier: ^1.3.0
version: 1.3.0(preact@10.23.1)
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
preact:
specifier: ^10.23.1
@@ -264,7 +267,7 @@ importers:
specifier: ^18.3.0
version: 18.3.0
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
react:
specifier: ^18.3.1
@@ -279,11 +282,11 @@ importers:
specifier: ^4.4.1
version: link:../../packages/integrations/solid
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
examples/framework-svelte:
dependencies:
@@ -291,7 +294,7 @@ importers:
specifier: ^5.7.0
version: link:../../packages/integrations/svelte
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
svelte:
specifier: ^4.2.18
@@ -303,34 +306,34 @@ importers:
specifier: ^4.5.0
version: link:../../packages/integrations/vue
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
examples/hackernews:
dependencies:
'@astrojs/node':
- specifier: ^8.3.2
+ specifier: ^8.3.3
version: link:../../packages/integrations/node
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/integration:
devDependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/middleware:
dependencies:
'@astrojs/node':
- specifier: ^8.3.2
+ specifier: ^8.3.3
version: link:../../packages/integrations/node
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
html-minifier:
specifier: ^4.0.0
@@ -343,25 +346,25 @@ importers:
examples/minimal:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/non-html-pages:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/portfolio:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/server-islands:
devDependencies:
'@astrojs/node':
- specifier: ^8.3.2
+ specifier: ^8.3.3
version: link:../../packages/integrations/node
'@astrojs/react':
specifier: ^3.6.2
@@ -374,7 +377,7 @@ importers:
version: 6.6.0
'@tailwindcss/forms':
specifier: ^0.5.7
- version: 0.5.7(tailwindcss@3.4.7)
+ version: 0.5.7(tailwindcss@3.4.9)
'@types/react':
specifier: ^18.3.3
version: 18.3.3
@@ -382,11 +385,11 @@ importers:
specifier: ^18.3.0
version: 18.3.0
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
react:
specifier: ^18.3.1
version: 18.3.1
@@ -394,19 +397,19 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
examples/ssr:
dependencies:
'@astrojs/node':
- specifier: ^8.3.2
+ specifier: ^8.3.3
version: link:../../packages/integrations/node
'@astrojs/svelte':
specifier: ^5.7.0
version: link:../../packages/integrations/svelte
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
svelte:
specifier: ^4.2.18
@@ -415,7 +418,7 @@ importers:
examples/starlog:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
sass:
specifier: ^1.77.8
@@ -427,19 +430,19 @@ importers:
examples/toolbar-app:
devDependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/view-transitions:
devDependencies:
'@astrojs/node':
- specifier: ^8.3.2
+ specifier: ^8.3.3
version: link:../../packages/integrations/node
'@astrojs/tailwind':
specifier: ^5.1.0
version: link:../../packages/integrations/tailwind
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/with-markdoc:
@@ -448,7 +451,7 @@ importers:
specifier: ^0.11.3
version: link:../../packages/integrations/markdoc
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/with-markdown-plugins:
@@ -457,7 +460,7 @@ importers:
specifier: ^5.2.0
version: link:../../packages/markdown/remark
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
hast-util-select:
specifier: ^6.0.2
@@ -478,7 +481,7 @@ importers:
examples/with-markdown-shiki:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
examples/with-mdx:
@@ -490,7 +493,7 @@ importers:
specifier: ^3.5.1
version: link:../../packages/integrations/preact
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
preact:
specifier: ^10.23.1
@@ -503,13 +506,13 @@ importers:
version: link:../../packages/integrations/preact
'@nanostores/preact':
specifier: ^0.5.2
- version: 0.5.2(nanostores@0.11.0)(preact@10.23.1)
+ version: 0.5.2(nanostores@0.11.2)(preact@10.23.1)
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
nanostores:
- specifier: ^0.11.0
- version: 0.11.0
+ specifier: ^0.11.2
+ version: 0.11.2
preact:
specifier: ^10.23.1
version: 10.23.1
@@ -526,25 +529,25 @@ importers:
specifier: ^1.6.4
version: 1.6.4
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
autoprefixer:
specifier: ^10.4.20
- version: 10.4.20(postcss@8.4.40)
+ version: 10.4.20(postcss@8.4.41)
canvas-confetti:
specifier: ^1.9.3
version: 1.9.3
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
examples/with-vitest:
dependencies:
astro:
- specifier: ^4.13.3
+ specifier: ^4.13.4
version: link:../../packages/astro
vitest:
specifier: ^2.0.5
@@ -553,8 +556,8 @@ importers:
packages/astro:
dependencies:
'@astrojs/compiler':
- specifier: ^2.10.1
- version: 2.10.1
+ specifier: ^2.10.2
+ version: 2.10.2
'@astrojs/internal-helpers':
specifier: workspace:*
version: link:../internal-helpers
@@ -582,6 +585,12 @@ importers:
'@babel/types':
specifier: ^7.25.2
version: 7.25.2
+ '@oslojs/encoding':
+ specifier: ^0.4.1
+ version: 0.4.1
+ '@rollup/pluginutils':
+ specifier: ^5.1.0
+ version: 5.1.0(rollup@4.20.0)
'@types/babel__core':
specifier: ^7.20.5
version: 7.20.5
@@ -672,9 +681,15 @@ importers:
magic-string:
specifier: ^0.30.11
version: 0.30.11
+ micromatch:
+ specifier: ^4.0.7
+ version: 4.0.7
mrmime:
specifier: ^2.0.0
version: 2.0.0
+ neotraverse:
+ specifier: ^0.6.9
+ version: 0.6.9
ora:
specifier: ^8.0.1
version: 8.0.1
@@ -718,34 +733,37 @@ importers:
specifier: ^6.0.2
version: 6.0.2
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
vitefu:
specifier: ^0.2.5
- version: 0.2.5(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ version: 0.2.5(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
which-pm:
specifier: ^3.0.0
version: 3.0.0
- yargs-parser:
- specifier: ^21.1.1
- version: 21.1.1
+ xxhash-wasm:
+ specifier: ^1.0.2
+ version: 1.0.2
zod:
specifier: ^3.23.8
version: 3.23.8
zod-to-json-schema:
specifier: ^3.23.2
version: 3.23.2(zod@3.23.8)
+ zod-to-ts:
+ specifier: ^1.2.0
+ version: 1.2.0(typescript@5.5.4)(zod@3.23.8)
optionalDependencies:
sharp:
specifier: ^0.33.3
version: 0.33.3
devDependencies:
'@astrojs/check':
- specifier: ^0.9.1
- version: 0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ specifier: ^0.9.2
+ version: 0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
'@playwright/test':
- specifier: ^1.45.3
- version: 1.45.3
+ specifier: ^1.46.0
+ version: 1.46.0
'@types/aria-query':
specifier: ^5.0.4
version: 5.0.4
@@ -785,21 +803,21 @@ importers:
'@types/js-yaml':
specifier: ^4.0.9
version: 4.0.9
+ '@types/micromatch':
+ specifier: ^4.0.9
+ version: 4.0.9
'@types/prompts':
specifier: ^2.4.9
version: 2.4.9
'@types/semver':
specifier: ^7.5.8
version: 7.5.8
- '@types/yargs-parser':
- specifier: ^21.0.3
- version: 21.0.3
astro-scripts:
specifier: workspace:*
version: link:../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
eol:
specifier: ^0.9.1
version: 0.9.1
@@ -840,8 +858,8 @@ importers:
specifier: ^1.77.8
version: 1.77.8
undici:
- specifier: ^6.19.5
- version: 6.19.5
+ specifier: ^6.19.7
+ version: 6.19.7
unified:
specifier: ^11.0.5
version: 11.0.5
@@ -890,8 +908,8 @@ importers:
packages/astro/e2e/fixtures/actions-blog:
dependencies:
'@astrojs/check':
- specifier: ^0.9.1
- version: 0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ specifier: ^0.9.2
+ version: 0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
'@astrojs/db':
specifier: workspace:*
version: link:../../../../db
@@ -923,8 +941,8 @@ importers:
packages/astro/e2e/fixtures/actions-react-19:
dependencies:
'@astrojs/check':
- specifier: ^0.9.1
- version: 0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ specifier: ^0.9.2
+ version: 0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
'@astrojs/db':
specifier: workspace:*
version: link:../../../../db
@@ -977,8 +995,8 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/e2e/fixtures/client-only:
dependencies:
@@ -992,14 +1010,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1116,14 +1134,14 @@ importers:
specifier: ^1.77.8
version: 1.77.8
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/e2e/fixtures/hmr:
devDependencies:
@@ -1164,8 +1182,8 @@ importers:
specifier: workspace:*
version: link:../../..
lit:
- specifier: ^3.1.4
- version: 3.1.4
+ specifier: ^3.2.0
+ version: 3.2.0
packages/astro/e2e/fixtures/multiple-frameworks:
dependencies:
@@ -1173,8 +1191,8 @@ importers:
specifier: ^0.2.1
version: 0.2.1
lit:
- specifier: ^3.1.4
- version: 3.1.4
+ specifier: ^3.2.0
+ version: 3.2.0
preact:
specifier: ^10.23.1
version: 10.23.1
@@ -1185,14 +1203,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/lit':
specifier: workspace:*
@@ -1244,14 +1262,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1284,14 +1302,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1324,14 +1342,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1364,14 +1382,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1404,14 +1422,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1444,14 +1462,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/preact':
specifier: workspace:*
@@ -1591,8 +1609,8 @@ importers:
version: link:../../..
devDependencies:
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/e2e/fixtures/solid-component:
dependencies:
@@ -1606,8 +1624,8 @@ importers:
specifier: workspace:*
version: link:../../..
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/e2e/fixtures/solid-recurse:
dependencies:
@@ -1619,8 +1637,8 @@ importers:
version: link:../../..
devDependencies:
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/e2e/fixtures/svelte-component:
dependencies:
@@ -1647,13 +1665,13 @@ importers:
version: link:../../..
autoprefixer:
specifier: ^10.4.20
- version: 10.4.20(postcss@8.4.40)
+ version: 10.4.20(postcss@8.4.41)
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
packages/astro/e2e/fixtures/ts-resolution:
dependencies:
@@ -1697,8 +1715,8 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/e2e/fixtures/vue-component:
dependencies:
@@ -1712,20 +1730,14 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/performance:
devDependencies:
- '@types/yargs-parser':
- specifier: ^21.0.3
- version: 21.0.3
kleur:
specifier: ^4.1.5
version: 4.1.5
- yargs-parser:
- specifier: ^21.1.1
- version: 21.1.1
packages/astro/performance/fixtures/md:
dependencies:
@@ -1841,8 +1853,8 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/actions:
dependencies:
@@ -2014,8 +2026,8 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/astro-class-list:
dependencies:
@@ -2172,8 +2184,8 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/astro-expr:
dependencies:
@@ -2457,14 +2469,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/before-hydration:
dependencies:
@@ -2602,8 +2614,8 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/content:
dependencies:
@@ -2692,6 +2704,51 @@ importers:
specifier: workspace:*
version: link:../../..
+ packages/astro/test/fixtures/content-intellisense:
+ dependencies:
+ '@astrojs/markdoc':
+ specifier: workspace:*
+ version: link:../../../../integrations/markdoc
+ '@astrojs/mdx':
+ specifier: workspace:*
+ version: link:../../../../integrations/mdx
+ astro:
+ specifier: workspace:*
+ version: link:../../..
+
+ packages/astro/test/fixtures/content-layer:
+ dependencies:
+ '@astrojs/mdx':
+ specifier: workspace:*
+ version: link:../../../../integrations/mdx
+ astro:
+ specifier: workspace:*
+ version: link:../../..
+
+ packages/astro/test/fixtures/content-layer-markdoc:
+ dependencies:
+ '@astrojs/markdoc':
+ specifier: workspace:*
+ version: link:../../../../integrations/markdoc
+ '@astrojs/preact':
+ specifier: workspace:*
+ version: link:../../../../integrations/preact
+ astro:
+ specifier: workspace:*
+ version: link:../../..
+ preact:
+ specifier: ^10.23.1
+ version: 10.23.1
+
+ packages/astro/test/fixtures/content-layer-rendering:
+ dependencies:
+ '@astrojs/mdx':
+ specifier: workspace:*
+ version: link:../../../../integrations/mdx
+ astro:
+ specifier: workspace:*
+ version: link:../../..
+
packages/astro/test/fixtures/content-mixed-errors:
dependencies:
astro:
@@ -3057,8 +3114,8 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/fontsource-package:
dependencies:
@@ -3249,14 +3306,14 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
'@astrojs/mdx':
specifier: workspace:*
@@ -3289,8 +3346,8 @@ importers:
specifier: workspace:*
version: link:../../..
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/test/fixtures/lazy-layout:
dependencies:
@@ -3310,8 +3367,8 @@ importers:
specifier: workspace:*
version: link:../../..
lit:
- specifier: ^3.1.4
- version: 3.1.4
+ specifier: ^3.2.0
+ version: 3.2.0
packages/astro/test/fixtures/markdown:
dependencies:
@@ -3432,23 +3489,23 @@ importers:
version: link:../../..
autoprefixer:
specifier: ^10.4.20
- version: 10.4.20(postcss@8.4.40)
+ version: 10.4.20(postcss@8.4.41)
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
svelte:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
devDependencies:
postcss-preset-env:
specifier: ^10.0.0
- version: 10.0.0(postcss@8.4.40)
+ version: 10.0.0(postcss@8.4.41)
packages/astro/test/fixtures/preact-compat-component:
dependencies:
@@ -3510,8 +3567,8 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/test/fixtures/react-jsx-export:
dependencies:
@@ -3700,8 +3757,8 @@ importers:
specifier: workspace:*
version: link:../../..
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/test/fixtures/slots-svelte:
dependencies:
@@ -3730,8 +3787,8 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/solid-component:
dependencies:
@@ -3740,7 +3797,7 @@ importers:
version: link:../../../../integrations/solid
'@solidjs/router':
specifier: ^0.14.1
- version: 0.14.1(solid-js@1.8.19)
+ version: 0.14.1(solid-js@1.8.20)
'@test/solid-jsx-component':
specifier: file:./deps/solid-jsx-component
version: link:deps/solid-jsx-component
@@ -3748,14 +3805,14 @@ importers:
specifier: workspace:*
version: link:../../..
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/test/fixtures/solid-component/deps/solid-jsx-component:
dependencies:
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
packages/astro/test/fixtures/sourcemap:
dependencies:
@@ -4056,13 +4113,13 @@ importers:
version: link:../../..
autoprefixer:
specifier: ^10.4.20
- version: 10.4.20(postcss@8.4.40)
+ version: 10.4.20(postcss@8.4.41)
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
packages/astro/test/fixtures/tailwindcss-ts:
dependencies:
@@ -4073,11 +4130,11 @@ importers:
specifier: workspace:*
version: link:../../..
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
packages/astro/test/fixtures/third-party-astro:
dependencies:
@@ -4136,8 +4193,8 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/vue-jsx:
dependencies:
@@ -4148,8 +4205,8 @@ importers:
specifier: workspace:*
version: link:../../..
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/vue-with-multi-renderer:
dependencies:
@@ -4166,8 +4223,8 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/astro/test/fixtures/with-endpoint-routes:
dependencies:
@@ -4217,8 +4274,8 @@ importers:
specifier: workspace:*
version: link:../studio
'@libsql/client':
- specifier: ^0.8.1
- version: 0.8.1
+ specifier: ^0.9.0
+ version: 0.9.0
async-listen:
specifier: ^3.0.1
version: 3.0.1
@@ -4227,7 +4284,7 @@ importers:
version: 1.0.2
drizzle-orm:
specifier: ^0.31.2
- version: 0.31.4(@libsql/client@0.8.1)(@types/react@18.3.3)(react@18.3.1)
+ version: 0.31.4(@libsql/client@0.9.0)(@types/react@18.3.3)(react@18.3.1)
github-slugger:
specifier: ^2.0.0
version: 2.0.0
@@ -4249,9 +4306,6 @@ importers:
strip-ansi:
specifier: ^7.1.0
version: 7.1.0
- yargs-parser:
- specifier: ^21.1.1
- version: 21.1.1
zod:
specifier: ^3.23.8
version: 3.23.8
@@ -4262,9 +4316,6 @@ importers:
'@types/prompts':
specifier: ^2.4.9
version: 2.4.9
- '@types/yargs-parser':
- specifier: ^21.0.3
- version: 21.0.3
astro:
specifier: workspace:*
version: link:../astro
@@ -4272,14 +4323,14 @@ importers:
specifier: workspace:*
version: link:../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
typescript:
specifier: ^5.5.4
version: 5.5.4
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/db/test/fixtures/basics:
dependencies:
@@ -4374,8 +4425,8 @@ importers:
packages/db/test/fixtures/ticketing-example:
dependencies:
'@astrojs/check':
- specifier: ^0.9.1
- version: 0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ specifier: ^0.9.2
+ version: 0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
'@astrojs/db':
specifier: workspace:*
version: link:../../..
@@ -4383,7 +4434,7 @@ importers:
specifier: workspace:*
version: link:../../../../integrations/node
'@astrojs/react':
- specifier: ^3.6.1
+ specifier: ^3.6.2
version: link:../../../../integrations/react
'@types/react':
specifier: ^18.3.3
@@ -4416,8 +4467,8 @@ importers:
packages/integrations/alpinejs:
devDependencies:
'@playwright/test':
- specifier: 1.45.3
- version: 1.45.3
+ specifier: 1.46.0
+ version: 1.46.0
astro:
specifier: workspace:*
version: link:../../astro
@@ -4425,8 +4476,8 @@ importers:
specifier: workspace:*
version: link:../../../scripts
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/alpinejs/test/fixtures/basics:
dependencies:
@@ -4484,8 +4535,8 @@ importers:
specifier: ^1.1.7
version: 1.1.7
'@lit-labs/ssr-dom-shim':
- specifier: ^1.2.0
- version: 1.2.0
+ specifier: ^1.2.1
+ version: 1.2.1
parse5:
specifier: ^7.1.2
version: 7.1.2
@@ -4497,11 +4548,11 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
lit:
- specifier: ^3.1.4
- version: 3.1.4
+ specifier: ^3.2.0
+ version: 3.2.0
sass:
specifier: ^1.77.8
version: 1.77.8
@@ -4549,8 +4600,8 @@ importers:
specifier: ^0.18.4
version: 0.18.4
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/markdoc/test/fixtures/content-collections:
dependencies:
@@ -4754,8 +4805,8 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
linkedom:
specifier: ^0.18.4
version: 0.18.4
@@ -4793,8 +4844,8 @@ importers:
specifier: ^11.0.5
version: 11.0.5
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/mdx/test/fixtures/css-head-mdx:
dependencies:
@@ -4979,8 +5030,8 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
express:
specifier: ^4.19.2
version: 4.19.2
@@ -5140,7 +5191,7 @@ importers:
version: 7.24.7(@babel/core@7.25.2)
'@preact/preset-vite':
specifier: 2.8.2
- version: 2.8.2(@babel/core@7.25.2)(preact@10.23.1)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ version: 2.8.2(@babel/core@7.25.2)(preact@10.23.1)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
'@preact/signals':
specifier: ^1.3.0
version: 1.3.0(preact@10.23.1)
@@ -5148,8 +5199,8 @@ importers:
specifier: ^1.0.2
version: 1.0.2(@babel/core@7.25.2)
preact-render-to-string:
- specifier: ^6.5.7
- version: 6.5.7(preact@10.23.1)
+ specifier: ^6.5.8
+ version: 6.5.8(preact@10.23.1)
devDependencies:
astro:
specifier: workspace:*
@@ -5165,7 +5216,7 @@ importers:
dependencies:
'@vitejs/plugin-react':
specifier: ^4.3.1
- version: 4.3.1(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ version: 4.3.1(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
ultrahtml:
specifier: ^1.5.3
version: 1.5.3
@@ -5183,8 +5234,8 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
react:
specifier: ^18.3.1
version: 18.3.1
@@ -5192,8 +5243,8 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/react/test/fixtures/react-component:
dependencies:
@@ -5213,8 +5264,8 @@ importers:
specifier: ^18.3.1
version: 18.3.1(react@18.3.1)
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/integrations/sitemap:
dependencies:
@@ -5281,7 +5332,7 @@ importers:
dependencies:
vite-plugin-solid:
specifier: ^2.10.2
- version: 2.10.2(solid-js@1.8.19)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ version: 2.10.2(solid-js@1.8.20)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
devDependencies:
astro:
specifier: workspace:*
@@ -5290,17 +5341,17 @@ importers:
specifier: workspace:*
version: link:../../../scripts
solid-js:
- specifier: ^1.8.19
- version: 1.8.19
+ specifier: ^1.8.20
+ version: 1.8.20
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/svelte:
dependencies:
'@sveltejs/vite-plugin-svelte':
specifier: ^3.1.1
- version: 3.1.1(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ version: 3.1.1(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
svelte2tsx:
specifier: ^0.7.15
version: 0.7.15(svelte@4.2.18)(typescript@5.5.4)
@@ -5315,20 +5366,20 @@ importers:
specifier: ^4.2.18
version: 4.2.18
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/tailwind:
dependencies:
autoprefixer:
specifier: ^10.4.20
- version: 10.4.20(postcss@8.4.40)
+ version: 10.4.20(postcss@8.4.41)
postcss:
- specifier: ^8.4.40
- version: 8.4.40
+ specifier: ^8.4.41
+ version: 8.4.41
postcss-load-config:
specifier: ^4.0.2
- version: 4.0.2(postcss@8.4.40)
+ version: 4.0.2(postcss@8.4.41)
devDependencies:
astro:
specifier: workspace:*
@@ -5337,11 +5388,11 @@ importers:
specifier: workspace:*
version: link:../../../scripts
tailwindcss:
- specifier: ^3.4.7
- version: 3.4.7
+ specifier: ^3.4.9
+ version: 3.4.9
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/integrations/tailwind/test/fixtures/basic:
dependencies:
@@ -5383,8 +5434,8 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
packages/integrations/vercel/test/fixtures/basic:
dependencies:
@@ -5579,16 +5630,16 @@ importers:
dependencies:
'@vitejs/plugin-vue':
specifier: ^5.1.2
- version: 5.1.2(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))
+ version: 5.1.2(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))
'@vitejs/plugin-vue-jsx':
specifier: ^4.0.0
- version: 4.0.0(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))
+ version: 4.0.0(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))
'@vue/compiler-sfc':
- specifier: ^3.4.35
- version: 3.4.35
+ specifier: ^3.4.37
+ version: 3.4.37
vite-plugin-vue-devtools:
specifier: ^7.3.7
- version: 7.3.7(rollup@4.20.0)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))
+ version: 7.3.7(rollup@4.20.0)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))
devDependencies:
astro:
specifier: workspace:*
@@ -5597,17 +5648,17 @@ importers:
specifier: workspace:*
version: link:../../../scripts
cheerio:
- specifier: 1.0.0-rc.12
- version: 1.0.0-rc.12
+ specifier: 1.0.0
+ version: 1.0.0
linkedom:
specifier: ^0.18.4
version: 0.18.4
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/integrations/vue/test/fixtures/app-entrypoint:
dependencies:
@@ -5619,10 +5670,10 @@ importers:
version: link:../../../../../astro
vite-svg-loader:
specifier: 5.1.0
- version: 5.1.0(vue@3.4.35(typescript@5.5.4))
+ version: 5.1.0(vue@3.4.37(typescript@5.5.4))
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/integrations/vue/test/fixtures/app-entrypoint-async:
dependencies:
@@ -5634,10 +5685,10 @@ importers:
version: link:../../../../../astro
vite-svg-loader:
specifier: 5.1.0
- version: 5.1.0(vue@3.4.35(typescript@5.5.4))
+ version: 5.1.0(vue@3.4.37(typescript@5.5.4))
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/integrations/vue/test/fixtures/app-entrypoint-css:
dependencies:
@@ -5658,10 +5709,10 @@ importers:
version: link:../../../../../astro
vite-svg-loader:
specifier: 5.1.0
- version: 5.1.0(vue@3.4.35(typescript@5.5.4))
+ version: 5.1.0(vue@3.4.37(typescript@5.5.4))
vue:
- specifier: ^3.4.35
- version: 3.4.35(typescript@5.5.4)
+ specifier: ^3.4.37
+ version: 3.4.37(typescript@5.5.4)
packages/integrations/vue/test/fixtures/app-entrypoint-relative:
dependencies:
@@ -5693,8 +5744,8 @@ importers:
packages/integrations/web-vitals:
dependencies:
web-vitals:
- specifier: ^4.2.2
- version: 4.2.2
+ specifier: ^4.2.3
+ version: 4.2.3
devDependencies:
'@astrojs/db':
specifier: workspace:*
@@ -5831,8 +5882,8 @@ importers:
specifier: ^5.5.4
version: 5.5.4
vite:
- specifier: ^5.3.5
- version: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ specifier: ^5.4.0
+ version: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
packages/telemetry:
dependencies:
@@ -6003,8 +6054,8 @@ packages:
peerDependencies:
astro: ^2.0.0 || ^3.0.0-beta || ^4.0.0-beta
- '@astrojs/check@0.9.1':
- resolution: {integrity: sha512-VvN5ukVzg0IccKuZlI/pdsp4MSpHxWf9a36eOmS8Wpp+NM0MhJLYv3yvQC+qa472Kdf8DHEt/wmVZYwJUMFW+w==}
+ '@astrojs/check@0.9.2':
+ resolution: {integrity: sha512-6rWxtJTbd/ctdAlmla0CAvloGaai5IUTG0K21kctJHHGKJKnGH6Xana7m0zNOtHpVPEJi1SgC/TcsN+ltYt0Cg==}
hasBin: true
peerDependencies:
typescript: ^5.0.0
@@ -6013,11 +6064,11 @@ packages:
resolution: {integrity: sha512-bVzyKzEpIwqjihBU/aUzt1LQckJuHK0agd3/ITdXhPUYculrc6K1/K7H+XG4rwjXtg+ikT3PM05V1MVYWiIvQw==}
engines: {node: '>=18.14.1'}
- '@astrojs/compiler@2.10.1':
- resolution: {integrity: sha512-XmM4j6BjvOVMag2xELq0JuG2yKOW8wgIu6dvb9BsjbGYmnvoStJn/pqEzVqc1EBszf2xYT7onIkftIOUz9AwrQ==}
+ '@astrojs/compiler@2.10.2':
+ resolution: {integrity: sha512-bvH+v8AirwpRWCkYJEyWYdc5Cs/BjG2ZTxIJzttHilXgfKJAdW2496KsUQKzf5j2tOHtaHXKKn9hb9WZiBGpEg==}
- '@astrojs/language-server@2.13.1':
- resolution: {integrity: sha512-Cl9ynfnge6+MaCpehYn7w9WrAE+sVS7onhxhMzCdqzPtIt/Yo5zIaiGZdu4QgvmOV/mdNBZCZgaTpAIeGjWwsQ==}
+ '@astrojs/language-server@2.13.2':
+ resolution: {integrity: sha512-l435EZLKjaUO/6iewJ7xqd3eHf3zAosVWG4woILbxluQcianBoNPepnnqAg7uUriZUaC44ae5v0Q+AfB8UI64g==}
hasBin: true
peerDependencies:
prettier: ^3.0.0
@@ -6092,6 +6143,10 @@ packages:
resolution: {integrity: sha512-jKiTsW2xmWwxT1ixIdfXUZp+P5yURx2suzLZr5Hi64rURpDYdMW0pv+Uf17EYk2Rd428Lx4tLsnjGJzYKDM/6A==}
engines: {node: '>=6.9.0'}
+ '@babel/helper-plugin-utils@7.24.7':
+ resolution: {integrity: sha512-Rq76wjt7yz9AAc1KnlRKNAi/dMSVWgDRx43FHoJEbcYU6xOWaE2dVPwcdTukJrjxS65GITyfbvEYHvkirZ6uEg==}
+ engines: {node: '>=6.9.0'}
+
'@babel/helper-plugin-utils@7.24.8':
resolution: {integrity: sha512-FFWx5142D8h2Mgr/iPVGH5G7w6jDn4jUSpZTyDnQO0Yn7Ks2Kuz6Pci8H6MPCoUJegd/UZQ3tAvfLCxQSnWWwg==}
engines: {node: '>=6.9.0'}
@@ -6208,6 +6263,10 @@ packages:
resolution: {integrity: sha512-dkxf7+hn8mFBwKjs9bvBlArzLVxVbS8usaPUDd5p2a9JCL9tB8OaOVN1isD4+Xyk4ns89/xeOmbQvgdK7IIVdA==}
engines: {node: '>=6.9.0'}
+ '@babel/template@7.24.7':
+ resolution: {integrity: sha512-jYqfPrU9JTF0PmPy1tLYHW4Mp4KlgxJD9l2nP9fD6yT/ICi554DmrWBAEYpIelzjHf1msDP3PxJIRt/nFNfBig==}
+ engines: {node: '>=6.9.0'}
+
'@babel/template@7.25.0':
resolution: {integrity: sha512-aOOgh1/5XzKvg1jvVz7AVrx2piJ2XBi227DHmbY6y+bM9H2FlN+IfecYu4Xl0cNiiVejlsCri89LUsbj8vJD9Q==}
engines: {node: '>=6.9.0'}
@@ -6220,55 +6279,55 @@ packages:
resolution: {integrity: sha512-YTnYtra7W9e6/oAZEHj0bJehPRUlLH9/fbpT5LfB0NhQXyALCRkRs3zH9v07IYhkgpqX6Z78FnuccZr/l4Fs4Q==}
engines: {node: '>=6.9.0'}
- '@biomejs/biome@1.8.1':
- resolution: {integrity: sha512-fQXGfvq6DIXem12dGQCM2tNF+vsNHH1qs3C7WeOu75Pd0trduoTmoO7G4ntLJ2qDs5wuw981H+cxQhi1uHnAtA==}
+ '@biomejs/biome@1.8.3':
+ resolution: {integrity: sha512-/uUV3MV+vyAczO+vKrPdOW0Iaet7UnJMU4bNMinggGJTAnBPjCoLEYcyYtYHNnUNYlv4xZMH6hVIQCAozq8d5w==}
engines: {node: '>=14.21.3'}
hasBin: true
- '@biomejs/cli-darwin-arm64@1.8.1':
- resolution: {integrity: sha512-XLiB7Uu6GALIOBWzQ2aMD0ru4Ly5/qSeQF7kk3AabzJ/kwsEWSe33iVySBP/SS2qv25cgqNiLksjGcw2bHT3mw==}
+ '@biomejs/cli-darwin-arm64@1.8.3':
+ resolution: {integrity: sha512-9DYOjclFpKrH/m1Oz75SSExR8VKvNSSsLnVIqdnKexj6NwmiMlKk94Wa1kZEdv6MCOHGHgyyoV57Cw8WzL5n3A==}
engines: {node: '>=14.21.3'}
cpu: [arm64]
os: [darwin]
- '@biomejs/cli-darwin-x64@1.8.1':
- resolution: {integrity: sha512-uMTSxVLMfqkBVqyc25hSn83jBbp+wtWjzM/pHFlKXt3htJuw7FErVGW0nmQ9Sxa9vJ7GcqoltLMl28VQRIMYzg==}
+ '@biomejs/cli-darwin-x64@1.8.3':
+ resolution: {integrity: sha512-UeW44L/AtbmOF7KXLCoM+9PSgPo0IDcyEUfIoOXYeANaNXXf9mLUwV1GeF2OWjyic5zj6CnAJ9uzk2LT3v/wAw==}
engines: {node: '>=14.21.3'}
cpu: [x64]
os: [darwin]
- '@biomejs/cli-linux-arm64-musl@1.8.1':
- resolution: {integrity: sha512-UQ8Wc01J0wQL+5AYOc7qkJn20B4PZmQL1KrmDZh7ot0DvD6aX4+8mmfd/dG5b6Zjo/44QvCKcvkFGCMRYuhWZA==}
+ '@biomejs/cli-linux-arm64-musl@1.8.3':
+ resolution: {integrity: sha512-9yjUfOFN7wrYsXt/T/gEWfvVxKlnh3yBpnScw98IF+oOeCYb5/b/+K7YNqKROV2i1DlMjg9g/EcN9wvj+NkMuQ==}
engines: {node: '>=14.21.3'}
cpu: [arm64]
os: [linux]
- '@biomejs/cli-linux-arm64@1.8.1':
- resolution: {integrity: sha512-3SzZRuC/9Oi2P2IBNPsEj0KXxSXUEYRR2kfRF/Ve8QAfGgrt4qnwuWd6QQKKN5R+oYH691qjm+cXBKEcrP1v/Q==}
+ '@biomejs/cli-linux-arm64@1.8.3':
+ resolution: {integrity: sha512-fed2ji8s+I/m8upWpTJGanqiJ0rnlHOK3DdxsyVLZQ8ClY6qLuPc9uehCREBifRJLl/iJyQpHIRufLDeotsPtw==}
engines: {node: '>=14.21.3'}
cpu: [arm64]
os: [linux]
- '@biomejs/cli-linux-x64-musl@1.8.1':
- resolution: {integrity: sha512-fYbP/kNu/rtZ4kKzWVocIdqZOtBSUEg9qUhZaao3dy3CRzafR6u6KDtBeSCnt47O+iLnks1eOR1TUxzr5+QuqA==}
+ '@biomejs/cli-linux-x64-musl@1.8.3':
+ resolution: {integrity: sha512-UHrGJX7PrKMKzPGoEsooKC9jXJMa28TUSMjcIlbDnIO4EAavCoVmNQaIuUSH0Ls2mpGMwUIf+aZJv657zfWWjA==}
engines: {node: '>=14.21.3'}
cpu: [x64]
os: [linux]
- '@biomejs/cli-linux-x64@1.8.1':
- resolution: {integrity: sha512-AeBycVdNrTzsyYKEOtR2R0Ph0hCD0sCshcp2aOnfGP0hCZbtFg09D0SdKLbyzKntisY41HxKVrydYiaApp+2uw==}
+ '@biomejs/cli-linux-x64@1.8.3':
+ resolution: {integrity: sha512-I8G2QmuE1teISyT8ie1HXsjFRz9L1m5n83U1O6m30Kw+kPMPSKjag6QGUn+sXT8V+XWIZxFFBoTDEDZW2KPDDw==}
engines: {node: '>=14.21.3'}
cpu: [x64]
os: [linux]
- '@biomejs/cli-win32-arm64@1.8.1':
- resolution: {integrity: sha512-6tEd1H/iFKpgpE3OIB7oNgW5XkjiVMzMRPL8zYoZ036YfuJ5nMYm9eB9H/y81+8Z76vL48fiYzMPotJwukGPqQ==}
+ '@biomejs/cli-win32-arm64@1.8.3':
+ resolution: {integrity: sha512-J+Hu9WvrBevfy06eU1Na0lpc7uR9tibm9maHynLIoAjLZpQU3IW+OKHUtyL8p6/3pT2Ju5t5emReeIS2SAxhkQ==}
engines: {node: '>=14.21.3'}
cpu: [arm64]
os: [win32]
- '@biomejs/cli-win32-x64@1.8.1':
- resolution: {integrity: sha512-g2H31jJzYmS4jkvl6TiyEjEX+Nv79a5km/xn+5DARTp5MBFzC9gwceusSSB2AkJKqZzY131AiACAWjKrVt5Ijw==}
+ '@biomejs/cli-win32-x64@1.8.3':
+ resolution: {integrity: sha512-/PJ59vA1pnQeKahemaQf4Nyj7IKUvGQSc3Ze1uIGi+Wvr1xF7rGobSrAAG01T/gUDG21vkDsZYM03NAmPiVkqg==}
engines: {node: '>=14.21.3'}
cpu: [x64]
os: [win32]
@@ -6759,6 +6818,10 @@ packages:
peerDependencies:
eslint: ^6.0.0 || ^7.0.0 || >=8.0.0
+ '@eslint-community/regexpp@4.10.0':
+ resolution: {integrity: sha512-Cu96Sd2By9mCNTx2iyKOmq10v22jUVQv0lQnlGNy16oE9589yE+QADPbrMGCkA51cKZSg3Pu/aTJVTGfL/qjUA==}
+ engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0}
+
'@eslint-community/regexpp@4.11.0':
resolution: {integrity: sha512-G/M/tIiMrTAxEWRfLfQJMmGNX28IxBg4PBz8XqQhqUHLFI6TL2htpIB1iQCj144V5ee/JaKyT9/WZ0MGZWfA7A==}
engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0}
@@ -6771,8 +6834,8 @@ packages:
resolution: {integrity: sha512-4Bfj15dVJdoy3RfZmmo86RK1Fwzn6SstsvK9JS+BaVKqC6QQQQyXekNaC+g+LKNgkQ+2VhGAzm6hO40AhMR3zQ==}
engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
- '@eslint/js@9.8.0':
- resolution: {integrity: sha512-MfluB7EUfxXtv3i/++oh89uzAr4PDI4nn201hsp+qaXqsjAWzinlZEHEfPgAX4doIlKvPG/i0A9dpKxOLII8yA==}
+ '@eslint/js@9.9.0':
+ resolution: {integrity: sha512-hhetes6ZHP3BlXLxmd8K2SNgkhNSi+UcecbnwWKwpP7kyi/uC75DJ1lOOBO3xrC4jyojtGE3YxKZPHfk4yrgug==}
engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/object-schema@2.1.4':
@@ -6930,6 +6993,9 @@ packages:
resolution: {integrity: sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==}
engines: {node: '>=6.0.0'}
+ '@jridgewell/sourcemap-codec@1.4.15':
+ resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==}
+
'@jridgewell/sourcemap-codec@1.5.0':
resolution: {integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==}
@@ -6958,19 +7024,29 @@ packages:
peerDependencies:
tslib: '2'
- '@libsql/client@0.8.1':
- resolution: {integrity: sha512-xGg0F4iTDFpeBZ0r4pA6icGsYa5rG6RAG+i/iLDnpCAnSuTqEWMDdPlVseiq4Z/91lWI9jvvKKiKpovqJ1kZWA==}
+ '@libsql/client@0.9.0':
+ resolution: {integrity: sha512-mT+91wtb8pxK9SWd566D5W2VUCemksUMqICRBtf0WXiS7XzNcQhWyrwYOnVrVmTSze/SCCsNNEKIkCRwk/pr2Q==}
- '@libsql/core@0.8.1':
- resolution: {integrity: sha512-u6nrj6HZMTPsgJ9EBhLzO2uhqhlHQJQmVHV+0yFLvfGf3oSP8w7TjZCNUgu1G8jHISx6KFi7bmcrdXW9lRt++A==}
+ '@libsql/core@0.9.0':
+ resolution: {integrity: sha512-rCsS/EC32K8ARjDQJGqauGZmkR6orOOY4I7898PyQ/mmltAkMwRgz5kjEmYRZ42o7mP0ayJfbw28qgv7SRFEgg==}
- '@libsql/darwin-arm64@0.3.12':
- resolution: {integrity: sha512-rBiMebxLgsShSEg73CibeuenlUMKXnaW/XoUk3tii1C1U7141w6k5VuF6/jnNl/cS7PMK/vy+2V5N/k++yvb9A==}
+ '@libsql/darwin-arm64@0.3.19':
+ resolution: {integrity: sha512-rmOqsLcDI65zzxlUOoEiPJLhqmbFsZF6p4UJQ2kMqB+Kc0Rt5/A1OAdOZ/Wo8fQfJWjR1IbkbpEINFioyKf+nQ==}
cpu: [arm64]
os: [darwin]
- '@libsql/darwin-x64@0.3.12':
- resolution: {integrity: sha512-T1yXSG1WukLq41hEWTU3G1kuV9TVoc+90KFs1KGluLrGvpj5l1QIff35hQlWWi6c1tfPsdlydR6qIO6AZdUwNg==}
+ '@libsql/darwin-arm64@0.4.1':
+ resolution: {integrity: sha512-XICT9/OyU8Aa9Iv1xZIHgvM09n/1OQUk3VC+s5uavzdiGHrDMkOWzN47JN7/FiMa/NWrcgoEiDMk3+e7mE53Ig==}
+ cpu: [arm64]
+ os: [darwin]
+
+ '@libsql/darwin-x64@0.3.19':
+ resolution: {integrity: sha512-q9O55B646zU+644SMmOQL3FIfpmEvdWpRpzubwFc2trsa+zoBlSkHuzU9v/C+UNoPHQVRMP7KQctJ455I/h/xw==}
+ cpu: [x64]
+ os: [darwin]
+
+ '@libsql/darwin-x64@0.4.1':
+ resolution: {integrity: sha512-pSKxhRrhu4SsTD+IBRZXcs1SkwMdeAG1tv6Z/Ctp/sOEYrgkU8MDKLqkOr9NsmwpK4S0+JdwjkLMyhTkct/5TQ==}
cpu: [x64]
os: [darwin]
@@ -6983,36 +7059,61 @@ packages:
'@libsql/isomorphic-ws@0.1.5':
resolution: {integrity: sha512-DtLWIH29onUYR00i0GlQ3UdcTRC6EP4u9w/h9LxpUZJWRMARk6dQwZ6Jkd+QdwVpuAOrdxt18v0K2uIYR3fwFg==}
- '@libsql/linux-arm64-gnu@0.3.12':
- resolution: {integrity: sha512-1tmLuj02vySklkadwYEjvXFhyipyNr7oufe55tJK0hqvjQEcqfzBqAD3AHvPo41ug0qlrB2GRpiBlJtcIu2dMQ==}
+ '@libsql/linux-arm64-gnu@0.3.19':
+ resolution: {integrity: sha512-mgeAUU1oqqh57k7I3cQyU6Trpdsdt607eFyEmH5QO7dv303ti+LjUvh1pp21QWV6WX7wZyjeJV1/VzEImB+jRg==}
cpu: [arm64]
os: [linux]
- '@libsql/linux-arm64-musl@0.3.12':
- resolution: {integrity: sha512-sM2NJTYe1FiixpJbebTllfV6uuSB1WIOfgQVHb7cJP0Jik5Kyq5F9n4reF6QKRivbPAn3kk6f5uRZKHBE6rvXw==}
+ '@libsql/linux-arm64-gnu@0.4.1':
+ resolution: {integrity: sha512-9lpvb24tO2qZd9nq5dlq3ESA3hSKYWBIK7lJjfiCM6f7a70AUwBY9QoPJV9q4gILIyVnR1YBGrlm50nnb+dYgw==}
cpu: [arm64]
os: [linux]
- '@libsql/linux-x64-gnu@0.3.12':
- resolution: {integrity: sha512-x8+Qo09osyOWs0/+D48Ml+CMlU33yCXznv4PYfQJc1NWA0dcQkSK353raYebH+cJhNIv0RcEz3ltTT3ME+HwAQ==}
+ '@libsql/linux-arm64-musl@0.3.19':
+ resolution: {integrity: sha512-VEZtxghyK6zwGzU9PHohvNxthruSxBEnRrX7BSL5jQ62tN4n2JNepJ6SdzXp70pdzTfwroOj/eMwiPt94gkVRg==}
+ cpu: [arm64]
+ os: [linux]
+
+ '@libsql/linux-arm64-musl@0.4.1':
+ resolution: {integrity: sha512-lyxi+lFxE+NcBRDMQCxCtDg3c4WcKAbc9u63d5+B23Vm+UgphD9XY4seu+tGrBy1MU2tuNVix7r9S7ECpAaVrA==}
+ cpu: [arm64]
+ os: [linux]
+
+ '@libsql/linux-x64-gnu@0.3.19':
+ resolution: {integrity: sha512-2t/J7LD5w2f63wGihEO+0GxfTyYIyLGEvTFEsMO16XI5o7IS9vcSHrxsvAJs4w2Pf907uDjmc7fUfMg6L82BrQ==}
cpu: [x64]
os: [linux]
- '@libsql/linux-x64-musl@0.3.12':
- resolution: {integrity: sha512-wY5G8zx727wvg5n/qB4oK357u3HQlz84oNG0XTrKnJVCxqR91Yg6bU+fKsGrvyaGFEqLmZ/Ft0K0pi6Mn/k4vQ==}
+ '@libsql/linux-x64-gnu@0.4.1':
+ resolution: {integrity: sha512-psvuQ3UFBEmDFV8ZHG+WkUHIJiWv+elZ+zIPvOVedlIKdxG1O+8WthWUAhFHOGnbiyzc4sAZ4c3de1oCvyHxyQ==}
cpu: [x64]
os: [linux]
- '@libsql/win32-x64-msvc@0.3.12':
- resolution: {integrity: sha512-ko9Ph0ssQk2rUiNXfbquZ4fXXKb/E47GE6+caA4gNt4+rgFc1ksaffekYwym24Zk4VDYsvAQNOpwgd9baIBzLA==}
+ '@libsql/linux-x64-musl@0.3.19':
+ resolution: {integrity: sha512-BLsXyJaL8gZD8+3W2LU08lDEd9MIgGds0yPy5iNPp8tfhXx3pV/Fge2GErN0FC+nzt4DYQtjL+A9GUMglQefXQ==}
+ cpu: [x64]
+ os: [linux]
+
+ '@libsql/linux-x64-musl@0.4.1':
+ resolution: {integrity: sha512-PDidJ3AhGDqosGg3OAZzGxMFIbnuOALya4BoezJKl667AFv3x7BBQ30H81Mngsq3Fh8RkJkXSdWfL91+Txb1iA==}
+ cpu: [x64]
+ os: [linux]
+
+ '@libsql/win32-x64-msvc@0.3.19':
+ resolution: {integrity: sha512-ay1X9AobE4BpzG0XPw1gplyLZPGHIgJOovvW23gUrukRegiUP62uzhpRbKNogLlUOynyXeq//prHgPXiebUfWg==}
+ cpu: [x64]
+ os: [win32]
+
+ '@libsql/win32-x64-msvc@0.4.1':
+ resolution: {integrity: sha512-IdODVqV/PrdOnHA/004uWyorZQuRsB7U7bCRCE3vXgABj3eJLJGc6cv2C6ksEaEoVxJbD8k53H4VVAGrtYwXzQ==}
cpu: [x64]
os: [win32]
'@lit-labs/ssr-client@1.1.7':
resolution: {integrity: sha512-VvqhY/iif3FHrlhkzEPsuX/7h/NqnfxLwVf0p8ghNIlKegRyRqgeaJevZ57s/u/LiFyKgqksRP5n+LmNvpxN+A==}
- '@lit-labs/ssr-dom-shim@1.2.0':
- resolution: {integrity: sha512-yWJKmpGE6lUURKAaIltoPIE/wrbY3TEkqQt+X0m+7fQNnAv0keydnYvbiJFP1PnMhizmIWRWOG5KLhYyc/xl+g==}
+ '@lit-labs/ssr-dom-shim@1.2.1':
+ resolution: {integrity: sha512-wx4aBmgeGvFmOKucFKY+8VFJSYZxs9poN3SDNQFF6lT6NrQUnHiPB2PWz2sc4ieEcAaYYzN+1uWahEeTq2aRIQ==}
'@lit-labs/ssr@3.2.2':
resolution: {integrity: sha512-He5TzeNPM9ECmVpgXRYmVlz0UA5YnzHlT43kyLi2Lu6mUidskqJVonk9W5K699+2DKhoXp8Ra4EJmHR6KrcW1Q==}
@@ -7118,6 +7219,9 @@ packages:
'@octokit/types@13.5.0':
resolution: {integrity: sha512-HdqWTf5Z3qwDVlzCrP8UJquMwunpDiMPt5er+QjGzL4hqr/vBVY/MauQgS1xWxCDT1oMx1EULyqxncdCY/NVSQ==}
+ '@oslojs/encoding@0.4.1':
+ resolution: {integrity: sha512-hkjo6MuIK/kQR5CrGNdAPZhS01ZCXuWDRJ187zh6qqF2+yMHZpD9fAYpX8q2bOO6Ryhl3XpCT6kUX76N8hhm4Q==}
+
'@parse5/tools@0.3.0':
resolution: {integrity: sha512-zxRyTHkqb7WQMV8kTNBKWb1BeOFUKXBXTBWuxg9H9hfvQB3IwP6Iw2U75Ia5eyRxPNltmY7E8YAlz6zWwUnjKg==}
@@ -7125,8 +7229,8 @@ packages:
resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==}
engines: {node: '>=14'}
- '@playwright/test@1.45.3':
- resolution: {integrity: sha512-UKF4XsBfy+u3MFWEH44hva1Q8Da28G6RFtR2+5saw+jgAFQV5yYnB1fu68Mz7fO+5GJF3wgwAIs0UelU8TxFrA==}
+ '@playwright/test@1.46.0':
+ resolution: {integrity: sha512-/QYft5VArOrGRP5pgkrfKksqsKA6CEFyGQ/gjNe6q0y4tZ1aaPfq4gIjudr1s3D+pXyrPRdsy4opKDrjBabE5w==}
engines: {node: '>=18'}
hasBin: true
@@ -7317,6 +7421,9 @@ packages:
'@types/body-parser@1.19.5':
resolution: {integrity: sha512-fB3Zu92ucau0iQ0JMCFQE7b/dv8Ot07NI3KaZIkIUNXq82k4eBAqUaneXfleGY9JWskeS9y+u0nXMyspcuQrCg==}
+ '@types/braces@3.0.4':
+ resolution: {integrity: sha512-0WR3b8eaISjEW7RpZnclONaLFDf7buaowRHdqLp4vLj54AsSAYWfh3DRbfiYJY9XDxMgx1B4sE1Afw2PGpuHOA==}
+
'@types/canvas-confetti@1.6.4':
resolution: {integrity: sha512-fNyZ/Fdw/Y92X0vv7B+BD6ysHL4xVU5dJcgzgxLdGbn8O3PezZNIJpml44lKM0nsGur+o/6+NZbZeNTt00U1uA==}
@@ -7404,6 +7511,9 @@ packages:
'@types/mdx@2.0.13':
resolution: {integrity: sha512-+OWZQfAYyio6YkJb3HLxDrvnx6SWWDbC0zVPfBRzUk0/nqoDyf6dNxQi3eArPe8rJ473nobTMQ/8Zk+LxJ+Yuw==}
+ '@types/micromatch@4.0.9':
+ resolution: {integrity: sha512-7V+8ncr22h4UoYRLnLXSpTxjQrNUXtWHGeMPRJt1nULXI57G9bIcpyrHlmrQ7QK24EyyuXvYcSSWAM8GA9nqCg==}
+
'@types/mime@1.3.5':
resolution: {integrity: sha512-/pyBZWSLD2n0dcHE3hq8s8ZvcETHtEuF+3E7XVt0Ig2nvsVQXdghHVcEkIWjy9A0wKfTn97a/PSDYohKIlnP/w==}
@@ -7488,9 +7598,6 @@ packages:
'@types/xml2js@0.4.14':
resolution: {integrity: sha512-4YnrRemBShWRO2QjvUin8ESA41rH+9nQGLUGZV/1IDhi3SL9OhdpNC/MrulTWuptXKwhx/aDxE7toV0f/ypIXQ==}
- '@types/yargs-parser@21.0.3':
- resolution: {integrity: sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==}
-
'@typescript-eslint/eslint-plugin@8.0.1':
resolution: {integrity: sha512-5g3Y7GDFsJAnY4Yhvk8sZtFfV6YNF2caLzjrRPUBzewjPCaj0yokePB4LJSobyCzGMzjZZYFbwuzbfDHlimXbQ==}
engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
@@ -7662,17 +7769,17 @@ packages:
peerDependencies:
'@babel/core': ^7.0.0-0
- '@vue/compiler-core@3.4.35':
- resolution: {integrity: sha512-gKp0zGoLnMYtw4uS/SJRRO7rsVggLjvot3mcctlMXunYNsX+aRJDqqw/lV5/gHK91nvaAAlWFgdVl020AW1Prg==}
+ '@vue/compiler-core@3.4.37':
+ resolution: {integrity: sha512-ZDDT/KiLKuCRXyzWecNzC5vTcubGz4LECAtfGPENpo0nrmqJHwuWtRLxk/Sb9RAKtR9iFflFycbkjkY+W/PZUQ==}
- '@vue/compiler-dom@3.4.35':
- resolution: {integrity: sha512-pWIZRL76/oE/VMhdv/ovZfmuooEni6JPG1BFe7oLk5DZRo/ImydXijoZl/4kh2406boRQ7lxTYzbZEEXEhj9NQ==}
+ '@vue/compiler-dom@3.4.37':
+ resolution: {integrity: sha512-rIiSmL3YrntvgYV84rekAtU/xfogMUJIclUMeIKEtVBFngOL3IeZHhsH3UaFEgB5iFGpj6IW+8YuM/2Up+vVag==}
- '@vue/compiler-sfc@3.4.35':
- resolution: {integrity: sha512-xacnRS/h/FCsjsMfxBkzjoNxyxEyKyZfBch/P4vkLRvYJwe5ChXmZZrj8Dsed/752H2Q3JE8kYu9Uyha9J6PgA==}
+ '@vue/compiler-sfc@3.4.37':
+ resolution: {integrity: sha512-vCfetdas40Wk9aK/WWf8XcVESffsbNkBQwS5t13Y/PcfqKfIwJX2gF+82th6dOpnpbptNMlMjAny80li7TaCIg==}
- '@vue/compiler-ssr@3.4.35':
- resolution: {integrity: sha512-7iynB+0KB1AAJKk/biENTV5cRGHRdbdaD7Mx3nWcm1W8bVD6QmnH3B4AHhQQ1qZHhqFwzEzMwiytXm3PX1e60A==}
+ '@vue/compiler-ssr@3.4.37':
+ resolution: {integrity: sha512-TyAgYBWrHlFrt4qpdACh8e9Ms6C/AZQ6A6xLJaWrCL8GCX5DxMzxyeFAEMfU/VFr4tylHm+a2NpfJpcd7+20XA==}
'@vue/devtools-core@7.3.7':
resolution: {integrity: sha512-IapWbHUqvO6n+p5JFTCE5JyNjpsZ5IS1GYIRX0P7/SqYPgFCOdH0dG+u8PbBHYdnp+VPxHLO+GGZ/WBZFCZnsA==}
@@ -7688,25 +7795,25 @@ packages:
'@vue/reactivity@3.1.5':
resolution: {integrity: sha512-1tdfLmNjWG6t/CsPldh+foumYFo3cpyCHgBYQ34ylaMsJ+SNHQ1kApMIa8jN+i593zQuaw3AdWH0nJTARzCFhg==}
- '@vue/reactivity@3.4.35':
- resolution: {integrity: sha512-Ggtz7ZZHakriKioveJtPlStYardwQH6VCs9V13/4qjHSQb/teE30LVJNrbBVs4+aoYGtTQKJbTe4CWGxVZrvEw==}
+ '@vue/reactivity@3.4.37':
+ resolution: {integrity: sha512-UmdKXGx0BZ5kkxPqQr3PK3tElz6adTey4307NzZ3whZu19i5VavYal7u2FfOmAzlcDVgE8+X0HZ2LxLb/jgbYw==}
- '@vue/runtime-core@3.4.35':
- resolution: {integrity: sha512-D+BAjFoWwT5wtITpSxwqfWZiBClhBbR+bm0VQlWYFOadUUXFo+5wbe9ErXhLvwguPiLZdEF13QAWi2vP3ZD5tA==}
+ '@vue/runtime-core@3.4.37':
+ resolution: {integrity: sha512-MNjrVoLV/sirHZoD7QAilU1Ifs7m/KJv4/84QVbE6nyAZGQNVOa1HGxaOzp9YqCG+GpLt1hNDC4RbH+KtanV7w==}
- '@vue/runtime-dom@3.4.35':
- resolution: {integrity: sha512-yGOlbos+MVhlS5NWBF2HDNgblG8e2MY3+GigHEyR/dREAluvI5tuUUgie3/9XeqhPE4LF0i2wjlduh5thnfOqw==}
+ '@vue/runtime-dom@3.4.37':
+ resolution: {integrity: sha512-Mg2EwgGZqtwKrqdL/FKMF2NEaOHuH+Ks9TQn3DHKyX//hQTYOun+7Tqp1eo0P4Ds+SjltZshOSRq6VsU0baaNg==}
- '@vue/server-renderer@3.4.35':
- resolution: {integrity: sha512-iZ0e/u9mRE4T8tNhlo0tbA+gzVkgv8r5BX6s1kRbOZqfpq14qoIvCZ5gIgraOmYkMYrSEZgkkojFPr+Nyq/Mnw==}
+ '@vue/server-renderer@3.4.37':
+ resolution: {integrity: sha512-jZ5FAHDR2KBq2FsRUJW6GKDOAG9lUTX8aBEGq4Vf6B/35I9fPce66BornuwmqmKgfiSlecwuOb6oeoamYMohkg==}
peerDependencies:
- vue: 3.4.35
+ vue: 3.4.37
'@vue/shared@3.1.5':
resolution: {integrity: sha512-oJ4F3TnvpXaQwZJNF3ZK+kLPHKarDmJjJ6jyzVNDKH9md1dptjC7lWR//jrGuLdek/U6iltWxqAnYOu8gCiOvA==}
- '@vue/shared@3.4.35':
- resolution: {integrity: sha512-hvuhBYYDe+b1G8KHxsQ0diDqDMA8D9laxWZhNAjE83VZb5UDaXl9Xnz7cGdDSyiHM90qqI/CyGMcpBpiDy6VVQ==}
+ '@vue/shared@3.4.37':
+ resolution: {integrity: sha512-nIh8P2fc3DflG8+5Uw8PT/1i17ccFn0xxN/5oE9RfV5SVnd7G0XEFRwakrnNFE/jlS95fpGXDVG5zDETS26nmg==}
'@webcomponents/template-shadowroot@0.2.1':
resolution: {integrity: sha512-fXL/vIUakyZL62hyvUh+EMwbVoTc0hksublmRz6ai6et8znHkJa6gtqMUZo1oc7dIz46exHSIImml9QTdknMHg==}
@@ -7728,6 +7835,11 @@ packages:
peerDependencies:
acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
+ acorn@8.12.0:
+ resolution: {integrity: sha512-RTvkC4w+KNXrM39/lWCUaG0IbRkWdCv7W/IOW9oU6SawyxulvkQy5HQPVTKxEjczcUvapcrw3cFx/60VN/NRNw==}
+ engines: {node: '>=0.4.0'}
+ hasBin: true
+
acorn@8.12.1:
resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==}
engines: {node: '>=0.4.0'}
@@ -7863,6 +7975,9 @@ packages:
peerDependencies:
postcss: ^8.1.0
+ axobject-query@4.0.0:
+ resolution: {integrity: sha512-+60uv1hiVFhHZeO+Lz0RYzsVHy5Wr1ayX0mwda9KPDVLNJgZ1T9Ny7VmFbLDzxsH0D87I86vgj3gFrjTJUYznw==}
+
axobject-query@4.1.0:
resolution: {integrity: sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ==}
engines: {node: '>= 0.4'}
@@ -7938,6 +8053,15 @@ packages:
resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==}
engines: {node: '>=8'}
+ braces@3.0.3:
+ resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==}
+ engines: {node: '>=8'}
+
+ browserslist@4.23.1:
+ resolution: {integrity: sha512-TUfofFo/KsK/bWZ9TWQ5O26tsWW4Uhmt8IYklbnUa70udB6P2wA7w7o4PY4muaEPBQaAX+CEnmmIA41NVHtPVw==}
+ engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}
+ hasBin: true
+
browserslist@4.23.3:
resolution: {integrity: sha512-btwCFJVjI4YWDNfau8RhZ+B1Q/VLoUITrm3RlP6y1tYGWIOa+InuYiRGXUBXo8nA1qKmHMyLB/iVQg5TT4eFoA==}
engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}
@@ -7981,8 +8105,11 @@ packages:
resolution: {integrity: sha512-xlx1yCK2Oc1APsPXDL2LdlNP6+uu8OCDdhOBSVT279M/S+y75O30C2VuD8T2ogdePBBl7PfPF4504tnLgX3zfw==}
engines: {node: '>=14.16'}
- caniuse-lite@1.0.30001647:
- resolution: {integrity: sha512-n83xdNiyeNcHpzWY+1aFbqCK7LuLfBricc4+alSQL2Xb6OR3XpnQAmlDG+pQcdTfiHRuLcQ96VOfrPSGiNJYSg==}
+ caniuse-lite@1.0.30001639:
+ resolution: {integrity: sha512-eFHflNTBIlFwP2AIKaYuBQN/apnUoKNhBdza8ZnW/h2di4LCZ4xFqYlxUxo+LQ76KFI1PGcC1QDxMbxTZpSCAg==}
+
+ caniuse-lite@1.0.30001649:
+ resolution: {integrity: sha512-fJegqZZ0ZX8HOWr6rcafGr72+xcgJKI9oWfDW5DrD7ExUtgZC7a7R7ZYmZqplh7XDocFdGeIFn7roAxhOeYrPQ==}
canvas-confetti@1.9.3:
resolution: {integrity: sha512-rFfTURMvmVEX1gyXFgn5QMn81bYk70qa0HLzcIOSVEyl57n6o9ItHeBtUSWdvKAPY0xlvBHno4/v3QPrT83q9g==}
@@ -8031,9 +8158,9 @@ packages:
cheerio-select@2.1.0:
resolution: {integrity: sha512-9v9kG0LvzrlcungtnJtpGNxY+fzECQKhK4EGJX2vByejiMX84MFNQw4UxPJl3bFbTMw+Dfs37XaIkCwTZfLh4g==}
- cheerio@1.0.0-rc.12:
- resolution: {integrity: sha512-VqR8m68vM46BNnuZ5NtnGBKIE/DfN0cRIzg9n40EIq9NOv90ayxLBXA8fXC5gquFRGJSTRqBq25Jt2ECLR431Q==}
- engines: {node: '>= 6'}
+ cheerio@1.0.0:
+ resolution: {integrity: sha512-quS9HgjQpdaXOvsZz82Oz7uxtXiy6UIsIQcpBj7HRw2M63Skasm9qlDocAM7jNuaxdhpPU7c4kJN+gA5MCu4ww==}
+ engines: {node: '>=18.17'}
chokidar@3.6.0:
resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==}
@@ -8154,7 +8281,7 @@ packages:
resolution: {integrity: sha512-L3sHRo1pXXEqX8VU28kfgUY+YGsk09hPqZiZmLacNib6XNTCM8ubYeT7ryXQw8asB1sKgcU5lkB7ONug08aB8w==}
concat-map@0.0.1:
- resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==}
+ resolution: {integrity: sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=}
consola@3.2.3:
resolution: {integrity: sha512-I5qxpzLv+sJhTVEoLYNcTW+bThDCPsit0vLNKShZx6rLtpilNpmmeTPaeqJb9ZE9dV3DGaeby6Vuhrw38WjeyQ==}
@@ -8509,6 +8636,9 @@ packages:
ee-first@1.1.1:
resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==}
+ electron-to-chromium@1.4.816:
+ resolution: {integrity: sha512-EKH5X5oqC6hLmiS7/vYtZHZFTNdhsYG5NVPRN6Yn0kQHNBlT59+xSM8HBy66P5fxWpKgZbPqb+diC64ng295Jw==}
+
electron-to-chromium@1.5.4:
resolution: {integrity: sha512-orzA81VqLyIGUEA77YkVA1D+N+nNfl2isJVjjmOyrlxuooZ19ynb+dOlaDTqd/idKRS9lDCSBmtzM+kyCsMnkA==}
@@ -8528,6 +8658,9 @@ packages:
resolution: {integrity: sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==}
engines: {node: '>= 0.8'}
+ encoding-sniffer@0.2.0:
+ resolution: {integrity: sha512-ju7Wq1kg04I3HtiYIOrUrdfdDvkyO9s5XM8QAj/bN61Yo/Vb4vgJxy5vi4Yxk01gWHbrofpPtpxM8bKger9jhg==}
+
enhanced-resolve@5.16.0:
resolution: {integrity: sha512-O+QWCviPNSSLAD9Ucn8Awv+poAkqn3T1XY5/N7kR7rQO9yfSGWkYZDwpJ+iKF7B8rxaQKWngSqACpgzeapSyoA==}
engines: {node: '>=10.13.0'}
@@ -8540,6 +8673,10 @@ packages:
resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==}
engines: {node: '>=0.12'}
+ entities@5.0.0:
+ resolution: {integrity: sha512-BeJFvFRJddxobhvEdm5GqHzRV/X+ACeuw0/BuuxsCh1EUZcAIz8+kYmBp/LrQuloy6K1f3a0M7+IhmZ7QnkISA==}
+ engines: {node: '>=0.12'}
+
eol@0.9.1:
resolution: {integrity: sha512-Ds/TEoZjwggRoz/Q2O7SE3i4Jm66mqTDfmdHdq/7DKVk3bro9Q8h6WdXKdPqFLMoqxrDK5SVRzHVPOS6uuGtrg==}
@@ -8608,10 +8745,15 @@ packages:
resolution: {integrity: sha512-OtIRv/2GyiF6o/d8K7MYKKbXrOUBIK6SfkIRM4Z0dY3w+LiQ0vy3F57m0Z71bjbyeiWFiHJ8brqnmE6H6/jEuw==}
engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
- eslint@9.8.0:
- resolution: {integrity: sha512-K8qnZ/QJzT2dLKdZJVX6W4XOwBzutMYmt0lqUS+JdXgd+HTYFlonFgkJ8s44d/zMPPCnOOk0kMWCApCPhiOy9A==}
+ eslint@9.9.0:
+ resolution: {integrity: sha512-JfiKJrbx0506OEerjK2Y1QlldtBxkAlLxT5OEcRF8uaQ86noDe2k31Vw9rnSWv+MXZHj7OOUV/dA0AhdLFcyvA==}
engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
hasBin: true
+ peerDependencies:
+ jiti: '*'
+ peerDependenciesMeta:
+ jiti:
+ optional: true
esm@3.2.25:
resolution: {integrity: sha512-U1suiZ2oDVWv4zPO56S0NcR5QriEahGtdN2OR6FiOG4WJvcjBVFB0qI4+eKoWFH483PKGuLuu6V8Z4T5g63UVA==}
@@ -8735,6 +8877,10 @@ packages:
resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==}
engines: {node: '>=8'}
+ fill-range@7.1.1:
+ resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==}
+ engines: {node: '>=8'}
+
finalhandler@1.2.0:
resolution: {integrity: sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==}
engines: {node: '>= 0.8'}
@@ -9331,8 +9477,12 @@ packages:
resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
engines: {node: '>= 0.8.0'}
- libsql@0.3.12:
- resolution: {integrity: sha512-to30hj8O3DjS97wpbKN6ERZ8k66MN1IaOfFLR6oHqd25GMiPJ/ZX0VaZ7w+TsPmxcFS3p71qArj/hiedCyvXCg==}
+ libsql@0.3.19:
+ resolution: {integrity: sha512-Aj5cQ5uk/6fHdmeW0TiXK42FqUlwx7ytmMLPSaUQPin5HKKKuUPD62MAbN4OEweGBBI7q1BekoEN4gPUEL6MZA==}
+ os: [darwin, linux, win32]
+
+ libsql@0.4.1:
+ resolution: {integrity: sha512-qZlR9Yu1zMBeLChzkE/cKfoKV3Esp9cn9Vx5Zirn4AVhDWPcjYhKwbtJcMuHehgk3mH+fJr9qW+3vesBWbQpBg==}
os: [darwin, linux, win32]
lilconfig@2.1.0:
@@ -9352,14 +9502,14 @@ packages:
linkedom@0.18.4:
resolution: {integrity: sha512-JhLErxMIEOKByMi3fURXgI1fYOzR87L1Cn0+MI9GlMckFrqFZpV1SUGox1jcKtsKN3y6JgclcQf0FzZT//BuGw==}
- lit-element@4.0.4:
- resolution: {integrity: sha512-98CvgulX6eCPs6TyAIQoJZBCQPo80rgXR+dVBs61cstJXqtI+USQZAbA4gFHh6L/mxBx9MrgPLHLsUgDUHAcCQ==}
+ lit-element@4.1.0:
+ resolution: {integrity: sha512-gSejRUQJuMQjV2Z59KAS/D4iElUhwKpIyJvZ9w+DIagIQjfJnhR20h2Q5ddpzXGS+fF0tMZ/xEYGMnKmaI/iww==}
- lit-html@3.1.2:
- resolution: {integrity: sha512-3OBZSUrPnAHoKJ9AMjRL/m01YJxQMf+TMHanNtTHG68ubjnZxK0RFl102DPzsw4mWnHibfZIBJm3LWCZ/LmMvg==}
+ lit-html@3.2.0:
+ resolution: {integrity: sha512-pwT/HwoxqI9FggTrYVarkBKFN9MlTUpLrDHubTmW4SrkL3kkqW5gxwbxMMUnbbRHBC0WTZnYHcjDSCM559VyfA==}
- lit@3.1.4:
- resolution: {integrity: sha512-q6qKnKXHy2g1kjBaNfcoLlgbI3+aSOZ9Q4tiGa9bGYXq5RBXxkVTqTIVmP2VWMp29L4GyvCFm8ZQ2o56eUAMyA==}
+ lit@3.2.0:
+ resolution: {integrity: sha512-s6tI33Lf6VpDu7u4YqsSX78D28bYQulM+VAzsGch4fx2H0eLZnJsUBsPWmGYSGoKDNbjtRv02rio1o+UdPVwvw==}
lite-youtube-embed@0.3.2:
resolution: {integrity: sha512-b1dgKyF4PHhinonmr3PB172Nj0qQgA/7DE9EmeIXHR1ksnFEC2olWjNJyJGdsN2cleKHRjjsmrziKlwXtPlmLQ==}
@@ -9432,6 +9582,9 @@ packages:
resolution: {integrity: sha512-h5bgJWpxJNswbU7qCrV0tIKQCaS3blPDrqKWx+QxzuzL1zGUzij9XCWLrSLsJPu5t+eWA/ycetzYAO5IOMcWAQ==}
hasBin: true
+ magic-string@0.30.10:
+ resolution: {integrity: sha512-iIRwTIf0QKV3UAnYK4PU8uiEc4SRh5jX0mwpIwETPpHdhVM4f53RSwS/vXvN1JhGX+Cs7B8qIq3d6AH49O5fAQ==}
+
magic-string@0.30.11:
resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==}
@@ -9674,8 +9827,8 @@ packages:
micromark@4.0.0:
resolution: {integrity: sha512-o/sd0nMof8kYff+TqcDx3VSrgBTcZpSvYcAHIfHhv5VAuNmisCxjhx6YmxS8PFEpb9z5WKWKPdzf0jM23ro3RQ==}
- micromatch@4.0.5:
- resolution: {integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==}
+ micromatch@4.0.7:
+ resolution: {integrity: sha512-LPP/3KorzCwBxfeUuZmaR6bG2kdeHSbe0P2tY3FLRU4vYrjYz5hI4QZwV0njUx3jeuKe67YukQ1LSPZBKDqO/Q==}
engines: {node: '>=8.6'}
mime-db@1.52.0:
@@ -9782,8 +9935,8 @@ packages:
engines: {node: ^18 || >=20}
hasBin: true
- nanostores@0.11.0:
- resolution: {integrity: sha512-fT2u3vmWmUt93G9dmUgpnbs3AAYJb6lzu7KrJ1FdC/rjFopGiboS3bfKYv6NNkuY6g6eiRakTR48wKSL/F5C+g==}
+ nanostores@0.11.2:
+ resolution: {integrity: sha512-6bucNxMJA5rNV554WQl+MWGng0QVMzlRgpKTHHfIbVLrhQ+yRXBychV9ECGVuuUfCMQPjfIG9bj8oJFZ9hYP/Q==}
engines: {node: ^18.0.0 || >=20.0.0}
natural-compare@1.4.0:
@@ -9793,6 +9946,10 @@ packages:
resolution: {integrity: sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==}
engines: {node: '>= 0.6'}
+ neotraverse@0.6.9:
+ resolution: {integrity: sha512-IJ00Agk9rMj4ChQwT/nWhLG/vC7PgNAk+BEKOE0DU5ToOHrmv3wefk8+2TcPDb4TRTQNpq0TIaDlaqvmrTAbrw==}
+ engines: {node: '>= 18'}
+
nlcst-to-string@4.0.0:
resolution: {integrity: sha512-YKLBCcUYKAg0FNlOBT6aI91qFmSiFKiluk655WzPF+DDMA02qIyy8uiRqI8QXtcFpEvll12LpL5MXqEmAZ+dcA==}
@@ -9833,6 +9990,9 @@ packages:
resolution: {integrity: sha512-X/GpUpNNiPDYUeUD183W8V4OW6OHYWI29w/QDyb+c/GzOfVEAlo6HjbW9++eXT2aV2lGg+uS+XqTD2q0pNREQA==}
engines: {node: '>=14'}
+ node-releases@2.0.14:
+ resolution: {integrity: sha512-y10wOWt8yZpqXmOgRo77WaHEmhYQYGNA6y421PKsKYWEK8aW+cqAphborZDhqfyKrbZEN92CN1X2KbafY2s7Yw==}
+
node-releases@2.0.18:
resolution: {integrity: sha512-d9VeXT4SJ7ZeOqGX6R5EM022wpL+eWPooLI+5UpWn2jCT1aosUQEhQP214x33Wkwx3JQMvIm+tIoVOdodFS40g==}
@@ -9996,6 +10156,9 @@ packages:
parse5-htmlparser2-tree-adapter@7.0.0:
resolution: {integrity: sha512-B77tOZrqqfUfnVcOrUvfdLbz4pu4RopLD/4vmu3HUPswwTA8OH0EMW9BlWR2B0RCoiZRAHEUu7IxeP1Pd1UU+g==}
+ parse5-parser-stream@7.1.2:
+ resolution: {integrity: sha512-JyeQc9iwFLn5TbvvqACIF/VXG6abODeB3Fwmv/TGdLk2LfbWkaySGY72at4+Ty7EkPZj854u4CrICqNk2qIbow==}
+
parse5@7.1.2:
resolution: {integrity: sha512-Czj1WaSVpaoj0wbhMzLmWD69anp2WH7FXMB9n1Sy8/ZFF9jolSQVMu1Ij5WIyGmcBmhk7EOndpO4mIpihVqAXw==}
@@ -10059,6 +10222,9 @@ packages:
periscopic@3.1.0:
resolution: {integrity: sha512-vKiQ8RRtkl9P+r/+oefh25C3fhybptkHKCZSPlcXiJux2tJF55GnEj3BVn4A5gKfq9NWWXXrxkHBwVPUfH0opw==}
+ picocolors@1.0.0:
+ resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}
+
picocolors@1.0.1:
resolution: {integrity: sha512-anP1Z8qwhkbmu7MFP5iTt+wQKXgwzf7zTyGlcdzabySa9vd0Xt392U0rVmz9poOaBj0uHJKyyo9/upk0HrEQew==}
@@ -10082,13 +10248,13 @@ packages:
resolution: {integrity: sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==}
engines: {node: '>=8'}
- playwright-core@1.45.3:
- resolution: {integrity: sha512-+ym0jNbcjikaOwwSZycFbwkWgfruWvYlJfThKYAlImbxUgdWFO2oW70ojPm4OpE4t6TAo2FY/smM+hpVTtkhDA==}
+ playwright-core@1.46.0:
+ resolution: {integrity: sha512-9Y/d5UIwuJk8t3+lhmMSAJyNP1BUC/DqP3cQJDQQL/oWqAiuPTLgy7Q5dzglmTLwcBRdetzgNM/gni7ckfTr6A==}
engines: {node: '>=18'}
hasBin: true
- playwright@1.45.3:
- resolution: {integrity: sha512-QhVaS+lpluxCaioejDZ95l4Y4jSFCsBvl2UZkpeXlzxmqS+aABr5c82YmfMHrL6x27nvrvykJAFpkzT2eWdJww==}
+ playwright@1.46.0:
+ resolution: {integrity: sha512-XYJ5WvfefWONh1uPAUAi0H2xXV5S3vrtcnXe6uAOgdGi3aSpqOSXX08IAjXW34xitfuOJsvXU5anXZxPSEQiJw==}
engines: {node: '>=18'}
hasBin: true
@@ -10285,20 +10451,20 @@ packages:
postcss-value-parser@4.2.0:
resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==}
- postcss@8.4.40:
- resolution: {integrity: sha512-YF2kKIUzAofPMpfH6hOi2cGnv/HrUlfucspc7pDyvv7kGdqXrfj8SCl/t8owkEgKEuu8ZcRjSOxFxVLqwChZ2Q==}
+ postcss@8.4.41:
+ resolution: {integrity: sha512-TesUflQ0WKZqAvg52PWL6kHgLKP6xB6heTOdoYM0Wt2UHyxNa4K25EZZMgKns3BH1RLVbZCREPpLY0rhnNoHVQ==}
engines: {node: ^10 || ^12 || >=14}
- preact-render-to-string@6.5.7:
- resolution: {integrity: sha512-nACZDdv/ZZciuldVYMcfGqr61DKJeaAfPx96hn6OXoBGhgtU2yGQkA0EpTzWH4SvnwF0syLsL4WK7AIp3Ruc1g==}
+ preact-render-to-string@6.5.8:
+ resolution: {integrity: sha512-VwldmyF+5G6eqTH26uyXY2+a9fh7ry8roYnIEwarB6OnT1bVN7lnlFvh0ldeKJ7/JtvMoWO5jz9tyykRlAIDyA==}
peerDependencies:
preact: '>=10'
preact@10.23.1:
resolution: {integrity: sha512-O5UdRsNh4vdZaTieWe3XOgSpdMAmkIYBCT3VhQDlKrzyCm8lUYsk0fmVEvoQQifoOjFRTaHZO69ylrzTW2BH+A==}
- preferred-pm@3.1.4:
- resolution: {integrity: sha512-lEHd+yEm22jXdCphDrkvIJQU66EuLojPPtvZkpKIkiD+l0DMThF/niqZKJSoU8Vl7iuvtmzyMhir9LdVy5WMnA==}
+ preferred-pm@3.1.3:
+ resolution: {integrity: sha512-MkXsENfftWSRpzCzImcp4FRsCc3y1opwB73CfCNWyzMqArju2CrlMHlqB7VexKiPEOjGMbttv1r9fSCn5S610w==}
engines: {node: '>=10'}
preferred-pm@4.0.0:
@@ -10625,6 +10791,11 @@ packages:
resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==}
hasBin: true
+ semver@7.6.2:
+ resolution: {integrity: sha512-FNAIBWCx9qcRhoHcgcJ0gvU7SN1lYU2ZXuSfl04bSC5OpvDHFyJCjdNHomPXxjQlCBU67YW64PzY7/VIEH7F2w==}
+ engines: {node: '>=10'}
+ hasBin: true
+
semver@7.6.3:
resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==}
engines: {node: '>=10'}
@@ -10751,8 +10922,8 @@ packages:
resolution: {integrity: sha512-TzobUYoEft/xBtb2voRPryAUIvYguG0V7Tt3de79I1WfXgCwelqVsGuZSnu3GFGRZhXR90AeEYIM+icuB/S06Q==}
hasBin: true
- solid-js@1.8.19:
- resolution: {integrity: sha512-h8z/TvTQYsf894LM9Iau/ZW2iAKrCzAWDwjPhMcXnonmW1OIIihc28wp82b1wwei1p81fH5+gnfNOe8RzLbDRQ==}
+ solid-js@1.8.20:
+ resolution: {integrity: sha512-SsgaExCJ97mPm9WpAusjZ484Z8zTp8ggiueQOsrm81iAP7UaxaN+wiOgnPcJ9u6B2SQpoQ4FiDPAZBqVWi1V4g==}
solid-refresh@0.6.3:
resolution: {integrity: sha512-F3aPsX6hVw9ttm5LYlth8Q15x6MlI/J3Dn+o3EQyRTtTxidepSTwAYdozt01/YA+7ObcciagGEyXIopGZzQtbA==}
@@ -10922,8 +11093,8 @@ packages:
symbol-tree@3.2.4:
resolution: {integrity: sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==}
- tailwindcss@3.4.7:
- resolution: {integrity: sha512-rxWZbe87YJb4OcSopb7up2Ba4U82BoiSGUdoDr3Ydrg9ckxFS/YWsvhN323GMcddgU65QRy7JndC7ahhInhvlQ==}
+ tailwindcss@3.4.9:
+ resolution: {integrity: sha512-1SEOvRr6sSdV5IDf9iC+NU4dhwdqzF4zKKq3sAbasUWHEM6lsMhX+eNN5gkPx1BvLFEnZQEUFbXnGj8Qlp83Pg==}
engines: {node: '>=14.0.0'}
hasBin: true
@@ -11146,14 +11317,17 @@ packages:
undici-types@5.26.5:
resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==}
- undici@6.19.5:
- resolution: {integrity: sha512-LryC15SWzqQsREHIOUybavaIHF5IoL0dJ9aWWxL/PgT1KfqAW5225FZpDUFlt9xiDMS2/S7DOKhFWA7RLksWdg==}
+ undici@6.19.7:
+ resolution: {integrity: sha512-HR3W/bMGPSr90i8AAp2C4DM3wChFdJPLrWYpIS++LxS8K+W535qftjt+4MyjNYHeWabMj1nvtmLIi7l++iq91A==}
engines: {node: '>=18.17'}
unicorn-magic@0.1.0:
resolution: {integrity: sha512-lRfVq8fE8gz6QMBuDM6a+LO3IAzTi05H6gCVaUpir2E1Rwpo4ZUog45KpNXKC/Mn3Yb9UDuHumeFTo9iV/D9FQ==}
engines: {node: '>=18'}
+ unified@11.0.4:
+ resolution: {integrity: sha512-apMPnyLjAX+ty4OrNap7yumyVAMlKx5IWU2wlzzUdYJO9A8f1p9m/gywF/GM2ZDFcjQPrx59Mc90KwmxsoklxQ==}
+
unified@11.0.5:
resolution: {integrity: sha512-xKvGhPWw3k84Qjh8bI3ZeJjqnyadK+GEFtazSfZv/rKeTkTjOJho6mFqh2SM96iIcZokxiOpg78GazTSg8+KHA==}
@@ -11227,6 +11401,12 @@ packages:
resolution: {integrity: sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==}
engines: {node: '>= 0.8'}
+ update-browserslist-db@1.0.16:
+ resolution: {integrity: sha512-KVbTxlBYlckhF5wgfyZXTWnMn7MMZjMu9XG8bPlliUOP9ThaF4QnhP8qrjrH7DRzHfSk0oQv1wToW+iA5GajEQ==}
+ hasBin: true
+ peerDependencies:
+ browserslist: '>= 4.21.0'
+
update-browserslist-db@1.1.0:
resolution: {integrity: sha512-EdRAaAyk2cUE1wOf2DkEhzxqOQvFOoRJFNS6NeyJ01Gp2beMRpBAINjM2iDXE3KCuKhwnvHIQCJm6ThL2Z+HzQ==}
hasBin: true
@@ -11318,8 +11498,8 @@ packages:
peerDependencies:
vue: '>=3.2.13'
- vite@5.3.5:
- resolution: {integrity: sha512-MdjglKR6AQXQb9JGiS7Rc2wC6uMjcm7Go/NHNO63EwiJXfuk9PgqiP/n5IDJCziMkfw9n4Ubp7lttNwz+8ZVKA==}
+ vite@5.4.0:
+ resolution: {integrity: sha512-5xokfMX0PIiwCMCMb9ZJcMyh5wbBun0zUzKib+L65vAZ8GY9ePZMXxFrHbr/Kyll2+LSCY7xtERPpxkBDKngwg==}
engines: {node: ^18.0.0 || >=20.0.0}
hasBin: true
peerDependencies:
@@ -11327,6 +11507,7 @@ packages:
less: '*'
lightningcss: ^1.21.0
sass: '*'
+ sass-embedded: '*'
stylus: '*'
sugarss: '*'
terser: ^5.4.0
@@ -11339,6 +11520,8 @@ packages:
optional: true
sass:
optional: true
+ sass-embedded:
+ optional: true
stylus:
optional: true
sugarss:
@@ -11468,8 +11651,8 @@ packages:
vscode-uri@3.0.8:
resolution: {integrity: sha512-AyFQ0EVmsOZOlAnxoFOGOq1SQDWAB7C6aqMGS23svWAllfOaxbuFvcT8D1i8z3Gyn8fraVeZNNmN6e9bxxXkKw==}
- vue@3.4.35:
- resolution: {integrity: sha512-+fl/GLmI4GPileHftVlCdB7fUL4aziPcqTudpTGXCT8s+iZWuOCeNEB5haX6Uz2IpRrbEXOgIFbe+XciCuGbNQ==}
+ vue@3.4.37:
+ resolution: {integrity: sha512-3vXvNfkKTBsSJ7JP+LyR7GBuwQuckbWvuwAid3xbqK9ppsKt/DUvfqgZ48fgOLEfpy1IacL5f8QhUVl77RaI7A==}
peerDependencies:
typescript: '*'
peerDependenciesMeta:
@@ -11490,8 +11673,8 @@ packages:
web-vitals@3.5.2:
resolution: {integrity: sha512-c0rhqNcHXRkY/ogGDJQxZ9Im9D19hDihbzSQJrsioex+KnFgmMzBiy57Z1EjkhX/+OjyBpclDCzz2ITtjokFmg==}
- web-vitals@4.2.2:
- resolution: {integrity: sha512-nYfoOqb4EmElljyXU2qdeE76KsvoHdftQKY4DzA9Aw8DervCg2bG634pHLrJ/d6+B4mE3nWTSJv8Mo7B2mbZkw==}
+ web-vitals@4.2.3:
+ resolution: {integrity: sha512-/CFAm1mNxSmOj6i0Co+iGFJ58OS4NRGVP+AWS/l509uIK5a1bSoIVaHz/ZumpHTfHSZBpgrJ+wjfpAOrTHok5Q==}
webidl-conversions@3.0.1:
resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==}
@@ -11519,8 +11702,8 @@ packages:
resolution: {integrity: sha512-n1brCuqClxfFfq/Rb0ICg9giSZqCS+pLtccdag6C2HyufBrh3fBOiy9nb6ggRMvWOVH5GrdJskj5iGTZNxd7SA==}
engines: {node: '>=4'}
- which-pm@2.2.0:
- resolution: {integrity: sha512-MOiaDbA5ZZgUjkeMWM5EkJp4loW5ZRoa5bc3/aeMox/PJelMhE6t7S/mLuiY43DBupyxH+S0U1bTui9kWUlmsw==}
+ which-pm@2.0.0:
+ resolution: {integrity: sha512-Lhs9Pmyph0p5n5Z3mVnN0yWcbQYUAD7rbQUiMsQxOJ3T57k7RFe35SUwWMf7dsbDZks1uOmw4AecB/JMDj3v/w==}
engines: {node: '>=8.15'}
which-pm@3.0.0:
@@ -11593,6 +11776,9 @@ packages:
resolution: {integrity: sha512-f9s+fUkX04BxQf+7mMWAp5zk61pciie+fFLC9hX9UVvCeJQfNHRHXpeo5MPcR0EUf57PYLdt+ZO4f3Ipk2oZUw==}
engines: {node: '>=0.1'}
+ xxhash-wasm@1.0.2:
+ resolution: {integrity: sha512-ibF0Or+FivM9lNrg+HGJfVX8WJqgo+kCLDc4vx6xMeTce7Aj+DLttKbxxRR/gNLSAelRc1omAPlJ77N/Jem07A==}
+
y18n@5.0.8:
resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==}
engines: {node: '>=10'}
@@ -11636,6 +11822,12 @@ packages:
peerDependencies:
zod: ^3.23.3
+ zod-to-ts@1.2.0:
+ resolution: {integrity: sha512-x30XE43V+InwGpvTySRNz9kB7qFU8DlyEy7BsSTCHPH1R0QasMmHWZDCzYm6bVXtj/9NNJAZF3jW8rzFvH5OFA==}
+ peerDependencies:
+ typescript: ^4.9.4 || ^5.0.2
+ zod: ^3
+
zod@3.23.8:
resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==}
@@ -11697,9 +11889,9 @@ snapshots:
astro: link:packages/astro
lite-youtube-embed: 0.3.2
- '@astrojs/check@0.9.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)':
+ '@astrojs/check@0.9.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)':
dependencies:
- '@astrojs/language-server': 2.13.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
+ '@astrojs/language-server': 2.13.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)
chokidar: 3.6.0
fast-glob: 3.3.2
kleur: 4.1.5
@@ -11715,11 +11907,11 @@ snapshots:
log-update: 5.0.1
sisteransi: 1.0.5
- '@astrojs/compiler@2.10.1': {}
+ '@astrojs/compiler@2.10.2': {}
- '@astrojs/language-server@2.13.1(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)':
+ '@astrojs/language-server@2.13.2(prettier-plugin-astro@0.14.1)(prettier@3.3.3)(typescript@5.5.4)':
dependencies:
- '@astrojs/compiler': 2.10.1
+ '@astrojs/compiler': 2.10.2
'@jridgewell/sourcemap-codec': 1.5.0
'@volar/kit': 2.4.0-alpha.16(typescript@5.5.4)
'@volar/language-core': 2.4.0-alpha.16
@@ -11784,7 +11976,7 @@ snapshots:
dependencies:
'@babel/compat-data': 7.25.2
'@babel/helper-validator-option': 7.24.8
- browserslist: 4.23.3
+ browserslist: 4.23.1
lru-cache: 5.1.1
semver: 6.3.1
@@ -11809,7 +12001,7 @@ snapshots:
'@babel/helper-function-name@7.24.7':
dependencies:
- '@babel/template': 7.25.0
+ '@babel/template': 7.24.7
'@babel/types': 7.25.2
'@babel/helper-member-expression-to-functions@7.24.7':
@@ -11848,6 +12040,8 @@ snapshots:
dependencies:
'@babel/types': 7.25.2
+ '@babel/helper-plugin-utils@7.24.7': {}
+
'@babel/helper-plugin-utils@7.24.8': {}
'@babel/helper-replace-supers@7.24.7(@babel/core@7.25.2)':
@@ -11903,7 +12097,7 @@ snapshots:
dependencies:
'@babel/core': 7.25.2
'@babel/helper-create-class-features-plugin': 7.24.7(@babel/core@7.25.2)
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-decorators': 7.24.1(@babel/core@7.25.2)
transitivePeerDependencies:
- supports-color
@@ -11911,17 +12105,17 @@ snapshots:
'@babel/plugin-syntax-decorators@7.24.1(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-import-attributes@7.24.1(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-import-meta@7.10.4(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-jsx@7.24.7(@babel/core@7.25.2)':
dependencies:
@@ -11931,7 +12125,7 @@ snapshots:
'@babel/plugin-syntax-typescript@7.24.7(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-transform-react-jsx-development@7.24.7(@babel/core@7.25.2)':
dependencies:
@@ -11943,12 +12137,12 @@ snapshots:
'@babel/plugin-transform-react-jsx-self@7.24.7(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-transform-react-jsx-source@7.24.1(@babel/core@7.25.2)':
dependencies:
'@babel/core': 7.25.2
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-transform-react-jsx@7.25.2(@babel/core@7.25.2)':
dependencies:
@@ -11966,7 +12160,7 @@ snapshots:
'@babel/core': 7.25.2
'@babel/helper-annotate-as-pure': 7.24.7
'@babel/helper-create-class-features-plugin': 7.24.7(@babel/core@7.25.2)
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-typescript': 7.24.7(@babel/core@7.25.2)
transitivePeerDependencies:
- supports-color
@@ -11975,6 +12169,12 @@ snapshots:
dependencies:
regenerator-runtime: 0.14.1
+ '@babel/template@7.24.7':
+ dependencies:
+ '@babel/code-frame': 7.24.7
+ '@babel/parser': 7.25.3
+ '@babel/types': 7.25.2
+
'@babel/template@7.25.0':
dependencies:
'@babel/code-frame': 7.24.7
@@ -11999,39 +12199,39 @@ snapshots:
'@babel/helper-validator-identifier': 7.24.7
to-fast-properties: 2.0.0
- '@biomejs/biome@1.8.1':
+ '@biomejs/biome@1.8.3':
optionalDependencies:
- '@biomejs/cli-darwin-arm64': 1.8.1
- '@biomejs/cli-darwin-x64': 1.8.1
- '@biomejs/cli-linux-arm64': 1.8.1
- '@biomejs/cli-linux-arm64-musl': 1.8.1
- '@biomejs/cli-linux-x64': 1.8.1
- '@biomejs/cli-linux-x64-musl': 1.8.1
- '@biomejs/cli-win32-arm64': 1.8.1
- '@biomejs/cli-win32-x64': 1.8.1
+ '@biomejs/cli-darwin-arm64': 1.8.3
+ '@biomejs/cli-darwin-x64': 1.8.3
+ '@biomejs/cli-linux-arm64': 1.8.3
+ '@biomejs/cli-linux-arm64-musl': 1.8.3
+ '@biomejs/cli-linux-x64': 1.8.3
+ '@biomejs/cli-linux-x64-musl': 1.8.3
+ '@biomejs/cli-win32-arm64': 1.8.3
+ '@biomejs/cli-win32-x64': 1.8.3
- '@biomejs/cli-darwin-arm64@1.8.1':
+ '@biomejs/cli-darwin-arm64@1.8.3':
optional: true
- '@biomejs/cli-darwin-x64@1.8.1':
+ '@biomejs/cli-darwin-x64@1.8.3':
optional: true
- '@biomejs/cli-linux-arm64-musl@1.8.1':
+ '@biomejs/cli-linux-arm64-musl@1.8.3':
optional: true
- '@biomejs/cli-linux-arm64@1.8.1':
+ '@biomejs/cli-linux-arm64@1.8.3':
optional: true
- '@biomejs/cli-linux-x64-musl@1.8.1':
+ '@biomejs/cli-linux-x64-musl@1.8.3':
optional: true
- '@biomejs/cli-linux-x64@1.8.1':
+ '@biomejs/cli-linux-x64@1.8.3':
optional: true
- '@biomejs/cli-win32-arm64@1.8.1':
+ '@biomejs/cli-win32-arm64@1.8.3':
optional: true
- '@biomejs/cli-win32-x64@1.8.1':
+ '@biomejs/cli-win32-x64@1.8.3':
optional: true
'@builder.io/partytown@0.10.2': {}
@@ -12104,7 +12304,7 @@ snapshots:
mri: 1.2.0
outdent: 0.5.0
p-limit: 2.3.0
- preferred-pm: 3.1.4
+ preferred-pm: 3.1.3
resolve-from: 5.0.0
semver: 7.6.3
spawndamnit: 2.0.0
@@ -12118,7 +12318,7 @@ snapshots:
'@changesets/types': 6.0.0
'@manypkg/get-packages': 1.1.3
fs-extra: 7.0.1
- micromatch: 4.0.5
+ micromatch: 4.0.7
'@changesets/errors@0.2.0':
dependencies:
@@ -12158,7 +12358,7 @@ snapshots:
'@changesets/types': 6.0.0
'@manypkg/get-packages': 1.1.3
is-subdir: 1.2.0
- micromatch: 4.0.5
+ micromatch: 4.0.7
spawndamnit: 2.0.0
'@changesets/logger@0.1.0':
@@ -12209,13 +12409,13 @@ snapshots:
'@clack/core@0.3.4':
dependencies:
- picocolors: 1.0.1
+ picocolors: 1.0.0
sisteransi: 1.0.5
'@clack/prompts@0.7.0':
dependencies:
'@clack/core': 0.3.4
- picocolors: 1.0.1
+ picocolors: 1.0.0
sisteransi: 1.0.5
'@colors/colors@1.5.0':
@@ -12251,201 +12451,201 @@ snapshots:
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-cascade-layers@5.0.0(postcss@8.4.40)':
+ '@csstools/postcss-cascade-layers@5.0.0(postcss@8.4.41)':
dependencies:
'@csstools/selector-specificity': 4.0.0(postcss-selector-parser@6.1.0)
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- '@csstools/postcss-color-function@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-color-function@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-color-mix-function@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-color-mix-function@3.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-content-alt-text@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-content-alt-text@2.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-exponential-functions@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-exponential-functions@2.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-calc': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-font-format-keywords@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-font-format-keywords@4.0.0(postcss@8.4.41)':
dependencies:
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-gamut-mapping@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-gamut-mapping@2.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-gradients-interpolation-method@5.0.0(postcss@8.4.40)':
+ '@csstools/postcss-gradients-interpolation-method@5.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-hwb-function@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-hwb-function@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-ic-unit@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-ic-unit@4.0.0(postcss@8.4.41)':
dependencies:
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-initial@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-initial@2.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-is-pseudo-class@5.0.0(postcss@8.4.40)':
+ '@csstools/postcss-is-pseudo-class@5.0.0(postcss@8.4.41)':
dependencies:
'@csstools/selector-specificity': 4.0.0(postcss-selector-parser@6.1.0)
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- '@csstools/postcss-light-dark-function@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-light-dark-function@2.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-logical-float-and-clear@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-logical-float-and-clear@3.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-logical-overflow@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-logical-overflow@2.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-logical-overscroll-behavior@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-logical-overscroll-behavior@2.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-logical-resize@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-logical-resize@3.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-logical-viewport-units@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-logical-viewport-units@3.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-tokenizer': 3.0.0
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-media-minmax@2.0.0(postcss@8.4.40)':
+ '@csstools/postcss-media-minmax@2.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-calc': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
'@csstools/media-query-list-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-media-queries-aspect-ratio-number-values@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-media-queries-aspect-ratio-number-values@3.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
'@csstools/media-query-list-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-nested-calc@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-nested-calc@4.0.0(postcss@8.4.41)':
dependencies:
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-normalize-display-values@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-normalize-display-values@4.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-oklab-function@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-oklab-function@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-progressive-custom-properties@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-progressive-custom-properties@4.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-relative-color-syntax@3.0.0(postcss@8.4.40)':
+ '@csstools/postcss-relative-color-syntax@3.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- '@csstools/postcss-scope-pseudo-class@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-scope-pseudo-class@4.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- '@csstools/postcss-stepped-value-functions@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-stepped-value-functions@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-calc': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-text-decoration-shorthand@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-text-decoration-shorthand@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/color-helpers': 4.2.1
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- '@csstools/postcss-trigonometric-functions@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-trigonometric-functions@4.0.0(postcss@8.4.41)':
dependencies:
'@csstools/css-calc': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- postcss: 8.4.40
+ postcss: 8.4.41
- '@csstools/postcss-unset-value@4.0.0(postcss@8.4.40)':
+ '@csstools/postcss-unset-value@4.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
'@csstools/selector-resolve-nested@2.0.0(postcss-selector-parser@6.1.0)':
dependencies:
@@ -12455,9 +12655,9 @@ snapshots:
dependencies:
postcss-selector-parser: 6.1.0
- '@csstools/utilities@2.0.0(postcss@8.4.40)':
+ '@csstools/utilities@2.0.0(postcss@8.4.41)':
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
'@emmetio/abbreviation@2.3.3':
dependencies:
@@ -12556,11 +12756,13 @@ snapshots:
'@esbuild/win32-x64@0.21.5':
optional: true
- '@eslint-community/eslint-utils@4.4.0(eslint@9.8.0)':
+ '@eslint-community/eslint-utils@4.4.0(eslint@9.9.0(jiti@1.21.0))':
dependencies:
- eslint: 9.8.0
+ eslint: 9.9.0(jiti@1.21.0)
eslint-visitor-keys: 3.4.3
+ '@eslint-community/regexpp@4.10.0': {}
+
'@eslint-community/regexpp@4.11.0': {}
'@eslint/config-array@0.17.1':
@@ -12585,7 +12787,7 @@ snapshots:
transitivePeerDependencies:
- supports-color
- '@eslint/js@9.8.0': {}
+ '@eslint/js@9.9.0': {}
'@eslint/object-schema@2.1.4': {}
@@ -12690,19 +12892,21 @@ snapshots:
'@jridgewell/gen-mapping@0.3.5':
dependencies:
'@jridgewell/set-array': 1.2.1
- '@jridgewell/sourcemap-codec': 1.5.0
+ '@jridgewell/sourcemap-codec': 1.4.15
'@jridgewell/trace-mapping': 0.3.25
'@jridgewell/resolve-uri@3.1.2': {}
'@jridgewell/set-array@1.2.1': {}
+ '@jridgewell/sourcemap-codec@1.4.15': {}
+
'@jridgewell/sourcemap-codec@1.5.0': {}
'@jridgewell/trace-mapping@0.3.25':
dependencies:
'@jridgewell/resolve-uri': 3.1.2
- '@jridgewell/sourcemap-codec': 1.5.0
+ '@jridgewell/sourcemap-codec': 1.4.15
'@jsdevtools/rehype-toc@3.0.2': {}
@@ -12722,25 +12926,31 @@ snapshots:
dependencies:
tslib: 2.6.2
- '@libsql/client@0.8.1':
+ '@libsql/client@0.9.0':
dependencies:
- '@libsql/core': 0.8.1
+ '@libsql/core': 0.9.0
'@libsql/hrana-client': 0.6.2
js-base64: 3.7.7
- libsql: 0.3.12
+ libsql: 0.4.1
promise-limit: 2.7.0
transitivePeerDependencies:
- bufferutil
- utf-8-validate
- '@libsql/core@0.8.1':
+ '@libsql/core@0.9.0':
dependencies:
js-base64: 3.7.7
- '@libsql/darwin-arm64@0.3.12':
+ '@libsql/darwin-arm64@0.3.19':
optional: true
- '@libsql/darwin-x64@0.3.12':
+ '@libsql/darwin-arm64@0.4.1':
+ optional: true
+
+ '@libsql/darwin-x64@0.3.19':
+ optional: true
+
+ '@libsql/darwin-x64@0.4.1':
optional: true
'@libsql/hrana-client@0.6.2':
@@ -12763,46 +12973,61 @@ snapshots:
- bufferutil
- utf-8-validate
- '@libsql/linux-arm64-gnu@0.3.12':
+ '@libsql/linux-arm64-gnu@0.3.19':
optional: true
- '@libsql/linux-arm64-musl@0.3.12':
+ '@libsql/linux-arm64-gnu@0.4.1':
optional: true
- '@libsql/linux-x64-gnu@0.3.12':
+ '@libsql/linux-arm64-musl@0.3.19':
optional: true
- '@libsql/linux-x64-musl@0.3.12':
+ '@libsql/linux-arm64-musl@0.4.1':
optional: true
- '@libsql/win32-x64-msvc@0.3.12':
+ '@libsql/linux-x64-gnu@0.3.19':
+ optional: true
+
+ '@libsql/linux-x64-gnu@0.4.1':
+ optional: true
+
+ '@libsql/linux-x64-musl@0.3.19':
+ optional: true
+
+ '@libsql/linux-x64-musl@0.4.1':
+ optional: true
+
+ '@libsql/win32-x64-msvc@0.3.19':
+ optional: true
+
+ '@libsql/win32-x64-msvc@0.4.1':
optional: true
'@lit-labs/ssr-client@1.1.7':
dependencies:
'@lit/reactive-element': 2.0.4
- lit: 3.1.4
- lit-html: 3.1.2
+ lit: 3.2.0
+ lit-html: 3.2.0
- '@lit-labs/ssr-dom-shim@1.2.0': {}
+ '@lit-labs/ssr-dom-shim@1.2.1': {}
'@lit-labs/ssr@3.2.2':
dependencies:
'@lit-labs/ssr-client': 1.1.7
- '@lit-labs/ssr-dom-shim': 1.2.0
+ '@lit-labs/ssr-dom-shim': 1.2.1
'@lit/reactive-element': 2.0.4
'@parse5/tools': 0.3.0
'@types/node': 16.18.96
enhanced-resolve: 5.16.0
- lit: 3.1.4
- lit-element: 4.0.4
- lit-html: 3.1.2
+ lit: 3.2.0
+ lit-element: 4.1.0
+ lit-html: 3.2.0
node-fetch: 3.3.2
parse5: 7.1.2
'@lit/reactive-element@2.0.4':
dependencies:
- '@lit-labs/ssr-dom-shim': 1.2.0
+ '@lit-labs/ssr-dom-shim': 1.2.1
'@manypkg/find-root@1.1.0':
dependencies:
@@ -12869,9 +13094,9 @@ snapshots:
transitivePeerDependencies:
- supports-color
- '@nanostores/preact@0.5.2(nanostores@0.11.0)(preact@10.23.1)':
+ '@nanostores/preact@0.5.2(nanostores@0.11.2)(preact@10.23.1)':
dependencies:
- nanostores: 0.11.0
+ nanostores: 0.11.2
preact: 10.23.1
'@neon-rs/load@0.0.4': {}
@@ -12895,7 +13120,7 @@ snapshots:
'@octokit/plugin-paginate-rest': 11.3.0(@octokit/core@6.1.2)
'@octokit/plugin-rest-endpoint-methods': 13.2.1(@octokit/core@6.1.2)
'@octokit/types': 13.5.0
- undici: 6.19.5
+ undici: 6.19.7
'@octokit/auth-action@5.1.1':
dependencies:
@@ -12952,6 +13177,8 @@ snapshots:
dependencies:
'@octokit/openapi-types': 22.2.0
+ '@oslojs/encoding@0.4.1': {}
+
'@parse5/tools@0.3.0':
dependencies:
parse5: 7.1.2
@@ -12959,18 +13186,18 @@ snapshots:
'@pkgjs/parseargs@0.11.0':
optional: true
- '@playwright/test@1.45.3':
+ '@playwright/test@1.46.0':
dependencies:
- playwright: 1.45.3
+ playwright: 1.46.0
'@polka/url@1.0.0-next.25': {}
- '@preact/preset-vite@2.8.2(@babel/core@7.25.2)(preact@10.23.1)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))':
+ '@preact/preset-vite@2.8.2(@babel/core@7.25.2)(preact@10.23.1)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))':
dependencies:
'@babel/core': 7.25.2
'@babel/plugin-transform-react-jsx': 7.25.2(@babel/core@7.25.2)
'@babel/plugin-transform-react-jsx-development': 7.24.7(@babel/core@7.25.2)
- '@prefresh/vite': 2.4.5(preact@10.23.1)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ '@prefresh/vite': 2.4.5(preact@10.23.1)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
'@rollup/pluginutils': 4.2.1
babel-plugin-transform-hook-names: 1.0.2(@babel/core@7.25.2)
debug: 4.3.6
@@ -12980,7 +13207,7 @@ snapshots:
resolve: 1.22.8
source-map: 0.7.4
stack-trace: 1.0.0-pre2
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- preact
- supports-color
@@ -13000,7 +13227,7 @@ snapshots:
'@prefresh/utils@1.2.0': {}
- '@prefresh/vite@2.4.5(preact@10.23.1)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))':
+ '@prefresh/vite@2.4.5(preact@10.23.1)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))':
dependencies:
'@babel/core': 7.25.2
'@prefresh/babel-plugin': 0.5.1
@@ -13008,7 +13235,7 @@ snapshots:
'@prefresh/utils': 1.2.0
'@rollup/pluginutils': 4.2.1
preact: 10.23.1
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- supports-color
@@ -13079,37 +13306,37 @@ snapshots:
'@sindresorhus/merge-streams@2.3.0': {}
- '@solidjs/router@0.14.1(solid-js@1.8.19)':
+ '@solidjs/router@0.14.1(solid-js@1.8.20)':
dependencies:
- solid-js: 1.8.19
+ solid-js: 1.8.20
- '@sveltejs/vite-plugin-svelte-inspector@2.1.0(@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)))(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))':
+ '@sveltejs/vite-plugin-svelte-inspector@2.1.0(@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)))(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))':
dependencies:
- '@sveltejs/vite-plugin-svelte': 3.1.1(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ '@sveltejs/vite-plugin-svelte': 3.1.1(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
debug: 4.3.6
svelte: 4.2.18
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- supports-color
- '@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))':
+ '@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))':
dependencies:
- '@sveltejs/vite-plugin-svelte-inspector': 2.1.0(@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)))(svelte@4.2.18)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ '@sveltejs/vite-plugin-svelte-inspector': 2.1.0(@sveltejs/vite-plugin-svelte@3.1.1(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)))(svelte@4.2.18)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
debug: 4.3.6
deepmerge: 4.3.1
kleur: 4.1.5
magic-string: 0.30.11
svelte: 4.2.18
svelte-hmr: 0.16.0(svelte@4.2.18)
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
- vitefu: 0.2.5(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
+ vitefu: 0.2.5(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
transitivePeerDependencies:
- supports-color
- '@tailwindcss/forms@0.5.7(tailwindcss@3.4.7)':
+ '@tailwindcss/forms@0.5.7(tailwindcss@3.4.9)':
dependencies:
mini-svg-data-uri: 1.4.4
- tailwindcss: 3.4.7
+ tailwindcss: 3.4.9
'@trysound/sax@0.2.0': {}
@@ -13147,6 +13374,8 @@ snapshots:
'@types/connect': 3.4.38
'@types/node': 18.19.31
+ '@types/braces@3.0.4': {}
+
'@types/canvas-confetti@1.6.4': {}
'@types/clean-css@4.2.11':
@@ -13239,6 +13468,10 @@ snapshots:
'@types/mdx@2.0.13': {}
+ '@types/micromatch@4.0.9':
+ dependencies:
+ '@types/braces': 3.0.4
+
'@types/mime@1.3.5': {}
'@types/ms@0.7.34': {}
@@ -13324,17 +13557,15 @@ snapshots:
dependencies:
'@types/node': 18.19.31
- '@types/yargs-parser@21.0.3': {}
-
- '@typescript-eslint/eslint-plugin@8.0.1(@typescript-eslint/parser@8.0.1(eslint@9.8.0)(typescript@5.5.4))(eslint@9.8.0)(typescript@5.5.4)':
+ '@typescript-eslint/eslint-plugin@8.0.1(@typescript-eslint/parser@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4))(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)':
dependencies:
'@eslint-community/regexpp': 4.11.0
- '@typescript-eslint/parser': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
+ '@typescript-eslint/parser': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
'@typescript-eslint/scope-manager': 8.0.1
- '@typescript-eslint/type-utils': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
- '@typescript-eslint/utils': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
+ '@typescript-eslint/type-utils': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
+ '@typescript-eslint/utils': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
'@typescript-eslint/visitor-keys': 8.0.1
- eslint: 9.8.0
+ eslint: 9.9.0(jiti@1.21.0)
graphemer: 1.4.0
ignore: 5.3.1
natural-compare: 1.4.0
@@ -13344,14 +13575,14 @@ snapshots:
transitivePeerDependencies:
- supports-color
- '@typescript-eslint/parser@8.0.1(eslint@9.8.0)(typescript@5.5.4)':
+ '@typescript-eslint/parser@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)':
dependencies:
'@typescript-eslint/scope-manager': 8.0.1
'@typescript-eslint/types': 8.0.1
'@typescript-eslint/typescript-estree': 8.0.1(typescript@5.5.4)
'@typescript-eslint/visitor-keys': 8.0.1
debug: 4.3.6
- eslint: 9.8.0
+ eslint: 9.9.0(jiti@1.21.0)
optionalDependencies:
typescript: 5.5.4
transitivePeerDependencies:
@@ -13362,10 +13593,10 @@ snapshots:
'@typescript-eslint/types': 8.0.1
'@typescript-eslint/visitor-keys': 8.0.1
- '@typescript-eslint/type-utils@8.0.1(eslint@9.8.0)(typescript@5.5.4)':
+ '@typescript-eslint/type-utils@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)':
dependencies:
'@typescript-eslint/typescript-estree': 8.0.1(typescript@5.5.4)
- '@typescript-eslint/utils': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
+ '@typescript-eslint/utils': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
debug: 4.3.6
ts-api-utils: 1.3.0(typescript@5.5.4)
optionalDependencies:
@@ -13391,13 +13622,13 @@ snapshots:
transitivePeerDependencies:
- supports-color
- '@typescript-eslint/utils@8.0.1(eslint@9.8.0)(typescript@5.5.4)':
+ '@typescript-eslint/utils@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)':
dependencies:
- '@eslint-community/eslint-utils': 4.4.0(eslint@9.8.0)
+ '@eslint-community/eslint-utils': 4.4.0(eslint@9.9.0(jiti@1.21.0))
'@typescript-eslint/scope-manager': 8.0.1
'@typescript-eslint/types': 8.0.1
'@typescript-eslint/typescript-estree': 8.0.1(typescript@5.5.4)
- eslint: 9.8.0
+ eslint: 9.9.0(jiti@1.21.0)
transitivePeerDependencies:
- supports-color
- typescript
@@ -13448,38 +13679,38 @@ snapshots:
estree-walker: 2.0.2
glob: 7.2.3
graceful-fs: 4.2.11
- micromatch: 4.0.5
+ micromatch: 4.0.7
node-gyp-build: 4.8.0
resolve-from: 5.0.0
transitivePeerDependencies:
- encoding
- supports-color
- '@vitejs/plugin-react@4.3.1(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))':
+ '@vitejs/plugin-react@4.3.1(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))':
dependencies:
'@babel/core': 7.25.2
'@babel/plugin-transform-react-jsx-self': 7.24.7(@babel/core@7.25.2)
'@babel/plugin-transform-react-jsx-source': 7.24.1(@babel/core@7.25.2)
'@types/babel__core': 7.20.5
react-refresh: 0.14.2
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- supports-color
- '@vitejs/plugin-vue-jsx@4.0.0(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))':
+ '@vitejs/plugin-vue-jsx@4.0.0(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))':
dependencies:
'@babel/core': 7.25.2
'@babel/plugin-transform-typescript': 7.24.7(@babel/core@7.25.2)
'@vue/babel-plugin-jsx': 1.2.2(@babel/core@7.25.2)
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
- vue: 3.4.35(typescript@5.5.4)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
+ vue: 3.4.37(typescript@5.5.4)
transitivePeerDependencies:
- supports-color
- '@vitejs/plugin-vue@5.1.2(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))':
+ '@vitejs/plugin-vue@5.1.2(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))':
dependencies:
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
- vue: 3.4.35(typescript@5.5.4)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
+ vue: 3.4.37(typescript@5.5.4)
'@vitest/expect@2.0.5':
dependencies:
@@ -13575,9 +13806,9 @@ snapshots:
'@vue/babel-plugin-jsx@1.2.2(@babel/core@7.25.2)':
dependencies:
'@babel/helper-module-imports': 7.22.15
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/plugin-syntax-jsx': 7.24.7(@babel/core@7.25.2)
- '@babel/template': 7.25.0
+ '@babel/template': 7.24.7
'@babel/traverse': 7.25.3
'@babel/types': 7.25.2
'@vue/babel-helper-vue-transform-on': 1.2.2
@@ -13595,49 +13826,49 @@ snapshots:
'@babel/code-frame': 7.24.7
'@babel/core': 7.25.2
'@babel/helper-module-imports': 7.22.15
- '@babel/helper-plugin-utils': 7.24.8
+ '@babel/helper-plugin-utils': 7.24.7
'@babel/parser': 7.25.3
- '@vue/compiler-sfc': 3.4.35
+ '@vue/compiler-sfc': 3.4.37
- '@vue/compiler-core@3.4.35':
+ '@vue/compiler-core@3.4.37':
dependencies:
'@babel/parser': 7.25.3
- '@vue/shared': 3.4.35
- entities: 4.5.0
+ '@vue/shared': 3.4.37
+ entities: 5.0.0
estree-walker: 2.0.2
source-map-js: 1.2.0
- '@vue/compiler-dom@3.4.35':
+ '@vue/compiler-dom@3.4.37':
dependencies:
- '@vue/compiler-core': 3.4.35
- '@vue/shared': 3.4.35
+ '@vue/compiler-core': 3.4.37
+ '@vue/shared': 3.4.37
- '@vue/compiler-sfc@3.4.35':
+ '@vue/compiler-sfc@3.4.37':
dependencies:
'@babel/parser': 7.25.3
- '@vue/compiler-core': 3.4.35
- '@vue/compiler-dom': 3.4.35
- '@vue/compiler-ssr': 3.4.35
- '@vue/shared': 3.4.35
+ '@vue/compiler-core': 3.4.37
+ '@vue/compiler-dom': 3.4.37
+ '@vue/compiler-ssr': 3.4.37
+ '@vue/shared': 3.4.37
estree-walker: 2.0.2
magic-string: 0.30.11
- postcss: 8.4.40
+ postcss: 8.4.41
source-map-js: 1.2.0
- '@vue/compiler-ssr@3.4.35':
+ '@vue/compiler-ssr@3.4.37':
dependencies:
- '@vue/compiler-dom': 3.4.35
- '@vue/shared': 3.4.35
+ '@vue/compiler-dom': 3.4.37
+ '@vue/shared': 3.4.37
- '@vue/devtools-core@7.3.7(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))':
+ '@vue/devtools-core@7.3.7(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))':
dependencies:
'@vue/devtools-kit': 7.3.7
'@vue/devtools-shared': 7.3.7
mitt: 3.0.1
nanoid: 3.3.7
pathe: 1.1.2
- vite-hot-client: 0.2.3(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
- vue: 3.4.35(typescript@5.5.4)
+ vite-hot-client: 0.2.3(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
+ vue: 3.4.37(typescript@5.5.4)
transitivePeerDependencies:
- vite
@@ -13659,31 +13890,31 @@ snapshots:
dependencies:
'@vue/shared': 3.1.5
- '@vue/reactivity@3.4.35':
+ '@vue/reactivity@3.4.37':
dependencies:
- '@vue/shared': 3.4.35
+ '@vue/shared': 3.4.37
- '@vue/runtime-core@3.4.35':
+ '@vue/runtime-core@3.4.37':
dependencies:
- '@vue/reactivity': 3.4.35
- '@vue/shared': 3.4.35
+ '@vue/reactivity': 3.4.37
+ '@vue/shared': 3.4.37
- '@vue/runtime-dom@3.4.35':
+ '@vue/runtime-dom@3.4.37':
dependencies:
- '@vue/reactivity': 3.4.35
- '@vue/runtime-core': 3.4.35
- '@vue/shared': 3.4.35
+ '@vue/reactivity': 3.4.37
+ '@vue/runtime-core': 3.4.37
+ '@vue/shared': 3.4.37
csstype: 3.1.3
- '@vue/server-renderer@3.4.35(vue@3.4.35(typescript@5.5.4))':
+ '@vue/server-renderer@3.4.37(vue@3.4.37(typescript@5.5.4))':
dependencies:
- '@vue/compiler-ssr': 3.4.35
- '@vue/shared': 3.4.35
- vue: 3.4.35(typescript@5.5.4)
+ '@vue/compiler-ssr': 3.4.37
+ '@vue/shared': 3.4.37
+ vue: 3.4.37(typescript@5.5.4)
'@vue/shared@3.1.5': {}
- '@vue/shared@3.4.35': {}
+ '@vue/shared@3.4.37': {}
'@webcomponents/template-shadowroot@0.2.1': {}
@@ -13702,6 +13933,8 @@ snapshots:
dependencies:
acorn: 8.12.1
+ acorn@8.12.0: {}
+
acorn@8.12.1: {}
agent-base@6.0.2:
@@ -13843,20 +14076,24 @@ snapshots:
progress: 2.0.3
reinterval: 1.1.0
retimer: 3.0.0
- semver: 7.6.3
+ semver: 7.6.2
subarg: 1.0.0
timestring: 6.0.0
- autoprefixer@10.4.20(postcss@8.4.40):
+ autoprefixer@10.4.20(postcss@8.4.41):
dependencies:
browserslist: 4.23.3
- caniuse-lite: 1.0.30001647
+ caniuse-lite: 1.0.30001649
fraction.js: 4.3.7
normalize-range: 0.1.2
picocolors: 1.0.1
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
+ axobject-query@4.0.0:
+ dependencies:
+ dequal: 2.0.3
+
axobject-query@4.1.0: {}
babel-plugin-jsx-dom-expressions@0.37.19(@babel/core@7.25.2):
@@ -13948,9 +14185,20 @@ snapshots:
dependencies:
fill-range: 7.0.1
+ braces@3.0.3:
+ dependencies:
+ fill-range: 7.1.1
+
+ browserslist@4.23.1:
+ dependencies:
+ caniuse-lite: 1.0.30001639
+ electron-to-chromium: 1.4.816
+ node-releases: 2.0.14
+ update-browserslist-db: 1.0.16(browserslist@4.23.1)
+
browserslist@4.23.3:
dependencies:
- caniuse-lite: 1.0.30001647
+ caniuse-lite: 1.0.30001649
electron-to-chromium: 1.5.4
node-releases: 2.0.18
update-browserslist-db: 1.1.0(browserslist@4.23.3)
@@ -13989,7 +14237,9 @@ snapshots:
camelcase@7.0.1: {}
- caniuse-lite@1.0.30001647: {}
+ caniuse-lite@1.0.30001639: {}
+
+ caniuse-lite@1.0.30001649: {}
canvas-confetti@1.9.3: {}
@@ -14039,15 +14289,19 @@ snapshots:
domhandler: 5.0.3
domutils: 3.1.0
- cheerio@1.0.0-rc.12:
+ cheerio@1.0.0:
dependencies:
cheerio-select: 2.1.0
dom-serializer: 2.0.0
domhandler: 5.0.3
domutils: 3.1.0
- htmlparser2: 8.0.2
+ encoding-sniffer: 0.2.0
+ htmlparser2: 9.1.0
parse5: 7.1.2
parse5-htmlparser2-tree-adapter: 7.0.0
+ parse5-parser-stream: 7.1.2
+ undici: 6.19.7
+ whatwg-mimetype: 4.0.0
chokidar@3.6.0:
dependencies:
@@ -14105,7 +14359,7 @@ snapshots:
code-red@1.0.4:
dependencies:
- '@jridgewell/sourcemap-codec': 1.5.0
+ '@jridgewell/sourcemap-codec': 1.4.15
'@types/estree': 1.0.5
acorn: 8.12.1
estree-walker: 3.0.3
@@ -14193,21 +14447,21 @@ snapshots:
shebang-command: 2.0.0
which: 2.0.2
- css-blank-pseudo@7.0.0(postcss@8.4.40):
+ css-blank-pseudo@7.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- css-has-pseudo@7.0.0(postcss@8.4.40):
+ css-has-pseudo@7.0.0(postcss@8.4.41):
dependencies:
'@csstools/selector-specificity': 4.0.0(postcss-selector-parser@6.1.0)
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
postcss-value-parser: 4.2.0
- css-prefers-color-scheme@10.0.0(postcss@8.4.40):
+ css-prefers-color-scheme@10.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
css-select@5.1.0:
dependencies:
@@ -14370,9 +14624,9 @@ snapshots:
dotenv@8.6.0: {}
- drizzle-orm@0.31.4(@libsql/client@0.8.1)(@types/react@18.3.3)(react@18.3.1):
+ drizzle-orm@0.31.4(@libsql/client@0.9.0)(@types/react@18.3.3)(react@18.3.1):
optionalDependencies:
- '@libsql/client': 0.8.1
+ '@libsql/client': 0.9.0
'@types/react': 18.3.3
react: 18.3.1
@@ -14382,6 +14636,8 @@ snapshots:
ee-first@1.1.1: {}
+ electron-to-chromium@1.4.816: {}
+
electron-to-chromium@1.5.4: {}
emmet@2.4.7:
@@ -14397,6 +14653,11 @@ snapshots:
encodeurl@1.0.2: {}
+ encoding-sniffer@0.2.0:
+ dependencies:
+ iconv-lite: 0.6.3
+ whatwg-encoding: 3.1.1
+
enhanced-resolve@5.16.0:
dependencies:
graceful-fs: 4.2.11
@@ -14409,6 +14670,8 @@ snapshots:
entities@4.5.0: {}
+ entities@5.0.0: {}
+
eol@0.9.1: {}
error-stack-parser-es@0.1.1: {}
@@ -14467,12 +14730,12 @@ snapshots:
eslint-plugin-no-only-tests@3.1.0: {}
- eslint-plugin-regexp@2.6.0(eslint@9.8.0):
+ eslint-plugin-regexp@2.6.0(eslint@9.9.0(jiti@1.21.0)):
dependencies:
- '@eslint-community/eslint-utils': 4.4.0(eslint@9.8.0)
+ '@eslint-community/eslint-utils': 4.4.0(eslint@9.9.0(jiti@1.21.0))
'@eslint-community/regexpp': 4.11.0
comment-parser: 1.4.1
- eslint: 9.8.0
+ eslint: 9.9.0(jiti@1.21.0)
jsdoc-type-pratt-parser: 4.0.0
refa: 0.12.1
regexp-ast-analysis: 0.7.1
@@ -14487,13 +14750,13 @@ snapshots:
eslint-visitor-keys@4.0.0: {}
- eslint@9.8.0:
+ eslint@9.9.0(jiti@1.21.0):
dependencies:
- '@eslint-community/eslint-utils': 4.4.0(eslint@9.8.0)
+ '@eslint-community/eslint-utils': 4.4.0(eslint@9.9.0(jiti@1.21.0))
'@eslint-community/regexpp': 4.11.0
'@eslint/config-array': 0.17.1
'@eslint/eslintrc': 3.1.0
- '@eslint/js': 9.8.0
+ '@eslint/js': 9.9.0
'@humanwhocodes/module-importer': 1.0.1
'@humanwhocodes/retry': 0.3.0
'@nodelib/fs.walk': 1.2.8
@@ -14523,6 +14786,8 @@ snapshots:
optionator: 0.9.3
strip-ansi: 6.0.1
text-table: 0.2.0
+ optionalDependencies:
+ jiti: 1.21.0
transitivePeerDependencies:
- supports-color
@@ -14654,7 +14919,7 @@ snapshots:
'@nodelib/fs.walk': 1.2.8
glob-parent: 5.1.2
merge2: 1.4.1
- micromatch: 4.0.5
+ micromatch: 4.0.7
fast-json-stable-stringify@2.1.0: {}
@@ -14685,6 +14950,10 @@ snapshots:
dependencies:
to-regex-range: 5.0.1
+ fill-range@7.1.1:
+ dependencies:
+ to-regex-range: 5.0.1
+
finalhandler@1.2.0:
dependencies:
debug: 2.6.9
@@ -14711,7 +14980,7 @@ snapshots:
find-yarn-workspace-root2@1.2.16:
dependencies:
- micromatch: 4.0.5
+ micromatch: 4.0.7
pkg-dir: 4.2.0
flat-cache@4.0.1:
@@ -15391,18 +15660,32 @@ snapshots:
prelude-ls: 1.2.1
type-check: 0.4.0
- libsql@0.3.12:
+ libsql@0.3.19:
dependencies:
'@neon-rs/load': 0.0.4
detect-libc: 2.0.2
optionalDependencies:
- '@libsql/darwin-arm64': 0.3.12
- '@libsql/darwin-x64': 0.3.12
- '@libsql/linux-arm64-gnu': 0.3.12
- '@libsql/linux-arm64-musl': 0.3.12
- '@libsql/linux-x64-gnu': 0.3.12
- '@libsql/linux-x64-musl': 0.3.12
- '@libsql/win32-x64-msvc': 0.3.12
+ '@libsql/darwin-arm64': 0.3.19
+ '@libsql/darwin-x64': 0.3.19
+ '@libsql/linux-arm64-gnu': 0.3.19
+ '@libsql/linux-arm64-musl': 0.3.19
+ '@libsql/linux-x64-gnu': 0.3.19
+ '@libsql/linux-x64-musl': 0.3.19
+ '@libsql/win32-x64-msvc': 0.3.19
+
+ libsql@0.4.1:
+ dependencies:
+ '@neon-rs/load': 0.0.4
+ detect-libc: 2.0.2
+ libsql: 0.3.19
+ optionalDependencies:
+ '@libsql/darwin-arm64': 0.4.1
+ '@libsql/darwin-x64': 0.4.1
+ '@libsql/linux-arm64-gnu': 0.4.1
+ '@libsql/linux-arm64-musl': 0.4.1
+ '@libsql/linux-x64-gnu': 0.4.1
+ '@libsql/linux-x64-musl': 0.4.1
+ '@libsql/win32-x64-msvc': 0.4.1
lilconfig@2.1.0: {}
@@ -15426,21 +15709,21 @@ snapshots:
htmlparser2: 9.1.0
uhyphen: 0.2.0
- lit-element@4.0.4:
+ lit-element@4.1.0:
dependencies:
- '@lit-labs/ssr-dom-shim': 1.2.0
+ '@lit-labs/ssr-dom-shim': 1.2.1
'@lit/reactive-element': 2.0.4
- lit-html: 3.1.2
+ lit-html: 3.2.0
- lit-html@3.1.2:
+ lit-html@3.2.0:
dependencies:
'@types/trusted-types': 2.0.7
- lit@3.1.4:
+ lit@3.2.0:
dependencies:
'@lit/reactive-element': 2.0.4
- lit-element: 4.0.4
- lit-html: 3.1.2
+ lit-element: 4.1.0
+ lit-html: 3.2.0
lite-youtube-embed@0.3.2: {}
@@ -15513,13 +15796,17 @@ snapshots:
lz-string@1.5.0: {}
+ magic-string@0.30.10:
+ dependencies:
+ '@jridgewell/sourcemap-codec': 1.4.15
+
magic-string@0.30.11:
dependencies:
'@jridgewell/sourcemap-codec': 1.5.0
magic-string@0.30.5:
dependencies:
- '@jridgewell/sourcemap-codec': 1.5.0
+ '@jridgewell/sourcemap-codec': 1.4.15
make-dir@3.1.0:
dependencies:
@@ -16043,9 +16330,9 @@ snapshots:
transitivePeerDependencies:
- supports-color
- micromatch@4.0.5:
+ micromatch@4.0.7:
dependencies:
- braces: 3.0.2
+ braces: 3.0.3
picomatch: 2.3.1
mime-db@1.52.0: {}
@@ -16120,12 +16407,14 @@ snapshots:
nanoid@5.0.7: {}
- nanostores@0.11.0: {}
+ nanostores@0.11.2: {}
natural-compare@1.4.0: {}
negotiator@0.6.3: {}
+ neotraverse@0.6.9: {}
+
nlcst-to-string@4.0.0:
dependencies:
'@types/nlcst': 2.0.3
@@ -16175,6 +16464,8 @@ snapshots:
range-parser: 1.2.1
type-is: 1.6.18
+ node-releases@2.0.14: {}
+
node-releases@2.0.18: {}
nopt@5.0.0:
@@ -16352,6 +16643,10 @@ snapshots:
domhandler: 5.0.3
parse5: 7.1.2
+ parse5-parser-stream@7.1.2:
+ dependencies:
+ parse5: 7.1.2
+
parse5@7.1.2:
dependencies:
entities: 4.5.0
@@ -16400,6 +16695,8 @@ snapshots:
estree-walker: 3.0.3
is-reference: 3.0.2
+ picocolors@1.0.0: {}
+
picocolors@1.0.1: {}
picomatch@2.3.1: {}
@@ -16414,248 +16711,248 @@ snapshots:
dependencies:
find-up: 4.1.0
- playwright-core@1.45.3: {}
+ playwright-core@1.46.0: {}
- playwright@1.45.3:
+ playwright@1.46.0:
dependencies:
- playwright-core: 1.45.3
+ playwright-core: 1.46.0
optionalDependencies:
fsevents: 2.3.2
port-authority@2.0.1: {}
- postcss-attribute-case-insensitive@7.0.0(postcss@8.4.40):
+ postcss-attribute-case-insensitive@7.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-clamp@4.1.0(postcss@8.4.40):
+ postcss-clamp@4.1.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-color-functional-notation@7.0.0(postcss@8.4.40):
+ postcss-color-functional-notation@7.0.0(postcss@8.4.41):
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- postcss-color-hex-alpha@10.0.0(postcss@8.4.40):
+ postcss-color-hex-alpha@10.0.0(postcss@8.4.41):
dependencies:
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-color-rebeccapurple@10.0.0(postcss@8.4.40):
+ postcss-color-rebeccapurple@10.0.0(postcss@8.4.41):
dependencies:
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-custom-media@11.0.0(postcss@8.4.40):
+ postcss-custom-media@11.0.0(postcss@8.4.41):
dependencies:
'@csstools/cascade-layer-name-parser': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
'@csstools/media-query-list-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-custom-properties@14.0.0(postcss@8.4.40):
+ postcss-custom-properties@14.0.0(postcss@8.4.41):
dependencies:
'@csstools/cascade-layer-name-parser': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-custom-selectors@8.0.0(postcss@8.4.40):
+ postcss-custom-selectors@8.0.0(postcss@8.4.41):
dependencies:
'@csstools/cascade-layer-name-parser': 2.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-dir-pseudo-class@9.0.0(postcss@8.4.40):
+ postcss-dir-pseudo-class@9.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-double-position-gradients@6.0.0(postcss@8.4.40):
+ postcss-double-position-gradients@6.0.0(postcss@8.4.41):
dependencies:
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-focus-visible@10.0.0(postcss@8.4.40):
+ postcss-focus-visible@10.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-focus-within@9.0.0(postcss@8.4.40):
+ postcss-focus-within@9.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-font-variant@5.0.0(postcss@8.4.40):
+ postcss-font-variant@5.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-gap-properties@6.0.0(postcss@8.4.40):
+ postcss-gap-properties@6.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-image-set-function@7.0.0(postcss@8.4.40):
+ postcss-image-set-function@7.0.0(postcss@8.4.41):
dependencies:
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-import@15.1.0(postcss@8.4.40):
+ postcss-import@15.1.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
read-cache: 1.0.0
resolve: 1.22.8
- postcss-js@4.0.1(postcss@8.4.40):
+ postcss-js@4.0.1(postcss@8.4.41):
dependencies:
camelcase-css: 2.0.1
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-lab-function@7.0.0(postcss@8.4.40):
+ postcss-lab-function@7.0.0(postcss@8.4.41):
dependencies:
'@csstools/css-color-parser': 3.0.0(@csstools/css-parser-algorithms@3.0.0(@csstools/css-tokenizer@3.0.0))(@csstools/css-tokenizer@3.0.0)
'@csstools/css-parser-algorithms': 3.0.0(@csstools/css-tokenizer@3.0.0)
'@csstools/css-tokenizer': 3.0.0
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/utilities': 2.0.0(postcss@8.4.40)
- postcss: 8.4.40
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/utilities': 2.0.0(postcss@8.4.41)
+ postcss: 8.4.41
- postcss-load-config@4.0.2(postcss@8.4.40):
+ postcss-load-config@4.0.2(postcss@8.4.41):
dependencies:
lilconfig: 3.1.1
yaml: 2.4.1
optionalDependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-logical@8.0.0(postcss@8.4.40):
+ postcss-logical@8.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-nested@6.0.1(postcss@8.4.40):
+ postcss-nested@6.0.1(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-nesting@13.0.0(postcss@8.4.40):
+ postcss-nesting@13.0.0(postcss@8.4.41):
dependencies:
'@csstools/selector-resolve-nested': 2.0.0(postcss-selector-parser@6.1.0)
'@csstools/selector-specificity': 4.0.0(postcss-selector-parser@6.1.0)
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-opacity-percentage@2.0.0(postcss@8.4.40):
+ postcss-opacity-percentage@2.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-overflow-shorthand@6.0.0(postcss@8.4.40):
+ postcss-overflow-shorthand@6.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-page-break@3.0.4(postcss@8.4.40):
+ postcss-page-break@3.0.4(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-place@10.0.0(postcss@8.4.40):
+ postcss-place@10.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-value-parser: 4.2.0
- postcss-preset-env@10.0.0(postcss@8.4.40):
+ postcss-preset-env@10.0.0(postcss@8.4.41):
dependencies:
- '@csstools/postcss-cascade-layers': 5.0.0(postcss@8.4.40)
- '@csstools/postcss-color-function': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-color-mix-function': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-content-alt-text': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-exponential-functions': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-font-format-keywords': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-gamut-mapping': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-gradients-interpolation-method': 5.0.0(postcss@8.4.40)
- '@csstools/postcss-hwb-function': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-ic-unit': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-initial': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-is-pseudo-class': 5.0.0(postcss@8.4.40)
- '@csstools/postcss-light-dark-function': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-logical-float-and-clear': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-logical-overflow': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-logical-overscroll-behavior': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-logical-resize': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-logical-viewport-units': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-media-minmax': 2.0.0(postcss@8.4.40)
- '@csstools/postcss-media-queries-aspect-ratio-number-values': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-nested-calc': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-normalize-display-values': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-oklab-function': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-relative-color-syntax': 3.0.0(postcss@8.4.40)
- '@csstools/postcss-scope-pseudo-class': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-stepped-value-functions': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-text-decoration-shorthand': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-trigonometric-functions': 4.0.0(postcss@8.4.40)
- '@csstools/postcss-unset-value': 4.0.0(postcss@8.4.40)
- autoprefixer: 10.4.20(postcss@8.4.40)
+ '@csstools/postcss-cascade-layers': 5.0.0(postcss@8.4.41)
+ '@csstools/postcss-color-function': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-color-mix-function': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-content-alt-text': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-exponential-functions': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-font-format-keywords': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-gamut-mapping': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-gradients-interpolation-method': 5.0.0(postcss@8.4.41)
+ '@csstools/postcss-hwb-function': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-ic-unit': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-initial': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-is-pseudo-class': 5.0.0(postcss@8.4.41)
+ '@csstools/postcss-light-dark-function': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-logical-float-and-clear': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-logical-overflow': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-logical-overscroll-behavior': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-logical-resize': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-logical-viewport-units': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-media-minmax': 2.0.0(postcss@8.4.41)
+ '@csstools/postcss-media-queries-aspect-ratio-number-values': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-nested-calc': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-normalize-display-values': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-oklab-function': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-progressive-custom-properties': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-relative-color-syntax': 3.0.0(postcss@8.4.41)
+ '@csstools/postcss-scope-pseudo-class': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-stepped-value-functions': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-text-decoration-shorthand': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-trigonometric-functions': 4.0.0(postcss@8.4.41)
+ '@csstools/postcss-unset-value': 4.0.0(postcss@8.4.41)
+ autoprefixer: 10.4.20(postcss@8.4.41)
browserslist: 4.23.3
- css-blank-pseudo: 7.0.0(postcss@8.4.40)
- css-has-pseudo: 7.0.0(postcss@8.4.40)
- css-prefers-color-scheme: 10.0.0(postcss@8.4.40)
+ css-blank-pseudo: 7.0.0(postcss@8.4.41)
+ css-has-pseudo: 7.0.0(postcss@8.4.41)
+ css-prefers-color-scheme: 10.0.0(postcss@8.4.41)
cssdb: 8.1.0
- postcss: 8.4.40
- postcss-attribute-case-insensitive: 7.0.0(postcss@8.4.40)
- postcss-clamp: 4.1.0(postcss@8.4.40)
- postcss-color-functional-notation: 7.0.0(postcss@8.4.40)
- postcss-color-hex-alpha: 10.0.0(postcss@8.4.40)
- postcss-color-rebeccapurple: 10.0.0(postcss@8.4.40)
- postcss-custom-media: 11.0.0(postcss@8.4.40)
- postcss-custom-properties: 14.0.0(postcss@8.4.40)
- postcss-custom-selectors: 8.0.0(postcss@8.4.40)
- postcss-dir-pseudo-class: 9.0.0(postcss@8.4.40)
- postcss-double-position-gradients: 6.0.0(postcss@8.4.40)
- postcss-focus-visible: 10.0.0(postcss@8.4.40)
- postcss-focus-within: 9.0.0(postcss@8.4.40)
- postcss-font-variant: 5.0.0(postcss@8.4.40)
- postcss-gap-properties: 6.0.0(postcss@8.4.40)
- postcss-image-set-function: 7.0.0(postcss@8.4.40)
- postcss-lab-function: 7.0.0(postcss@8.4.40)
- postcss-logical: 8.0.0(postcss@8.4.40)
- postcss-nesting: 13.0.0(postcss@8.4.40)
- postcss-opacity-percentage: 2.0.0(postcss@8.4.40)
- postcss-overflow-shorthand: 6.0.0(postcss@8.4.40)
- postcss-page-break: 3.0.4(postcss@8.4.40)
- postcss-place: 10.0.0(postcss@8.4.40)
- postcss-pseudo-class-any-link: 10.0.0(postcss@8.4.40)
- postcss-replace-overflow-wrap: 4.0.0(postcss@8.4.40)
- postcss-selector-not: 8.0.0(postcss@8.4.40)
+ postcss: 8.4.41
+ postcss-attribute-case-insensitive: 7.0.0(postcss@8.4.41)
+ postcss-clamp: 4.1.0(postcss@8.4.41)
+ postcss-color-functional-notation: 7.0.0(postcss@8.4.41)
+ postcss-color-hex-alpha: 10.0.0(postcss@8.4.41)
+ postcss-color-rebeccapurple: 10.0.0(postcss@8.4.41)
+ postcss-custom-media: 11.0.0(postcss@8.4.41)
+ postcss-custom-properties: 14.0.0(postcss@8.4.41)
+ postcss-custom-selectors: 8.0.0(postcss@8.4.41)
+ postcss-dir-pseudo-class: 9.0.0(postcss@8.4.41)
+ postcss-double-position-gradients: 6.0.0(postcss@8.4.41)
+ postcss-focus-visible: 10.0.0(postcss@8.4.41)
+ postcss-focus-within: 9.0.0(postcss@8.4.41)
+ postcss-font-variant: 5.0.0(postcss@8.4.41)
+ postcss-gap-properties: 6.0.0(postcss@8.4.41)
+ postcss-image-set-function: 7.0.0(postcss@8.4.41)
+ postcss-lab-function: 7.0.0(postcss@8.4.41)
+ postcss-logical: 8.0.0(postcss@8.4.41)
+ postcss-nesting: 13.0.0(postcss@8.4.41)
+ postcss-opacity-percentage: 2.0.0(postcss@8.4.41)
+ postcss-overflow-shorthand: 6.0.0(postcss@8.4.41)
+ postcss-page-break: 3.0.4(postcss@8.4.41)
+ postcss-place: 10.0.0(postcss@8.4.41)
+ postcss-pseudo-class-any-link: 10.0.0(postcss@8.4.41)
+ postcss-replace-overflow-wrap: 4.0.0(postcss@8.4.41)
+ postcss-selector-not: 8.0.0(postcss@8.4.41)
- postcss-pseudo-class-any-link@10.0.0(postcss@8.4.40):
+ postcss-pseudo-class-any-link@10.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
- postcss-replace-overflow-wrap@4.0.0(postcss@8.4.40):
+ postcss-replace-overflow-wrap@4.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
- postcss-selector-not@8.0.0(postcss@8.4.40):
+ postcss-selector-not@8.0.0(postcss@8.4.41):
dependencies:
- postcss: 8.4.40
+ postcss: 8.4.41
postcss-selector-parser: 6.1.0
postcss-selector-parser@6.1.0:
@@ -16665,24 +16962,24 @@ snapshots:
postcss-value-parser@4.2.0: {}
- postcss@8.4.40:
+ postcss@8.4.41:
dependencies:
nanoid: 3.3.7
picocolors: 1.0.1
source-map-js: 1.2.0
- preact-render-to-string@6.5.7(preact@10.23.1):
+ preact-render-to-string@6.5.8(preact@10.23.1):
dependencies:
preact: 10.23.1
preact@10.23.1: {}
- preferred-pm@3.1.4:
+ preferred-pm@3.1.3:
dependencies:
find-up: 5.0.0
find-yarn-workspace-root2: 1.2.16
path-exists: 4.0.0
- which-pm: 2.2.0
+ which-pm: 2.0.0
preferred-pm@4.0.0:
dependencies:
@@ -16694,7 +16991,7 @@ snapshots:
prettier-plugin-astro@0.14.1:
dependencies:
- '@astrojs/compiler': 2.10.1
+ '@astrojs/compiler': 2.10.2
prettier: 3.3.3
sass-formatter: 0.7.9
@@ -16791,7 +17088,7 @@ snapshots:
refa@0.12.1:
dependencies:
- '@eslint-community/regexpp': 4.11.0
+ '@eslint-community/regexpp': 4.10.0
regenerator-runtime@0.13.11: {}
@@ -16799,7 +17096,7 @@ snapshots:
regexp-ast-analysis@0.7.1:
dependencies:
- '@eslint-community/regexpp': 4.11.0
+ '@eslint-community/regexpp': 4.10.0
refa: 0.12.1
rehype-autolink-headings@7.1.0:
@@ -16808,7 +17105,7 @@ snapshots:
'@ungap/structured-clone': 1.2.0
hast-util-heading-rank: 3.0.0
hast-util-is-element: 3.0.0
- unified: 11.0.5
+ unified: 11.0.4
unist-util-visit: 5.0.0
rehype-mathjax@6.0.0:
@@ -17081,7 +17378,7 @@ snapshots:
scslre@0.3.0:
dependencies:
- '@eslint-community/regexpp': 4.11.0
+ '@eslint-community/regexpp': 4.10.0
refa: 0.12.1
regexp-ast-analysis: 0.7.1
@@ -17092,6 +17389,8 @@ snapshots:
semver@6.3.1: {}
+ semver@7.6.2: {}
+
semver@7.6.3: {}
send@0.18.0:
@@ -17148,7 +17447,7 @@ snapshots:
dependencies:
color: 4.2.3
detect-libc: 2.0.3
- semver: 7.6.3
+ semver: 7.6.2
optionalDependencies:
'@img/sharp-darwin-arm64': 0.33.3
'@img/sharp-darwin-x64': 0.33.3
@@ -17257,18 +17556,18 @@ snapshots:
smartypants@0.2.2: {}
- solid-js@1.8.19:
+ solid-js@1.8.20:
dependencies:
csstype: 3.1.3
seroval: 1.1.1
seroval-plugins: 1.1.1(seroval@1.1.1)
- solid-refresh@0.6.3(solid-js@1.8.19):
+ solid-refresh@0.6.3(solid-js@1.8.20):
dependencies:
'@babel/generator': 7.25.0
'@babel/helper-module-imports': 7.24.7
'@babel/types': 7.25.2
- solid-js: 1.8.19
+ solid-js: 1.8.20
transitivePeerDependencies:
- supports-color
@@ -17413,18 +17712,18 @@ snapshots:
svelte@4.2.18:
dependencies:
'@ampproject/remapping': 2.3.0
- '@jridgewell/sourcemap-codec': 1.5.0
+ '@jridgewell/sourcemap-codec': 1.4.15
'@jridgewell/trace-mapping': 0.3.25
'@types/estree': 1.0.5
- acorn: 8.12.1
+ acorn: 8.12.0
aria-query: 5.3.0
- axobject-query: 4.1.0
+ axobject-query: 4.0.0
code-red: 1.0.4
css-tree: 2.3.1
estree-walker: 3.0.3
is-reference: 3.0.2
locate-character: 3.0.0
- magic-string: 0.30.11
+ magic-string: 0.30.10
periscopic: 3.1.0
svg-tags@1.0.0: {}
@@ -17437,11 +17736,11 @@ snapshots:
css-tree: 2.3.1
css-what: 6.1.0
csso: 5.0.5
- picocolors: 1.0.1
+ picocolors: 1.0.0
symbol-tree@3.2.4: {}
- tailwindcss@3.4.7:
+ tailwindcss@3.4.9:
dependencies:
'@alloc/quick-lru': 5.2.0
arg: 5.0.2
@@ -17453,15 +17752,15 @@ snapshots:
is-glob: 4.0.3
jiti: 1.21.0
lilconfig: 2.1.0
- micromatch: 4.0.5
+ micromatch: 4.0.7
normalize-path: 3.0.0
object-hash: 3.0.0
picocolors: 1.0.1
- postcss: 8.4.40
- postcss-import: 15.1.0(postcss@8.4.40)
- postcss-js: 4.0.1(postcss@8.4.40)
- postcss-load-config: 4.0.2(postcss@8.4.40)
- postcss-nested: 6.0.1(postcss@8.4.40)
+ postcss: 8.4.41
+ postcss-import: 15.1.0(postcss@8.4.41)
+ postcss-js: 4.0.1(postcss@8.4.41)
+ postcss-load-config: 4.0.2(postcss@8.4.41)
+ postcss-nested: 6.0.1(postcss@8.4.41)
postcss-selector-parser: 6.1.0
resolve: 1.22.8
sucrase: 3.35.0
@@ -17627,11 +17926,11 @@ snapshots:
dependencies:
semver: 7.6.3
- typescript-eslint@8.0.1(eslint@9.8.0)(typescript@5.5.4):
+ typescript-eslint@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4):
dependencies:
- '@typescript-eslint/eslint-plugin': 8.0.1(@typescript-eslint/parser@8.0.1(eslint@9.8.0)(typescript@5.5.4))(eslint@9.8.0)(typescript@5.5.4)
- '@typescript-eslint/parser': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
- '@typescript-eslint/utils': 8.0.1(eslint@9.8.0)(typescript@5.5.4)
+ '@typescript-eslint/eslint-plugin': 8.0.1(@typescript-eslint/parser@8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4))(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
+ '@typescript-eslint/parser': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
+ '@typescript-eslint/utils': 8.0.1(eslint@9.9.0(jiti@1.21.0))(typescript@5.5.4)
optionalDependencies:
typescript: 5.5.4
transitivePeerDependencies:
@@ -17650,10 +17949,20 @@ snapshots:
undici-types@5.26.5: {}
- undici@6.19.5: {}
+ undici@6.19.7: {}
unicorn-magic@0.1.0: {}
+ unified@11.0.4:
+ dependencies:
+ '@types/unist': 3.0.2
+ bail: 2.0.2
+ devlop: 1.1.0
+ extend: 3.0.2
+ is-plain-obj: 4.1.0
+ trough: 2.2.0
+ vfile: 6.0.2
+
unified@11.0.5:
dependencies:
'@types/unist': 3.0.2
@@ -17750,6 +18059,12 @@ snapshots:
unpipe@1.0.0: {}
+ update-browserslist-db@1.0.16(browserslist@4.23.1):
+ dependencies:
+ browserslist: 4.23.1
+ escalade: 3.1.2
+ picocolors: 1.0.1
+
update-browserslist-db@1.1.0(browserslist@4.23.3):
dependencies:
browserslist: 4.23.3
@@ -17795,9 +18110,9 @@ snapshots:
unist-util-stringify-position: 4.0.0
vfile-message: 4.0.2
- vite-hot-client@0.2.3(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)):
+ vite-hot-client@0.2.3(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)):
dependencies:
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
vite-node@2.0.5(@types/node@18.19.31)(sass@1.77.8):
dependencies:
@@ -17805,18 +18120,19 @@ snapshots:
debug: 4.3.6
pathe: 1.1.2
tinyrainbow: 1.2.0
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- '@types/node'
- less
- lightningcss
- sass
+ - sass-embedded
- stylus
- sugarss
- supports-color
- terser
- vite-plugin-inspect@0.8.4(rollup@4.20.0)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)):
+ vite-plugin-inspect@0.8.4(rollup@4.20.0)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)):
dependencies:
'@antfu/utils': 0.7.8
'@rollup/pluginutils': 5.1.0(rollup@4.20.0)
@@ -17827,41 +18143,41 @@ snapshots:
perfect-debounce: 1.0.0
picocolors: 1.0.1
sirv: 2.0.4
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- rollup
- supports-color
- vite-plugin-solid@2.10.2(solid-js@1.8.19)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)):
+ vite-plugin-solid@2.10.2(solid-js@1.8.20)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)):
dependencies:
'@babel/core': 7.25.2
'@types/babel__core': 7.20.5
babel-preset-solid: 1.8.16(@babel/core@7.25.2)
merge-anything: 5.1.7
- solid-js: 1.8.19
- solid-refresh: 0.6.3(solid-js@1.8.19)
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
- vitefu: 0.2.5(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ solid-js: 1.8.20
+ solid-refresh: 0.6.3(solid-js@1.8.20)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
+ vitefu: 0.2.5(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
transitivePeerDependencies:
- supports-color
- vite-plugin-vue-devtools@7.3.7(rollup@4.20.0)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4)):
+ vite-plugin-vue-devtools@7.3.7(rollup@4.20.0)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4)):
dependencies:
- '@vue/devtools-core': 7.3.7(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.35(typescript@5.5.4))
+ '@vue/devtools-core': 7.3.7(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))(vue@3.4.37(typescript@5.5.4))
'@vue/devtools-kit': 7.3.7
'@vue/devtools-shared': 7.3.7
execa: 8.0.1
sirv: 2.0.4
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
- vite-plugin-inspect: 0.8.4(rollup@4.20.0)(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
- vite-plugin-vue-inspector: 5.1.3(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8))
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
+ vite-plugin-inspect: 0.8.4(rollup@4.20.0)(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
+ vite-plugin-vue-inspector: 5.1.3(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8))
transitivePeerDependencies:
- '@nuxt/kit'
- rollup
- supports-color
- vue
- vite-plugin-vue-inspector@5.1.3(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)):
+ vite-plugin-vue-inspector@5.1.3(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)):
dependencies:
'@babel/core': 7.25.2
'@babel/plugin-proposal-decorators': 7.24.1(@babel/core@7.25.2)
@@ -17869,31 +18185,31 @@ snapshots:
'@babel/plugin-syntax-import-meta': 7.10.4(@babel/core@7.25.2)
'@babel/plugin-transform-typescript': 7.24.7(@babel/core@7.25.2)
'@vue/babel-plugin-jsx': 1.2.2(@babel/core@7.25.2)
- '@vue/compiler-dom': 3.4.35
+ '@vue/compiler-dom': 3.4.37
kolorist: 1.8.0
magic-string: 0.30.11
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
transitivePeerDependencies:
- supports-color
- vite-svg-loader@5.1.0(vue@3.4.35(typescript@5.5.4)):
+ vite-svg-loader@5.1.0(vue@3.4.37(typescript@5.5.4)):
dependencies:
svgo: 3.2.0
- vue: 3.4.35(typescript@5.5.4)
+ vue: 3.4.37(typescript@5.5.4)
- vite@5.3.5(@types/node@18.19.31)(sass@1.77.8):
+ vite@5.4.0(@types/node@18.19.31)(sass@1.77.8):
dependencies:
esbuild: 0.21.5
- postcss: 8.4.40
+ postcss: 8.4.41
rollup: 4.20.0
optionalDependencies:
'@types/node': 18.19.31
fsevents: 2.3.3
sass: 1.77.8
- vitefu@0.2.5(vite@5.3.5(@types/node@18.19.31)(sass@1.77.8)):
+ vitefu@0.2.5(vite@5.4.0(@types/node@18.19.31)(sass@1.77.8)):
optionalDependencies:
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
vitest@2.0.5(@types/node@18.19.31)(jsdom@23.2.0)(sass@1.77.8):
dependencies:
@@ -17913,7 +18229,7 @@ snapshots:
tinybench: 2.8.0
tinypool: 1.0.0
tinyrainbow: 1.2.0
- vite: 5.3.5(@types/node@18.19.31)(sass@1.77.8)
+ vite: 5.4.0(@types/node@18.19.31)(sass@1.77.8)
vite-node: 2.0.5(@types/node@18.19.31)(sass@1.77.8)
why-is-node-running: 2.3.0
optionalDependencies:
@@ -17923,6 +18239,7 @@ snapshots:
- less
- lightningcss
- sass
+ - sass-embedded
- stylus
- sugarss
- supports-color
@@ -18016,13 +18333,13 @@ snapshots:
vscode-uri@3.0.8: {}
- vue@3.4.35(typescript@5.5.4):
+ vue@3.4.37(typescript@5.5.4):
dependencies:
- '@vue/compiler-dom': 3.4.35
- '@vue/compiler-sfc': 3.4.35
- '@vue/runtime-dom': 3.4.35
- '@vue/server-renderer': 3.4.35(vue@3.4.35(typescript@5.5.4))
- '@vue/shared': 3.4.35
+ '@vue/compiler-dom': 3.4.37
+ '@vue/compiler-sfc': 3.4.37
+ '@vue/runtime-dom': 3.4.37
+ '@vue/server-renderer': 3.4.37(vue@3.4.37(typescript@5.5.4))
+ '@vue/shared': 3.4.37
optionalDependencies:
typescript: 5.5.4
@@ -18036,7 +18353,7 @@ snapshots:
web-vitals@3.5.2: {}
- web-vitals@4.2.2: {}
+ web-vitals@4.2.3: {}
webidl-conversions@3.0.1: {}
@@ -18060,7 +18377,7 @@ snapshots:
which-pm-runs@1.1.0: {}
- which-pm@2.2.0:
+ which-pm@2.0.0:
dependencies:
load-yaml-file: 0.2.0
path-exists: 4.0.0
@@ -18121,6 +18438,8 @@ snapshots:
xmldom-sre@0.1.31: {}
+ xxhash-wasm@1.0.2: {}
+
y18n@5.0.8: {}
yallist@2.1.2: {}
@@ -18153,6 +18472,11 @@ snapshots:
dependencies:
zod: 3.23.8
+ zod-to-ts@1.2.0(typescript@5.5.4)(zod@3.23.8):
+ dependencies:
+ typescript: 5.5.4
+ zod: 3.23.8
+
zod@3.23.8: {}
zwitch@2.0.4: {}
diff --git a/scripts/cmd/copy.js b/scripts/cmd/copy.js
index 943c998dfb..948ed114fe 100644
--- a/scripts/cmd/copy.js
+++ b/scripts/cmd/copy.js
@@ -1,19 +1,20 @@
-import arg from 'arg';
import { globby as glob } from 'globby';
import { promises as fs, readFileSync } from 'node:fs';
import { posix } from 'node:path';
+import { parseArgs } from 'node:util';
import * as tar from 'tar/create';
const { resolve, dirname, sep, join } = posix;
-/** @type {import('arg').Spec} */
-const spec = {
- '--tgz': Boolean,
-};
-
export default async function copy() {
- let { _: patterns, ['--tgz']: isCompress } = arg(spec);
- patterns = patterns.slice(1);
+ const args = parseArgs({
+ allowPositionals: true,
+ options: {
+ tgz: { type: 'boolean' },
+ },
+ });
+ const patterns = args.positionals.slice(1);
+ const isCompress = args.values.tgz;
if (isCompress) {
const files = await glob(patterns, { gitignore: true });
diff --git a/scripts/cmd/test.js b/scripts/cmd/test.js
index 04f02f73af..17f6ecd041 100644
--- a/scripts/cmd/test.js
+++ b/scripts/cmd/test.js
@@ -3,30 +3,32 @@ import { spec } from 'node:test/reporters';
import fs from 'node:fs/promises';
import path from 'node:path';
import { pathToFileURL } from 'node:url';
-import arg from 'arg';
+import { parseArgs } from 'node:util';
import glob from 'tiny-glob';
const isCI = !!process.env.CI;
const defaultTimeout = isCI ? 1400000 : 600000;
export default async function test() {
- const args = arg({
- '--match': String, // aka --test-name-pattern: https://nodejs.org/api/test.html#filtering-tests-by-name
- '--only': Boolean, // aka --test-only: https://nodejs.org/api/test.html#only-tests
- '--parallel': Boolean, // aka --test-concurrency: https://nodejs.org/api/test.html#test-runner-execution-model
- '--watch': Boolean, // experimental: https://nodejs.org/api/test.html#watch-mode
- '--timeout': Number, // Test timeout in milliseconds (default: 30000ms)
- '--setup': String, // Test setup file
- // Aliases
- '-m': '--match',
- '-o': '--only',
- '-p': '--parallel',
- '-w': '--watch',
- '-t': '--timeout',
- '-s': '--setup',
+ const args = parseArgs({
+ allowPositionals: true,
+ options: {
+ // aka --test-name-pattern: https://nodejs.org/api/test.html#filtering-tests-by-name
+ match: { type: 'string', alias: 'm' },
+ // aka --test-only: https://nodejs.org/api/test.html#only-tests
+ only: { type: 'boolean', alias: 'o' },
+ // aka --test-concurrency: https://nodejs.org/api/test.html#test-runner-execution-model
+ parallel: { type: 'boolean', alias: 'p' },
+ // experimental: https://nodejs.org/api/test.html#watch-mode
+ watch: { type: 'boolean', alias: 'w' },
+ // Test timeout in milliseconds (default: 30000ms)
+ timeout: { type: 'string', alias: 't' },
+ // Test setup file
+ setup: { type: 'string', alias: 's' },
+ },
});
- const pattern = args._[1];
+ const pattern = args.positionals[1];
if (!pattern) throw new Error('Missing test glob pattern');
const files = await glob(pattern, { filesOnly: true, absolute: true });
@@ -34,12 +36,12 @@ export default async function test() {
// For some reason, the `only` option does not work and we need to explicitly set the CLI flag instead.
// Node.js requires opt-in to run .only tests :(
// https://nodejs.org/api/test.html#only-tests
- if (args['--only']) {
+ if (args.values.only) {
process.env.NODE_OPTIONS ??= '';
process.env.NODE_OPTIONS += ' --test-only';
}
- if (!args['--parallel']) {
+ if (!args.values.parallel) {
// If not parallel, we create a temporary file that imports all the test files
// so that it all runs in a single process.
const tempTestFile = path.resolve('./node_modules/.astro/test.mjs');
@@ -56,12 +58,12 @@ export default async function test() {
// https://nodejs.org/api/test.html#runoptions
run({
files,
- testNamePatterns: args['--match'],
- concurrency: args['--parallel'],
- only: args['--only'],
- setup: args['--setup'],
- watch: args['--watch'],
- timeout: args['--timeout'] ?? defaultTimeout, // Node.js defaults to Infinity, so set better fallback
+ testNamePatterns: args.values.match,
+ concurrency: args.values.parallel,
+ only: args.values.only,
+ setup: args.values.setup,
+ watch: args.values.watch,
+ timeout: args.values.timeout ? Number(args.values.timeout) : defaultTimeout, // Node.js defaults to Infinity, so set better fallback
})
.on('test:fail', () => {
// For some reason, a test fail using the JS API does not set an exit code of 1,