How-to Recipes: guided examples of adding features to an Astro project # Astro recipes > Short, focused how-to guides. See guided examples of adding features to your Astro project. ## Official Recipes [Section titled Official Recipes](#official-recipes) Astro’s official recipes are short, focused how-to guides that walk a reader through completing a working example of a specific task. Recipes are a great way to add new features or behavior to your Astro project by following step-by-step instructions! * ### [Installing a Vite or Rollup plugin](/en/recipes/add-yaml-support/) Learn how you can import YAML data by adding a Rollup plugin to your project. * ### [Analyze bundle size](/en/recipes/analyze-bundle-size/) Learn how to analyze the bundle generated by Astro using \`rollup-plugin-visualizer\`. * ### [Build a custom image component](/en/recipes/build-custom-img-component/) Learn how to build a custom image component that supports media queries using the getImage function. * ### [Build HTML forms in Astro pages](/en/recipes/build-forms/) Learn how to build HTML forms and handle submissions in your frontmatter. * ### [Use Bun with Astro](/en/recipes/bun/) Learn how to use Bun with your Astro site. * ### [Build forms with API routes](/en/recipes/build-forms-api/) Learn how to use JavaScript to send form submissions to an API Route. * ### [Call endpoints from the server](/en/recipes/call-endpoints/) Learn how to call endpoints from the server in Astro. * ### [Build your Astro site with Docker](/en/recipes/docker/) Learn how to build your Astro site using Docker. * ### [Add icons to external links](/en/recipes/external-links/) Learn how to install a rehype plugin to add icons to external links in your Markdown files. * ### [Add i18n features](/en/recipes/i18n/) Use dynamic routing and content collections to add internationalization support to your Astro site. * ### [Dynamically import images](/en/recipes/dynamically-importing-images/) Learn how to dynamically import images using Vite's import.meta.glob function. * ### [Verify a Captcha](/en/recipes/captcha/) Learn how to create an API route and fetch it from the client. * ### [Add last modified time](/en/recipes/modified-time/) Build a remark plugin to add the last modified time to your Markdown and MDX. * ### [Create a dev toolbar app](/en/recipes/making-toolbar-apps/) Learn how to create a dev toolbar app for your site. * ### [Add reading time](/en/recipes/reading-time/) Build a remark plugin to add reading time to your Markdown or MDX files. * ### [Add an RSS feed](/en/recipes/rss/) Add an RSS feed to your Astro site to let users subscribe to your content. * ### [Share state between Astro components](/en/recipes/sharing-state/) Learn how to share state across Astro components with Nano Stores. * ### [Share state between islands](/en/recipes/sharing-state-islands/) Learn how to share state across framework components with Nano Stores. * ### [Using streaming to improve page performance](/en/recipes/streaming-improve-page-performance/) Learn how to use streaming to improve page performance. * ### [Style rendered Markdown with Tailwind Typography](/en/recipes/tailwind-rendered-markdown/) Learn how to use @tailwind/typography to style your rendered Markdown. ## Community Resources [Section titled Community Resources](#community-resources) Find more recipes written and submitted by the community at [Astro Tips](https://astro-tips.dev). # Installing a Vite or Rollup plugin > Learn how you can import YAML data by adding a Rollup plugin to your project. Astro builds on top of Vite, and supports both Vite and Rollup plugins. This recipe uses a Rollup plugin to add the ability to import a YAML (`.yml`) file in Astro. ## Recipe [Section titled Recipe](#recipe) 1. Install `@rollup/plugin-yaml`: * npm ```shell npm install @rollup/plugin-yaml --save-dev ``` * pnpm ```shell pnpm add @rollup/plugin-yaml --save-dev ``` * Yarn ```shell yarn add @rollup/plugin-yaml --save-dev ``` 2. Import the plugin in your `astro.config.mjs` and add it to the Vite plugins array: astro.config.mjs ```js import { defineConfig } from 'astro/config'; import yaml from '@rollup/plugin-yaml'; export default defineConfig({ vite: { plugins: [yaml()] } }); ``` 3. Finally, you can import YAML data using an `import` statement: ```js import yml from './data.yml'; ``` # Analyze bundle size > Learn how to analyze the bundle generated by Astro using `rollup-plugin-visualizer`. Understanding what is a part of an Astro bundle is important for improving site performance. Visualizing the bundle can give clues as to where changes can be made in your project to reduce the bundle size. ## Recipe [Section titled Recipe](#recipe) The [`rollup-plugin-visualizer` library](https://github.com/btd/rollup-plugin-visualizer) allows you to visualize and analyze your Rollup bundle to see which modules are taking up space. 1. Install `rollup-plugin-visualizer`: * npm ```shell npm install rollup-plugin-visualizer --save-dev ``` * pnpm ```shell pnpm add rollup-plugin-visualizer --save-dev ``` * Yarn ```shell yarn add rollup-plugin-visualizer --save-dev ``` 2. Add the plugin to the `astro.config.mjs` file: ```js // @ts-check import { defineConfig } from 'astro/config'; import { visualizer } from "rollup-plugin-visualizer"; export default defineConfig({ vite: { plugins: [visualizer({ emitFile: true, filename: "stats.html", })] } }); ``` 3. Run the build command: * npm ```shell npm run build ``` * pnpm ```shell pnpm build ``` * Yarn ```shell yarn build ``` 4. Find the `stats.html` file(s) for your project. This will be at the root of your `dist/` directory for entirely static sites and will allow you to see what is included in the bundle. If your Astro project uses on-demand rendering, you will have two `stats.html` files. One will be for the client, and the other for the server, and each will be located at the root of the `dist/client` and `dist/server/` directories. See [the Rollup Plugin Visualizer documentation](https://github.com/btd/rollup-plugin-visualizer#how-to-use-generated-files) for guidance on how to interpret these files, or configure specific options. # Build a custom image component > Learn how to build a custom image component that supports media queries using the getImage function. Astro provides two built-in components that you can use to display and optimize your images. The `` component allows you to display responsive images and work with different formats and sizes. The `` component will optimize your images and allow you to pass in different formats and quality properties. When you need options that the `` and `` components do not currently support, you can use the `getImage()` function to create a custom component. In this recipe, you will use the [`getImage()` function](/en/guides/images/#generating-images-with-getimage) to create your own custom image component that displays different source images based on media queries. ## Recipe [Section titled Recipe](#recipe) 1. Create a new Astro component and import the `getImage()` function src/components/MyCustomImageComponent.astro ```astro --- import { getImage } from "astro:assets"; --- ``` 2. Create a new component for your custom image. `MyCustomComponent.astro` will receive three `props` from `Astro.props`. The `mobileImgUrl` and `desktopImgUrl` props are used for creating your image at different viewport sizes. The `alt` prop is used for the image’s alt text. These props will be passed wherever you render your custom image components. Add the following imports and define the props that you will use in your component. You can also use TypeScript to type the props. src/components/MyCustomImageComponent.astro ```astro --- import type { ImageMetadata } from "astro"; import { getImage } from "astro:assets"; interface Props { mobileImgUrl: string | ImageMetadata; desktopImgUrl: string | ImageMetadata; alt: string; } const { mobileImgUrl, desktopImgUrl, alt } = Astro.props; --- ``` 3. Define each of your responsive images by calling the `getImage()` function with your desired properties. src/components/MyCustomImageComponent.astro ```astro --- import type { ImageMetadata } from "astro"; import { getImage } from "astro:assets"; interface Props { mobileImgUrl: string | ImageMetadata; desktopImgUrl: string | ImageMetadata; alt: string; } const { mobileImgUrl, desktopImgUrl, alt } = Astro.props; const mobileImg = await getImage({ src: mobileImgUrl, format: "webp", width: 200, height: 200, }); const desktopImg = await getImage({ src: desktopImgUrl, format: "webp", width: 800, height: 200, }); --- ``` 4. Create a `` element that generates a `srcset` with your different images based on your desired media queries. src/components/MyCustomImageComponent.astro ```astro --- import type { ImageMetadata } from "astro"; import { getImage } from "astro:assets"; interface Props { mobileImgUrl: string | ImageMetadata; desktopImgUrl: string | ImageMetadata; alt: string; } const { mobileImgUrl, desktopImgUrl, alt } = Astro.props; const mobileImg = await getImage({ src: mobileImgUrl, format: "webp", width: 200, height: 200, }); const desktopImg = await getImage({ src: desktopImgUrl, format: "webp", width: 800, height: 200, }); --- {alt} ``` 5. Import and use `` in any `.astro` file. Be sure to pass the necessary props for generating two different images at the different viewport sizes: src/pages/index.astro ```astro --- import MyCustomImageComponent from "../components/MyCustomImageComponent.astro"; import mobileImage from "../images/mobile-profile-image.jpg"; import desktopImage from "../images/desktop-profile-image.jpg"; --- ``` # Build HTML forms in Astro pages > Learn how to build HTML forms and handle submissions in your frontmatter. In SSR mode, Astro pages can both display and handle forms. In this recipe, you’ll use a standard HTML form to submit data to the server. Your frontmatter script will handle the data on the server, sending no JavaScript to the client. ## Prerequisites [Section titled Prerequisites](#prerequisites) * A project with [SSR](/en/guides/on-demand-rendering/) (`output: 'server'`) enabled ## Recipe [Section titled Recipe](#recipe) 1. Create or identify a `.astro` page which will contain your form and your handling code. For example, you could add a registration page: src/pages/register.astro ```astro --- ---

