Simply copy and paste the following command line in your terminal to create your first Strapi project.
npx create-strapi-app
my-project
This post is part 2 of many in our Epic Next.js Series. You can find the outline for upcoming posts here.
In this post, we will start by building our home page. We will focus on the Hero Component and Features Component and use Dynamic Zone to allow our Strapi admins to choose which component they want to use.
If you missed the first part of this series, you can check it out here.
Once our data is returned by our Strapi API, we will build out those same components within our Next JS app.
Our goal is to display our Hero Section and Features Sections on our Next application. So let's get started.
In Strapi, there are many ways of structuring your data; you can create single types,
collection types,
and components
that allow you to create reusable content types that you can use in multiple places.
We will build our Hero Section and Features Section as components.
Let's start by building out our Hero Section Component.
Looking at our Hero Section UI, we can break it down into the following parts.
We have the following items:
So, let's jump into our Strapi Admin and create our Hero Component.
Let's start by navigating to Content-Type Builder
under COMPONENTS
and clicking on Create new component.
We will create the following fields.
Media -> Single Media - image Text -> Short Text - heading Text -> Long Text - subHeading
Note: Change it to only allow images for media in advanced settings.
For our link, we will create a component that we can reuse.
Go ahead and create a new component called Link and save it under components.
Our Link component will have the following fields. Text -> Short Text -> url Text -> Short Text -> text Boolean -> isExternal
Note: for isExternal in the advanced setting, change the default value to be set to false.
Let's go ahead and add them now.
Finally, please return to our Hero Section component and add our newly created Link component.
The completed fields in our Hero Section component should look like the following:
Finally, let's add our newly created component to our Home Page via dynamic zones.
We can accomplish this by going to Content-Type Builder,
selecting the Home Page under SINGLE TYPES
and clicking on Add another field to this single type.
Select the Dynamic Zone
field, give it a name called blocks,
and click Add components to the zone.
Finally, select Use an existing component
and choose our Hero Section component.
Great, we now have our first component that has been added to our Home Page
Before creating our Features Section component, let's see if we can get our current component from our API.
First, let's add some data.
Now make sure that we have proper permission in the Settings
Now, let's test our API call in Postman. But before we do, we need to specify in Strapi all the items we would like to populate.
Looking at our content, we need to populate the following items: blocks,
image,
and link.
Before we construct our query, quick note, as of Strapi 5, we need to use the on
flag to populate our dynamic zones data.
You can learn more about it in the Strapi docs.
Remember, we can construct our query using the Strapi Query Builder.
We can populate our data with the following query.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
{
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"]
},
link: {
populate: true
}
}
}
}
}
},
}
Using the query builder, the following LHS syntax query will be generated.
http://localhost:1337/api/home-page?populate[blocks][on][layout.hero-section][populate][image][fields][0]=url&populate[blocks][on][layout.hero-section][populate][image][fields][1]=alternativeText&populate[blocks][on][layout.hero-section][populate][link][populate]=true
Here is the complete URL
We will get the following data after making a GET
request in Postman.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
{
"data": {
"id": 3,
"documentId": "fcnlk9xwoqmogfxvfim713y4",
"title": "Home Page",
"description": "This is our first single type",
"createdAt": "2024-10-01T18:33:35.081Z",
"updatedAt": "2024-10-01T23:15:19.426Z",
"publishedAt": "2024-10-01T23:15:19.436Z",
"locale": null,
"blocks": [
{
"__component": "layout.hero-section",
"id": 2,
"heading": "Epic Next.js Tutorial",
"subHeading": "It's awesome just like you.",
"image": {
"id": 1,
"documentId": "fzwtij74oqqf9yasu9mit953",
"url": "/uploads/computer_working_3aee40bab7.jpg",
"alternativeText": null
},
"link": {
"id": 2,
"url": "/login",
"text": "Login",
"isExternal": false
}
}
]
},
"meta": {}
}
Now that we know our Strapi API works, let's move into the frontend of our project, fetch our new data, and create our Hero Section React component.
Taking a look at our frontend code, this is what we have so far.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
async function getStrapiData(url: string) {
const baseUrl = "http://localhost:1337";
try {
const response = await fetch(baseUrl + url);
const data = await response.json();
return data;
} catch (error) {
console.error(error);
}
}
export default async function Home() {
const strapiData = await getStrapiData("/api/home-page");
const { title, description } = strapiData.data;
return (
<main className="container mx-auto py-6">
<h1 className="text-5xl font-bold">{title}</h1>
<p className="text-xl mt-4">{description}</p>
</main>
);
}
If we console log strapiData,
we will notice that we are not yet getting all our fields.
1
2
3
4
5
6
7
8
9
10
11
12
13
{
data: {
id: 2,
documentId: 'fcnlk9xwoqmogfxvfim713y4',
title: 'Home Page',
description: 'This is our first single type',
createdAt: '2024-10-01T18:33:35.081Z',
updatedAt: '2024-10-01T18:33:35.081Z',
publishedAt: '2024-10-01T18:33:35.090Z',
locale: null
},
meta: {}
}
That is because we need to tell Strapi what items we would like to populate. We already know how to do this; it is what we did earlier in the section when using Strapi Query Builder.
We will use the query that we defined previously.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
{
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"]
},
link: {
populate: true
}
}
}
}
}
},
}
But to make this work, we must first install the qs
package from NPM. You can learn more about it here.
It will allow us to generate our query string by passing our object from above.
Let's run the following two commands in the front end of our project.
This will add qs
.
yarn add qs
This will add the types.
yarn add @types/qs
Now that we have installed our qs
package, we can construct our query and refactor our getStrapiData
function.
Let's add the following changes to your page.tsx
file.
First let's import the qs
library.
1
import qs from "qs";
Define our query.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
const homePageQuery = qs.stringify({
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"]
},
link: {
populate: true
}
}
}
}
}
},
});
Finally, let's update our getStrapiData
function.
We will use the URL
to construct our final path; you can learn more about it in the MDN docs.
Our updated function will look like the following.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
async function getStrapiData(path: string) {
const baseUrl = "http://localhost:1337";
const url = new URL(path, baseUrl);
url.search = homePageQuery;
try {
const response = await fetch(url.href);
const data = await response.json();
return data;
} catch (error) {
console.error(error);
}
}
The final code will look as follows:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
import qs from "qs";
const homePageQuery = qs.stringify({
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"]
},
link: {
populate: true
}
}
}
}
}
},
});
async function getStrapiData(path: string) {
const baseUrl = "http://localhost:1337";
const url = new URL(path, baseUrl);
url.search = homePageQuery;
try {
const response = await fetch(url.href);
const data = await response.json();
return data;
} catch (error) {
console.error(error);
}
}
export default async function Home() {
const strapiData = await getStrapiData("/api/home-page");
console.dir(strapiData, { depth: null });
const { title, description } = strapiData.data;
return (
<main className="container mx-auto py-6">
<h1 className="text-5xl font-bold">{title}</h1>
<p className="text-xl mt-4">{description}</p>
</main>
);
}
When we look at our response in the terminal, we should see that Strapi has returned all of our requested data.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
{
data: {
id: 3,
documentId: 'fcnlk9xwoqmogfxvfim713y4',
title: 'Home Page',
description: 'This is our first single type',
createdAt: '2024-10-01T18:33:35.081Z',
updatedAt: '2024-10-01T23:15:19.426Z',
publishedAt: '2024-10-01T23:15:19.436Z',
locale: null,
blocks: [
{
__component: 'layout.hero-section',
id: 2,
heading: 'Epic Next.js Tutorial',
subHeading: "It's awesome just like you.",
image: {
id: 1,
documentId: 'fzwtij74oqqf9yasu9mit953',
url: '/uploads/computer_working_3aee40bab7.jpg',
alternativeText: null
},
link: { id: 2, url: '/login', text: 'Login', isExternal: false }
}
]
},
meta: {}
}
Before we can render our section data, let's create our Hero Section component.
We will start with the basics to ensure that we can display our data, and then we will style the UI with Tailwind and Shadcn.
Inside the components
let's create a new folder called custom
, this is where we will add all of our components that we will create.
Inside the custom
folder let's create a bare component called hero-section.tsx
.
We will add the following code to get started.
1
2
3
4
5
6
export function HeroSection({ data } : { readonly data: any }) {
console.dir(data, { depth: null })
return (
<div>Hero Section</div>
)
}
We will update the types later, but for now we will do the I don't know TS
and just use any
;
Now that we have our basic component, let's import in our home page.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
import qs from "qs";
import { HeroSection } from "@/components/custom/hero-section";
const homePageQuery = qs.stringify({
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"]
},
link: {
populate: true
}
}
}
}
}
},
});
async function getStrapiData(path: string) {
const baseUrl = "http://localhost:1337";
const url = new URL(path, baseUrl);
url.search = homePageQuery;
try {
const response = await fetch(url.href);
const data = await response.json();
return data;
} catch (error) {
console.error(error);
}
}
export default async function Home() {
const strapiData = await getStrapiData("/api/home-page");
console.dir(strapiData, { depth: null });
const { title, description, blocks } = strapiData.data;
return (
<main className="container mx-auto py-6">
<h1 className="text-5xl font-bold">{title}</h1>
<p className="text-xl mt-4">{description}</p>
<HeroSection data={blocks} />
</main>
);
}
We should see the following output when running our app. Notice we are able to see our HeroSection component.
Now let's build out our component. Let's add the following code to get us started.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
import Link from "next/link";
export function HeroSection({ data }: { readonly data: any }) {
console.dir(data, { depth: null });
return (
<header className="relative h-[600px] overflow-hidden">
<img
alt="Background"
className="absolute inset-0 object-cover w-full h-full"
height={1080}
src="https://images.pexels.com/photos/4050314/pexels-photo-4050314.jpeg?auto=compress&cs=tinysrgb&w=1260&h=750&dpr=2"
style={{
aspectRatio: "1920/1080",
objectFit: "cover",
}}
width={1920}
/>
<div className="relative z-10 flex flex-col items-center justify-center h-full text-center text-white bg-black bg-opacity-20">
<h1 className="text-4xl font-bold md:text-5xl lg:text-6xl">
Summarize Your Videos
</h1>
<p className="mt-4 text-lg md:text-xl lg:text-2xl">
Save time and get the key points from your videos
</p>
<Link
className="mt-8 inline-flex items-center justify-center px-6 py-3 text-base font-medium text-black bg-white rounded-md shadow hover:bg-gray-100"
href="/login"
>
Login
</Link>
</div>
</header>
);
}
Everything is currently hardcoded but we will fix it in just a little bit.
And do make sure that everything looks good, let's update our code in page.tsx
to remove the original styles we added in the <main>
html tag.
1
2
3
4
5
return (
<main>
<HeroSection data={blocks[0]} />
</main>
);
Now our UI should look like the following.
And the final code in the page.tsx
file should reflect the following changes.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
import qs from "qs";
import { HeroSection } from "@/components/custom/hero-section";
const homePageQuery = qs.stringify({
populate: {
blocks: {
on: {
"layout.hero-section": {
populate: {
image: {
fields: ["url", "alternativeText"],
},
link: {
populate: true,
},
},
},
},
},
},
});
async function getStrapiData(path: string) {
const baseUrl = "http://localhost:1337";
const url = new URL(path, baseUrl);
url.search = homePageQuery;
try {
const response = await fetch(url.href);
const data = await response.json();
return data;
} catch (error) {
console.error(error);
}
}
export default async function Home() {
const strapiData = await getStrapiData("/api/home-page");
console.dir(strapiData, { depth: null });
const { blocks } = strapiData.data;
return (
<main>
<HeroSection data={blocks[0]} />
</main>
);
}
Going back to the hero-section.tsx
file, let's go ahead and display our Strapi data.
This is what our data looks like.
1
2
3
4
5
6
7
8
9
10
11
12
13
{
__component: 'layout.hero-section',
id: 2,
heading: 'Epic Next.js Tutorial',
subHeading: "It's awesome just like you.",
image: {
id: 1,
documentId: 'fzwtij74oqqf9yasu9mit953',
url: '/uploads/computer_working_3aee40bab7.jpg',
alternativeText: null
},
link: { id: 2, url: '/login', text: 'Login', isExternal: false }
}
Let's use this response structure do define our interface.
Let's create the following interfaces.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
interface Image {
id: number;
documentId: string;
url: string;
alternativeText: string | null;
}
interface Link {
id: number;
url: string;
label: string;
}
interface HeroSectionProps {
id: number;
documentId: string;
__component: string;
heading: string;
subHeading: string;
image: Image;
link: Link;
}
And update our HeroSection component use our types.
1
2
3
export function HeroSection({ data }: { readonly data: HeroSectionProps }) {
// ...rest of the code
}
Finally, let's add our data from Strapi instead of hard coding it by making the following changes to our HeroSection component.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
import Link from "next/link";
interface Image {
id: number;
documentId: string;
url: string;
alternativeText: string | null;
}
interface Link {
id: number;
url: string;
text: string;
}
interface HeroSectionProps {
id: number;
documentId: string;
__component: string;
heading: string;
subHeading: string;
image: Image;
link: Link;
}
export function HeroSection({ data }: { readonly data: HeroSectionProps }) {
console.dir(data, { depth: null });
const { heading, subHeading, image, link } = data;
const imageURL = "http://localhost:1337" + image.url;
return (
<header className="relative h-[600px] overflow-hidden">
<img
alt={image.alternativeText ?? "no alternative text"}
className="absolute inset-0 object-cover w-full h-full"
height={1080}
src={imageURL}
style={{
aspectRatio: "1920/1080",
objectFit: "cover",
}}
width={1920}
/>
<div className="relative z-10 flex flex-col items-center justify-center h-full text-center text-white bg-black bg-opacity-40">
<h1 className="text-4xl font-bold md:text-5xl lg:text-6xl">
{heading}
</h1>
<p className="mt-4 text-lg md:text-xl lg:text-2xl">
{subHeading}
</p>
<Link
className="mt-8 inline-flex items-center justify-center px-6 py-3 text-base font-medium text-black bg-white rounded-md shadow hover:bg-gray-100"
href={link.url}
>
{link.text}
</Link>
</div>
</header>
);
}
We are now getting and displaying our data from Strapi but here are still more improvements that we must make in this component.
Like to use Next Image and not have to hard code "http://localhost:1337" path that we append to our image url but instead should get it from our .env
variable.
We will do this in the next post, where we will finish up our Hero Section component and start working on the Features Component
We are making some great progress. In this post, we started working on displaying our Hero Section content.
In the next post, we will create the StrapiImage component using the Next Image component to make rendering Strapi images easier.
Finish up our Hero Section and start working on our Features Section.
I hope you are enjoying this series so far. Thank you for your time, and I will see you in the next one.
This project has been updated to use Next.js 15 and Strapi 5.
If you have any questions, feel free to stop by at our Discord Community for our daily "open office hours" from 12:30 PM CST to 1:30 PM CST.
If you have a suggestion or find a mistake in the post, please open an issue on the GitHub repository.
You can also find the blog post content in the Strapi Blog.
Feel free to make PRs to fix any issues you find in the project or let me know if you have any questions.
Happy coding!