【Typescript】Next.jsのApp Routerで最小のHello Worldを作成してみる
はじめに
Next.jsのApp Routerで最小構成のHello Worldアプリを作成してみます。
App Router
App RouterはNext.js 13.4から安定版になった新しいルーティング機能で、従来の方法はPages Routerと呼ばれています。
Pages Routerも使えるようになっていますが、新しくアプリを作る場合はApp Routerを使うことが推奨されているようです。
Introduction: App Router | Next.js
Use the new App Router with Next.js' and React's latest features, including Layouts, Server Components, Suspense, and more.
ディレクトリ構造
Typescriptで最小のApp Routerを使った場合は下記のようになります。
1.
2├── app/
3│ ├── layout.tsx
4│ └── page.tsx
5├── next-env.d.ts
6├── node_modules/
7├── package-lock.json
8├── package.json
9└── tsconfig.json
App Routerで使われるディレクトリとファイルは下記のようなものが含まれます。
app/
: App Router用ディレクトリlayout.tsx
: ルート共通のレイアウトpage.tsx
: ルート固有のUI
他にもnot-found.tsx
やerror.tsx
でNot Found UIやError UIを定義することができます。また、app/folder
としてネストしたルートも作成可能です。
Getting Started: Project Structure | Next.js
Learn about the folder and file conventions in a Next.js project, and how to organize your project.
Hello Worldアプリを作ってみる
それでは、create-next-app
を使わず手動で最小構成のHello Worldアプリを作ってみます。
ディレクトリ構成は下記の通りです。
1.
2├── app/
3│ ├── layout.tsx
4│ └── page.tsx
5├── next-env.d.ts
6├── node_modules/
7├── package-lock.json
8├── package.json
9└── tsconfig.json
まずは、必要なパッケージをインストールします。
1npm install next@latest react@latest react-dom@latest
次にpackage.json
にNext.js用のスクリプトを追加します。
1{
2 "scripts": {
3 "dev": "next dev",
4 "build": "next build",
5 "start": "next start",
6 "lint": "next lint"
7 },
8 "dependencies": {
9 "next": "^13.4.10",
10 "react": "^18.2.0",
11 "react-dom": "^18.2.0"
12 }
13}
App Routerのapp
ディレクトリとlayout.tsx
とpage.tsx
を作成します。
1mkdir app
1.
2└── app
3 ├── layout.tsx
4 └── page.tsx
layout.tsx
にはRoot Layoutを定義します。Root Layoutは全てのページに適用されるレイアウトになります。
1export default function RootLayout({
2 children,
3}: {
4 children: React.ReactNode
5}) {
6 return (
7 <html lang="ja">
8 <body>{children}</body>
9 </html>
10 )
11}
最後にpage.tsx
でホームとなるページを定義します。
1export default function Page() {
2 return <h1>Hello World</h1>
3}
下記のコマンドで実行すると、localhost:3000
でアプリにアクセスできます。
1npm run dev