Pages
Pages are created by adding a new index.tsx
file in the src/routes
directory. Pages export a default
Qwik component, which will be rendered as the content of the page.
import { component$ } from '@qwik.dev/core';
// Notice the default export
export default component$(() => {
return <h1>Hello World!</h1>;
});
The only difference between a page and an endpoint is that an endpoint only exports an
onRequest
,onGet
,onPost
,onPut
,onDelete
,onPatch
, oronHead
function, which will be used to handle the incoming request.
head
export
Every page can export a head
property (or function) that returns a DocumentHead
object. The DocumentHead
object is used to resolve the title
of the page, as well as the meta
, links
, styles
and scripts
.
This API allows you to set the title of the page, as well as the meta, open graph, twitter tags and links. This is useful for SEO and social sharing.
import { component$ } from '@qwik.dev/core';
import type { DocumentHead } from '@qwik.dev/router';
export default component$(() => {
return <h1>About page</h1>;
});
export const head: DocumentHead = {
// This will be used to resolve the <title> of the page
title: 'About page',
meta: [
{
name: 'description',
content: 'This is the about page',
},
// Open graph
{
property: 'og:title',
content: 'About page',
},
{
property: 'og:description',
content: 'This is the about page',
},
],
links: [
{
rel: 'canonical',
href: 'https://example.com/about',
},
],
styles: [
{
style: '.error { background-color: red; }',
},
],
scripts: [
{
type: "application/ld+json",
script: JSON.stringify({
"@context": "https://schema.org",
"@type": "ItemList",
}),
},
],
};
The example above sets the title, as well as some Open Graph meta and the canonical link.
HTML places the
<head>
tag as the first element within<html>
(at the very top of the HTML content). The<head>
section is not something that your route component renders directly because it would break the HTML streaming.
Look into useDocumentHead()
to read and consume the DocumentHead
object from within your component; you can also use <DocumentHeadTags />
to render the tags directly and correctly.
Dynamic Head
You can also export a function that returns a DocumentHead
object, allowing you to programmatically set the <title>
, <meta>
, <link>
, <style>
, and <script>
tags.
This allows you to configure the <head>
using data from routeLoader$()
or routeAction$()
.
We can use the resolveValue
method to get the value of a routeLoader$()
or routeAction$()
within the head
function.
import { component$ } from '@qwik.dev/core';
import { routeLoader$ } from '@qwik.dev/router';
import type { DocumentHead } from '@qwik.dev/router';
export const useJoke = routeLoader$(async (requestEvent) => {
// Fetch a joke from a public API
const jokeId = requestEvent.params.jokeId;
const response = await fetch(`https://api.chucknorris.io/jokes/${jokeId}`);
const joke = await response.json();
return joke;
});
// Now we can export a function that returns a DocumentHead object
export const head: DocumentHead = ({resolveValue, params}) => {
const joke = resolveValue(useJoke);
return {
title: `Joke "${joke.title}"`,
meta: [
{
name: 'description',
content: joke.text,
},
{
name: 'id',
content: params.jokeId,
},
],
};
};
A note on ordering and merging
The head
exports are merged in an outward-in manner. This means that values from index.tsx
will override the layout's head
export, and that in turn will override the root layout's head
export.
However, for dynamic head()
exports (functions), the ordering is reversed. This allows to always add something to the title, for example, in a layout component.
export const head: DocumentHead = ({ head }) => {
return {
title: `MySite - ${head.title}`,
};
};
So first all plain object head
exports are merged, and then the function head
exports are called in reverse order.
Merging (both from objects or functions) is done by concatenating arrays, or overriding.
If two values in arrays (like meta
or links
) have the same key
, the last specified one wins. This allows you to override specific meta tags.
Other than that, entries that don't have a key
, or have a unique key
, are always included.
Server-injected Head
You can also pass documentHead
to createRenderer()
as part of the serverData
option.
The values passed will be used as the default values for useDocumentHead()
, before the head
exports are resolved. So layouts and pages can override the values set here.
import { createRenderer } from "@qwik.dev/router";
import Root from "./root";
export default createRenderer((opts) => {
return {
app: <Root />,
options: {
...opts,
serverData: {
...opts.serverData,
documentHead: {
title: "My App",
},
},
}
});
Nested Layouts and Head
In an advanced case, a layout may want to modify the document title of an already resolved document head. In the example below, the page component returns the title of Foo
. The containing layout component can read the value of the page's document head and modify it. In this example, the layout component is adding MyCompany -
to the title, so that when rendered, the title will be MyCompany - Foo
. Every layout in the stack has the opportunity to return a new value.
ββsrc/
ββroutes/
ββindex.tsx
ββlayout.tsx
export const head: DocumentHead = {
title: `Foo`,
};
export const head: DocumentHead = ({ head }) => {
return {
title: `MyCompany - ${head.title}`,
};
};
Google Structured Data
This example integrates Google Structured Data which helps by providing explicit clues about the meaning of a page to Google. If you want to embed custom JavaScript code, it would be ideal to do it lazily with Partytown. Sometimes, however, you are forced to load them immediately. The following example illustrates this.
import { component$ } from '@qwik.dev/core';
import type { DocumentHead } from '@qwik.dev/router';
export default component$(() => {
return <h1>About page</h1>;
});
export const head: DocumentHead = {
scripts: [
{
props: {
type: "application/ld+json",
},
script: JSON.stringify({
"@context": "https://schema.org",
"@type": "ItemList",
}),
},
],
};
The example above sets some Structured Data Markup.
Note: You need to change
router-head
component to renderhead.scripts
.
import { component$ } from "@qwik.dev/core";
import { useDocumentHead, useLocation } from "@qwik.dev/router";
export const RouterHead = component$(() => {
const head = useDocumentHead();
const loc = useLocation();
return (
<>
<title>{head.title}</title>
{/* add this */}
{head.scripts.map((s) => (
<script key={s.key} {...s.props} dangerouslySetInnerHTML={s.script} />
))}
</>
);
});