Register

``` 2. Add a `
` tag with some inputs to the page. Each input should have a `name` attribute that describes the value of that input. Be sure to include a `
``` 3. Use [validation attributes](https://developer.mozilla.org/en-US/docs/Learn/Forms/Form_validation#using_built-in_form_validation) to provide basic client-side validation that works even if JavaScript is disabled. In this example, * `required` prevents form submission until the field is filled. * `minlength` sets a minimum required length for the input text. * `type="email"` also introduces validation that will only accept a valid email format. src/pages/register.astro ```astro --- ---

Register

``` 4. The form submission will cause the browser to request the page again. Change the form’s data transfer `method` to `POST` to send the form data as part of the `Request` body, rather than as URL parameters. src/pages/register.astro ```astro --- ---

Register

``` 5. Check for the `POST` method in the frontmatter and access the form data using `Astro.request.formData()`. Wrap this in a `try ... catch` block to handle cases when the `POST` request wasn’t sent by a form and the `formData` is invalid. src/pages/register.astro ```astro --- if (Astro.request.method === "POST") { try { const data = await Astro.request.formData(); const name = data.get("username"); const email = data.get("email"); const password = data.get("password"); // Do something with the data } catch (error) { if (error instanceof Error) { console.error(error.message); } } } ---

Register

``` 6. Validate the form data on the server. This should include the same validation done on the client to prevent malicious submissions to your endpoint and to support the rare legacy browser that doesn’t have form validation. It can also include validation that can’t be done on the client. For example, this example checks if the email is already in the database. Error messages can be sent back to the client by storing them in an `errors` object and accessing it in the template. src/pages/register.astro ```astro --- import { isRegistered, registerUser } from "../../data/users" import { isValidEmail } from "../../utils/isValidEmail"; const errors = { username: "", email: "", password: "" }; if (Astro.request.method === "POST") { try { const data = await Astro.request.formData(); const name = data.get("username"); const email = data.get("email"); const password = data.get("password"); if (typeof name !== "string" || name.length < 1) { errors.username += "Please enter a username. "; } if (typeof email !== "string" || !isValidEmail(email)) { errors.email += "Email is not valid. "; } else if (await isRegistered(email)) { errors.email += "Email is already registered. "; } if (typeof password !== "string" || password.length < 6) { errors.password += "Password must be at least 6 characters. "; } const hasErrors = Object.values(errors).some(msg => msg) if (!hasErrors) { await registerUser({name, email, password}); return Astro.redirect("/login"); } } catch (error) { if (error instanceof Error) { console.error(error.message); } } } ---

Register

{errors.username &&

{errors.username}

} {errors.email &&

{errors.email}

} {errors.password &&

{errors.password}

}
``` # Build forms with API routes > Learn how to use JavaScript to send form submissions to an API Route. An HTML form causes the browser to refresh the page or navigate to a new one. To send form data to an API endpoint instead, you must intercept the form submission using JavaScript. This recipe shows you how to send form data to an API endpoint and handle that data. ## Prerequisites [Section titled Prerequisites](#prerequisites) * A project with [an adapter for on-demand rendering](/en/guides/on-demand-rendering/) * A [UI Framework integration](/en/guides/framework-components/) installed ## Recipe [Section titled Recipe](#recipe) 1. Create a `POST` API endpoint at `/api/feedback` that will receive the form data. Use `request.formData()` to process it. Be sure to validate the form values before you use them. This example sends a JSON object with a message back to the client. src/pages/api/feedback.ts ```ts export const prerender = false; // Not needed in 'server' mode import type { APIRoute } from "astro"; export const POST: APIRoute = async ({ request }) => { const data = await request.formData(); const name = data.get("name"); const email = data.get("email"); const message = data.get("message"); // Validate the data - you'll probably want to do more than this if (!name || !email || !message) { return new Response( JSON.stringify({ message: "Missing required fields", }), { status: 400 } ); } // Do something with the data, then return a success response return new Response( JSON.stringify({ message: "Success!" }), { status: 200 } ); }; ``` 2. Create a form component using your UI framework. Each input should have a `name` attribute that describes the value of that input. Be sure to include a `