1
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 3 years have passed since last update.

MacでNext.jsのGettingStartedを進めてみる (3)

Posted at

Macで Next.jsの公式Getting Startedを進めてみたメモ。

使用した環境は Intel Mac + Catalinaです。
バックエンドとしてはstrapiを使っていきます。

前回の記事で Basic Features / Pages の章をやりました。
今回は Basic Features / Data Fetching やっていきます。

3. Basic Features / Data Fetching をやってみる

`getStaticProps` (Static Generation)

Simple Example に TypeScript: Use GetStaticProps を組み合わせて、 pages/blog.tsx を変えてみる

pages/blog.tsx
+ import { GetStaticProps } from 'next'
+ import { InferGetStaticPropsType } from 'next'
+ 
+ type Post = {
+   author: string
+   content: string
+   title: string
+ }
+ 
- function Blog({ posts }: {posts: any}) {
+ function Blog({ posts }: InferGetStaticPropsType<typeof getStaticProps>) {
    return (
      <ul>
-       {posts.map((post: any) => (
+       {posts.map((post: Post) => (
          <li>{post.title}</li>
        ))}
      </ul>
    );
  }

  // This function gets called at build time
- export async function getStaticProps() {
+ export const getStaticProps: GetStaticProps = async () => {
    // Call an external API endpoint to get posts
    const res = await fetch("http://localhost:1337/posts");
-   const posts = await res.json();
+   const posts: Post[] = await res.json();
  
    // By returning { props: { posts } }, the Blog component
    // will receive `posts` as a prop at build time
    return {
      props: {
        posts,
      },
    };
  }
  
  export default Blog;

まず TypeScript用の型を返してくれる関数があるっぽいのでimportする。

pages/blog.tsx
+ import { GetStaticProps } from 'next'
+ import { InferGetStaticPropsType } from 'next'

これはこんな感じでも書けそう。

pages/blog.tsx
+ import { GetStaticProps, InferGetStaticPropsType } from 'next'

次にPostのtype aliasesを定義している。

pages/blog.tsx
+ type Post = {
+   author: string
+   content: string
+   title: string
+ }

サンプルの中では authorcontent のみ書かれていたけど、 Simple Example で <li>{post.title}</li> とか書いて title を読んでたので今回は追記。

そして本丸の InferGetStaticPropsType<typeof getStaticProps>)。仮でanyにしていたところにこの記述をすることで、良い感じに型を類推してくれる模様。

pages/blog.tsx
- function Blog({ posts }: {posts: any}) {
+ function Blog({ posts }: InferGetStaticPropsType<typeof getStaticProps>) {

上記でtype aliasesを定義したので、ここでmapするときのイテレータにも型を付けてあげる。

pages/blog.tsx
-       {posts.map((post: any) => (
+       {posts.map((post: Post) => (

getStaticProps() も同様に下記のように修正。

pages/blog.tsx
- export async function getStaticProps() {
+ export const getStaticProps: GetStaticProps = async () => {

レスポンスもtype aliasesを使って明示的にをPostの配列として型付けする。

pages/blog.tsx
-   const posts = await res.json();
+   const posts: Post[] = await res.json();

こんな感じにすればこれまで通りに /blog が表示される。

command
$ open http://localhost:3000/blog

スクリーンショット 2021-05-23 20.39.11.png

最終的な pages/blog.tsx はこんな感じ。

pages/blog.tsx
import { GetStaticProps } from 'next'
import { InferGetStaticPropsType } from 'next'

type Post = {
  author: string
  content: string
  title: string
}

function Blog({ posts }: InferGetStaticPropsType<typeof getStaticProps>) {
  return (
    <ul>
      {posts.map((post: Post) => (
        <li>{post.title}</li>
      ))}
    </ul>
  );
}

// This function gets called at build time
export const getStaticProps: GetStaticProps = async () => {
  // Call an external API endpoint to get posts
  const res = await fetch("http://localhost:1337/posts");
  const posts: Post[] = await res.json();

  // By returning { props: { posts } }, the Blog component
  // will receive `posts` as a prop at build time
  return {
    props: {
      posts,
    },
  };
}

export default Blog;

次に Reading files: Use `process.cwd()` を試してみる。
ただこのまま作ると上記で作ったBlogとコンフリクトするので、下記のように修正を加える。

  • exportしていたBlogReadingFilesBlog へ変更
  • 参照先の記事が入っているフォルダを posts から reading_files_posts に変更

先に記事を適当に作っておく。
今回は reading_files_posts フォルダの下に 1.txt2.txt を適当に作る

command
$ mkdir reading_files_posts
$ echo 'Text No.1' > reading_files_posts/1.txt
$ echo 'Text No.2' > reading_files_posts/2.txt

次に例をTypeScriptにして、 pages/reading_files_blog.tsx というファイルに作っていく。

pages/reading_files_blog.tsx
import { GetStaticProps, InferGetStaticPropsType } from 'next'
import { promises as fs } from 'fs'
import path from 'path'

type Post = {
  content: string
  filename: string
}

// posts will be populated at build time by getStaticProps()
function ReadingFilesBlog({ posts }: InferGetStaticPropsType<typeof getStaticProps>) {
  return (
    <ul>
      {posts.map((post: Post) => (
        <li>
          <h3>{post.filename}</h3>
          <p>{post.content}</p>
        </li>
      ))}
    </ul>
  )
}

// This function gets called at build time on server-side.
// It won't be called on client-side, so you can even do
// direct database queries. See the "Technical details" section.
export const getStaticProps: GetStaticProps = async () => {
  const postsDirectory = path.join(process.cwd(), 'reading_files_posts')
  const filenames = await fs.readdir(postsDirectory)

  const posts = filenames.map(async (filename) => {
    const filePath = path.join(postsDirectory, filename)
    const fileContents = await fs.readFile(filePath, 'utf8')

    // Generally you would parse/transform the contents
    // For example you can transform markdown to HTML here

    return {
      filename,
      content: fileContents,
    }
  })
  // By returning { props: { posts } }, the Blog component
  // will receive `posts` as a prop at build time
  return {
    props: {
      posts: await Promise.all(posts),
    },
  }
}

export default ReadingFilesBlog

これをブラウザで表示してみる

command
$ open http://localhost:3000/reading_files_blog

スクリーンショット 2021-05-30 22.02.12.png

`getStaticPaths` (Static Generation)

TypeScript: `Use GetStaticPaths` を見てみると、 getStaticPaths() も型をよしなにしてくれるのがありそうなので、 pages/posts/[id].tsx に適応してみる

pages/posts/[id].tsx
+ import { GetStaticProps } from 'next'
+ import { InferGetStaticPropsType } from 'next'
+ import { GetStaticPaths } from 'next'
+ 
+ type Post = {
+   id: number
+   author: string
+   content: string
+   title: string
+ }
+ 
- function Post({ post }) {
+ function Post({ post }: InferGetStaticPropsType<typeof getStaticProps>) {
    // Render post...
    return <h1>[{post.id}] {post.title}</h1>;
  }
 
  // This function gets called at build time 
- export async function getStaticPaths() {
+ export const getStaticPaths: GetStaticPaths = async () => {
  
    // Call an external API endpoint to get posts
    const res = await fetch("http://localhost:1337/posts");
-   const posts = await res.json();
+   const posts: Post[] = await res.json();
  
    // Get the paths we want to pre-render based on posts
-   const paths = posts.map((post) => ({
+   const paths = posts.map((post: Post) => ({
      params: { id: String(post.id) },
    }));
  
    // We'll pre-render only these paths at build time.
    // { fallback: false } means other routes should 404.
    return { paths, fallback: false };
  }
  
  // This also gets called at build time
- export async function getStaticProps({ params }) {
+ export const getStaticProps: GetStaticProps = async (context) => {
+   const { params } = context;
  
    // params contains the post `id`.
    // If the route is like /posts/1, then params.id is 1
    const res = await fetch(`http://localhost:1337/posts/${params.id}`);
    const post = await res.json();
  
    // Pass post data to the page via props
    return { props: { post } };
  }
  
  export default Post;

まずimportは GetStaticProps と同様に処理

pages/posts/[id].tsx
+ import { GetStaticProps } from 'next'
+ import { InferGetStaticPropsType } from 'next'
+ import { GetStaticPaths } from 'next'

type aliasesも。ただここではidも使ってるのでidを追加

pages/posts/[id].tsx
+ type Post = {
+   id: number
+   author: string
+   content: string
+   title: string
+ }

InferGetStaticPropsType も前回同様に処理

pages/posts/[id].tsx
- function Post({ post }) {
+ function Post({ post }: InferGetStaticPropsType<typeof getStaticProps>) {

getStaticPaths() については 例の通りに修正する。

pages/posts/[id].tsx
- export async function getStaticPaths() {
+ export const getStaticPaths: GetStaticPaths = async () => {

前回同様にレスポンスの型付けはPost[]に。

pages/posts/[id].tsx
-   const posts = await res.json();
+   const posts: Post[] = await res.json();

イテレータもPostに明示的に型付けする

pages/posts/[id].tsx
-   const paths = posts.map((post) => ({
+   const paths = posts.map((post: Post) => ({

getStaticPropsは前回同様にしつつ、 paramscontextから取得するか足しで記述。

pages/posts/[id].tsx
- export async function getStaticProps({ params }) {
+ export const getStaticProps: GetStaticProps = async (context) => {
+   const { params } = context;

これをブラウザで表示してみる

command
$ open http://localhost:3000/posts/1

スクリーンショット 2021-05-23 21.12.00.png

最終的な pages/posts/[id].tsx はこんな感じ。

pages/posts/[id].tsx
import { GetStaticProps } from 'next'
import { InferGetStaticPropsType } from 'next'
import { GetStaticPaths } from 'next'

type Post = {
  id: number
  author: string
  content: string
  title: string
}

function Post({ post }: InferGetStaticPropsType<typeof getStaticProps>) {
  // Render post...
  return <h1>[{post.id}] {post.title}</h1>;
}

// This function gets called at build time
export const getStaticPaths: GetStaticPaths = async () => {

  // Call an external API endpoint to get posts
  const res = await fetch("http://localhost:1337/posts");
  const posts: Post[] = await res.json();

  // Get the paths we want to pre-render based on posts
  const paths = posts.map((post: Post) => ({
    params: { id: String(post.id) },
  }));

  // We'll pre-render only these paths at build time.
  // { fallback: false } means other routes should 404.
  return { paths, fallback: false };
}

// This also gets called at build time
// export async function getStaticProps({ params }: {params: any}) {

export const getStaticProps: GetStaticProps = async (context) => {
  const { params } = context;

  // params contains the post `id`.
  // If the route is like /posts/1, then params.id is 1
  const res = await fetch(`http://localhost:1337/posts/${params.id}`);
  const post = await res.json();

  // Pass post data to the page via props
  return { props: { post } };
}

export default Post;

`getServerSideProps` (Server-side Rendering)

この章も Simple example と TypeScript: Use `GetServerSideProps` を合わせて作ってみる。

まずは聞きにいく先のAPIを作る必要があるので、strapiの管理画面を開く

command
$ http://localhost:1337/admin

スクリーンショット 2021-05-30 22.50.23.png

サイドメニューから[Content-Type]→[Create new collection type]を選択する

スクリーンショット 2021-05-30 22.56.17.png

次にコンテンツタイプ作成モーダルが開くので、[Display name]にdataと入力する

スクリーンショット 2021-05-30 22.57.07.png

フィールド選択で[Text]を選択する

スクリーンショット 2021-05-30 22.57.21.png

[Name]にnameと入力して[終了]をクリックする

スクリーンショット 2021-05-30 22.58.05.png

定義したData型が表示されるので、[保存]をクリックしてリスタートされるまで待つ。

スクリーンショット 2021-05-30 23.01.10.png

ついでにデータもいくつか作成する。

サイドメニューに新しくできた[Data]をクリックし、表示されたページの[Dataを追加]ボタンをクリックする

スクリーンショット 2021-05-30 23.03.21.png

[Name]にもけ(なんでも良い)と入力して[保存]をクリックする

スクリーンショット 2021-05-30 23.03.04.png

その後[Publish]してデータの準備は完了

スクリーンショット 2021-05-30 23.04.29.png

次にAPIアクセスを可能にするために権限設定を行います。

サイドメニューの[設定]→[ロールと権限]と辿っていき、[Public]を選択します。

スクリーンショット 2021-05-30 23.07.11.png

[権限]フィールドの[DATA]の中にある[findone]と[find]にチェックを入れて、[Save]をクリックします。

スクリーンショット 2021-05-30 23.08.16.png

これでstrapi側は完了。

これで http://localhost:1337/data にアクセスしたときに先ほど作成したデータが買えるようになりました。

command
$ curl http://localhost:1337/data
output(整形済)
[
  {
    "id": 1,
    "name": "もけ",
    "published_at": "2021-05-30T14:05:08.147Z",
    "created_at": "2021-05-30T14:04:15.633Z",
    "updated_at": "2021-05-30T14:05:08.157Z"
  }
]

このままstrapiは起動したままにしておきます。

Simple example と TypeScript: Use `GetServerSideProps` を合わせてpages/page.tsxを作ります。

pages/page.tsx
import { GetServerSideProps } from "next";
import { InferGetServerSidePropsType } from "next";

type Data = {
  name: string;
};

function Page({ data }: InferGetServerSidePropsType<typeof getServerSideProps>) {
  // Render data...
  return (
    <ul>
      {data.map((page: Data) => (
        <li>{page.name}</li>
      ))}
    </ul>
  );
  return <h1>{data.id}</h1>;
}

// This gets called on every request
export const getServerSideProps: GetServerSideProps = async (context) => {
  // Fetch data from external API
  const res = await fetch(`http://localhost:1337/data`);
  const data: Data[] = await res.json();

  // Pass data to the page via props
  return { props: { data } };
};

export default Page;

ポイントはgetServerSidePropsの時にはGetServerSidePropsInferGetServerSidePropsTypeを使うところって感じかな・・・
確かに今回はgetStaticPropsがないので、InferGetStaticPropsTypeは使えなそう。

import { GetServerSideProps } from "next";
import { InferGetServerSidePropsType } from "next";

これをブラウザで表示してみる

command
$ open http://localhost:3000/page

スクリーンショット 2021-06-02 0.00.06.png

Fetching data on the client side

最後はクライアント側でデータを取得する例。SWRを使うらしい。
SWRはyarnでインストールすることができる。

command
$ yarn add swr
output
yarn add v1.22.10
warning package-lock.json found. Your project contains lock files generated by tools other than Yarn. It is advised not to mix package managers in order to avoid resolution inconsistencies caused by unsynchronized lock files. To clear this warning, remove package-lock.json.
[1/4] 🔍  Resolving packages...
[2/4] 🚚  Fetching packages...
[3/4] 🔗  Linking dependencies...
[4/4] 🔨  Building fresh packages...
success Saved lockfile.
success Saved 2 new dependencies.
info Direct dependencies
└─ swr@0.5.6
info All dependencies
├─ dequal@2.0.2
└─ swr@0.5.6
✨  Done in 2.60s.

さっき作ったAPIを使う形で下記のように pages/profile.tsx を作っていきます。

pages/profile.tsx
import useSWR from "swr";

function Profile() {
  const fetcher = (url: string) => fetch(url).then((res) => res.json());

  const { data, error } = useSWR("http://localhost:1337/data/1", fetcher);

  if (error) return <div>failed to load</div>;
  if (!data) return <div>loading...</div>;
  return <div>hello {data.name}!</div>;
}

export default Profile;

TypeScriptにする時にいくつか修正しています。

1点目はfetcherの定義です。
JSON データを使用するAPIの場合はfetcheを定義する必要があるようなので、fetchをwrapする形で定義しています。

pages/profile.tsx
  const fetcher = (url: string) => fetch(url).then((res) => res.json());

2点目はAPIのURLです。
ここではstrapiを叩く形で設定しています。

pages/profile.tsx
  const { data, error } = useSWR("http://localhost:1337/data/1", fetcher);

最後は作ったProfile関数をexportする設定です。

pages/profile.tsx
export default Profile;

ここまでしたらまたブラウザで表示してみる

command
$ open http://localhost:3000/profile

スクリーンショット 2021-06-01 23.59.57.png

なるほど、いろいろサクッとかけて便利そう。

ここまでで Basic Features / Data Fetching は完了になります。
次回は Built-in CSS Support を進めていきます。

MacでNext.jsのGettingStartedを進めてみる シリーズの記事

  1. Getting Started をやった記事
  2. Basic Features / Pages をやった記事
  3. Basic Features / Data Fetching をやった記事
1
1
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
1
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?