- 概要
- 環境構築
- 初期設定
- 論理削除に対応したCRUDの新規作成例(分類管理を作成)
- 複雑なCRUDの新規作成例(記事管理を作成)
- リクエストとバリデーションについて
- Reactを使う
- Reactを使う(モーダルの例)
- Reactを使う(登録の実例)
- Reactを使う(登録編集削除の実例)
- Next.jsを使う
- トラブル
- テスト
- 引き続き
概要
Laravel 10━アップデートと最新の機能を徹底解説
https://kinsta.com/jp/blog/laravel-10/
laravel Mix と viteの違い #Laravel - Qiita
https://qiita.com/kernel_sun/items/d3bf735069204f703811
■Laravel11について
今普通にインストールすると、Laravel11がインストールされる。
それならLaravel11で環境を作り直してから、改めて簡易な更新システムを作ってみるか。
…と思ったが、かなり変更されているみたい。
いったんLaravel10で検証する方が、過去の資産を活かせるか。
Laravel 11がリリースされたのだ【Laravel 11 新機能・変更点】 #PHP - Qiita
https://qiita.com/7mpy/items/4f4f7608c5fe44226d3c
環境構築
■準備
\\wsl$\Ubuntu-20.04\home\refirio\docker\laravel\code
C:/windows/System32/drivers/etc/hosts
127.0.0.1 laravel.local
■インストール
10.x インストール Laravel
https://readouble.com/laravel/10.x/ja/installation.html
Sailを使用する場合、以下のようなコマンドから始める。
Sailを使用しない場合、これまでどおりcomposer create-projectから始めることもできる。(詳細は上記のページを参照。)
2024年4月時点では、「?php=81」を指定すればLaravel10をインストールできる。
$ cd docker/laravel/code
$ curl -s https://laravel.build/laravel10?php=81 | bash
curl によって必要なファイルががダウンロードされる。
また、laravel10 が作成され、その中に必要なファイルも配置される。
この時点で、laravel10 をGit管理対象にしておく。
具体的にはSourcetreeで「Create」からフォルダを選択し、コミット対象のファイルは初期コミットとしてコミットしておく。
以下を実行。
$ cd laravel10
$ ./vendor/bin/sail up
ブラウザから以下にアクセスして、Laravelの画面が表示された。
http://laravel.local/
表示を確認出来たら、いったん Ctrl+C で終了する。
■コマンドの調整
$ cd docker/laravel/code/laravel10
$ sail
Command 'sail' not found
.profile の最後にaliasのための設定を追加。
$ vi ~/.profile
コンソールを再起動し、パス指定なしでsailコマンドを実行できることを確認する。
# set alias for sail
alias sail='[ -f sail ] && bash sail || bash vendor/bin/sail'
$ cd docker/laravel/code/laravel10
$ sail
Laravel Sail
■起動と終了
以下でデーモンを起動できる。
$ cd docker/laravel/code/laravel10
$ sail up -d
以下にアクセスして表示を確認する。
http://laravel.local/
以下のように操作できる。
「sail shell」でシェルに入ることができるが、sailコマンド経由で直接操作することもできる。
$ sail shell
$ sail php -v
$ sail composer -V
$ sail artisan -V
$ sail node -v
$ sail npm -v
$ sail mysql
$ exit
各バージョンは以下のようになっていた。
インストール時に「?php=81」を指定したのに、PHPのバージョンは8.3となっている。
Laravelは
・Laravel9 は、PHP8.0以降が必要。
・Laravel10 は、PHP8.1以降が必要。
・Laravel11 は、PHP8.2以降が必要。
となっているので、「?php=81」を指定することにより「PHP8.1以降が必要」なLaravel10がインストールされたのだと思われる。
ただし開発環境のPHPバージョンは、必要に応じてDockerの参照を変更するなど手動対応が必要なのだと思われる。
$ sail php -v
PHP 8.3.6 (cli) (built: Apr 11 2024 20:23:38) (NTS)
$ sail composer -V
Composer version 2.7.2 2024-03-11 17:12:18
$ sail artisan -V
Laravel Framework 10.48.7
$ sail node -v
v20.12.2
$ sail npm -v
10.5.2
$ sail mysql
Server version: 8.0.32 MySQL Community Server - GPL
以下でデーモンを終了できる。
$ sail down
初期設定
■環境の調整
Sail環境の現状を確認する。
タイムゾーンがUTCで、文字コードがlatin1になっている箇所があるので調整する。
$ sail shell
$ date
Tue Apr 2 09:25:59 UTC 2024
$ exit
$ sail mysql
> SELECT NOW();
+---------------------+
| NOW() |
+---------------------+
| 2024-04-13 11:07:14 |
+---------------------+
1 row in set (0.00 sec)
> SHOW VARIABLES LIKE '%char%';
+--------------------------+--------------------------------+
| Variable_name | Value |
+--------------------------+--------------------------------+
| character_set_client | latin1 |
| character_set_connection | latin1 |
| character_set_database | utf8mb4 |
| character_set_filesystem | binary |
| character_set_results | latin1 |
| character_set_server | utf8mb4 |
| character_set_system | utf8mb3 |
| character_sets_dir | /usr/share/mysql-8.0/charsets/ |
+--------------------------+--------------------------------+
8 rows in set (0.00 sec)
mysql> QUIT
Sail環境をカスタマイズする。
以下のコマンドを実行すると、dockerフォルダ内にDocker用のファイルが出力され、これを編集することでSail環境をカスタマイズできる。
また docker-compose.yml も編集され、vendor/laravel/sail/runtimes/8.3 内ではなく docker/8.3 内のファイルが参照されるようになる。
$ sail artisan sail:publish
以下のとおり、タイムゾーンと文字コードを変更する。
docker/8.3/Dockerfile
ENV TZ=UTC
↓
ENV TZ="Asia/Tokyo"
docker/8.3/my.cnf(新規に作成。)
[mysqld]
character-set-server = utf8mb4
collation-server = utf8mb4_bin
default-time-zone = 'Asia/Tokyo'
[client]
default-character-set = utf8mb4
docker-compose.yml
volumes:
- 'sail-mysql:/var/lib/mysql'
↓
volumes:
- 'sail-mysql:/var/lib/mysql'
- './docker/8.3/my.cnf:/etc/my.cnf'
Dockerfileを編集したので、ビルドし直す。
$ sail down
$ sail build
$ sail up -d
完了したら、変更を確認する。
タイムゾーンがJSTで、文字コードがutf8mb4になっていることを確認できる。
$ sail shell
$ date
Sat Apr 13 20:20:07 JST 2024
$ exit
$ sail mysql
mysql> SELECT NOW();
+---------------------+
| NOW() |
+---------------------+
| 2024-04-13 20:20:38 |
+---------------------+
1 row in set (0.00 sec)
mysql> SHOW VARIABLES LIKE '%char%';
+--------------------------+--------------------------------+
| Variable_name | Value |
+--------------------------+--------------------------------+
| character_set_client | utf8mb4 |
| character_set_connection | utf8mb4 |
| character_set_database | utf8mb4 |
| character_set_filesystem | binary |
| character_set_results | utf8mb4 |
| character_set_server | utf8mb4 |
| character_set_system | utf8mb3 |
| character_sets_dir | /usr/share/mysql-8.0/charsets/ |
+--------------------------+--------------------------------+
8 rows in set (0.01 sec)
mysql> QUIT
■デバッグバーの導入
Laravel Debugbarをインストールする。
$ sail composer require barryvdh/laravel-debugbar --dev
■認証機能の作成
Laravel Breezeをインストールする。
$ sail composer require laravel/breeze --dev
$ sail artisan breeze:install
Which Breeze stack would you like to install?
Blade with Alpine
Would you like dark mode support?
No
Which testing framework do you prefer?
PHPUnit
$ sail artisan migrate
Creating migration table ................................................................................ 238ms DONE
2014_10_12_000000_create_users_table .................................................................... 374ms DONE
2014_10_12_100000_create_password_reset_tokens_table .................................................... 440ms DONE
2019_08_19_000000_create_failed_jobs_table .............................................................. 411ms DONE
2019_12_14_000001_create_personal_access_tokens_table ................................................... 443ms DONE
■日本語化
GitHub - askdkc/breezejp
https://github.com/askdkc/breezejp
$ sail composer require askdkc/breezejp --dev
$ sail artisan breezejp
Laravel Breeze用に日本語翻訳ファイルを準備します
config/app.phpのlocaleをjaにします
GitHubリポジトリにスターの御協力をお願いします (yes/no) [yes]:
> yes
sh: 1: xdg-open: not found
Thank you! / ありがとう
日本語ファイルのインストールが完了しました!
lang/ 内に日本語用のファイルが作成されている。
また config/app.php が以下のとおり変更されている。
'timezone' => 'UTC',
'locale' => 'en',
'faker_locale' => 'en_US',
↓
'timezone' => 'Asia/Tokyo',
'locale' => 'ja',
'faker_locale' => 'ja_JP',
■見た目の修正
見た目を修正したら、以下を実行してアセットをコンパイルする。
実行中は他のコマンドを入力できなくなるため、別タブでコマンドを入力するといい。
$ sail npm run dev
本番環境用にビルドする場合、以下を実行する。
これにより public/build 内にコンパイル済みのファイルが作成される。
$ sail npm run build
なお、bladeファイル内でclassを追加するだけであっても、コンパイルされないと正しく反映されない可能性があるので注意。
Tailwind CSS とは|Tailwind CSS 入門と実践
https://zenn.dev/yohei_watanabe/books/c0b573713734b9/viewer/275f32
記事内に
> Tailwind CSSには汎用的なクラスがたくさん用意されていますが、実稼働用にビルドする際には、未使用のクラスは自動的に全て削除されます。
> つまり、使っているクラスしかCSSファイルに出力されないので、最小のCSSファイルが生成されるということです。
> これにより、パフォーマンスの向上を見込むことができます。
と書かれているが、この機能の影響で
「それまで使われていなかったクラスはCSSファイルに含まれていない」
となっているためだと思われる。
論理削除に対応したCRUDの新規作成例(分類管理を作成)
■テーブルの作成
$ sail artisan make:migration create_categories_table
以下のファイルが作成される。
database/migrations/2024_04_18_090608_create_categories_table.php
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::create('categories', function (Blueprint $table) {
$table->id();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::dropIfExists('categories');
}
};
以下のとおり修正する。
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::create('categories', function (Blueprint $table) {
$table->id();
$table->string('name')->comment('名前');
$table->integer('sort')->comment('並び順');
$table->timestamps();
$table->softDeletes();
$table->comment('分類');
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::dropIfExists('categories');
}
};
マイグレーションを実行。
$ sail artisan migrate
■モデルの作成
$ sail artisan make:model Category
以下のファイルが作成される。
app/Models/Category.php
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Factories\HasFactory;
use Illuminate\Database\Eloquent\Model;
class Category extends Model
{
use HasFactory;
}
以下のとおり修正する。
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\SoftDeletes;
class Category extends Model
{
use SoftDeletes;
protected $fillable = [
'name',
'sort',
];
}
■リクエストの作成
$ sail artisan make:request CategoryCreateRequest
以下のファイルが作成される。
app/Http/Requests/CategoryCreateRequest.php
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class CategoryCreateRequest extends FormRequest
{
/**
* Determine if the user is authorized to make this request.
*/
public function authorize(): bool
{
return false;
}
/**
* Get the validation rules that apply to the request.
*
* @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string>
*/
public function rules(): array
{
return [
//
];
}
}
以下のとおり修正する。
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class CategoryCreateRequest extends FormRequest
{
/**
* Determine if the user is authorized to make this request.
*/
public function authorize(): bool
{
return true;
}
/**
* Get the validation rules that apply to the request.
*
* @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string>
*/
public function rules(): array
{
return [
'name' => ['required', 'string', 'max:20'],
'sort' => ['required', 'integer'],
];
}
public function attributes(): array
{
return [
'name' => '名前',
'sort' => '並び順',
];
}
}
以下のファイルを作成する。
app/Http/Requests/CategoryUpdateRequest.php
<?php
namespace App\Http\Requests;
class CategoryUpdateRequest extends CategoryCreateRequest
{
}
■コントローラーの作成
$ sail artisan make:controller CategoryController
以下のファイルが作成される。
app/Http/Controllers/CategoryController.php
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
class CategoryController extends Controller
{
//
}
以下のとおり修正する。
<?php
namespace App\Http\Controllers;
use App\Http\Requests\CategoryCreateRequest;
use App\Http\Requests\CategoryUpdateRequest;
use Illuminate\Http\RedirectResponse;
use App\Models\Category;
use Illuminate\Support\Facades\Redirect;
use Illuminate\View\View;
class CategoryController extends Controller
{
public function index(): View
{
$category = new Category;
return view('category.index', [
'categories' => $category->get(),
]);
}
public function create(): View
{
return view('category.form');
}
public function store(CategoryCreateRequest $request): RedirectResponse
{
$category = new Category;
$category->fill($request->all())->save();
return Redirect::route('category.index')->with('message', '登録しました。');
}
public function edit($id): View
{
$category = Category::findOrFail($id);
return view('category.form', [
'category' => $category,
]);
}
public function update(CategoryUpdateRequest $request, $id): RedirectResponse
{
$category = Category::findOrFail($id);
$category->fill($request->all())->save();
return Redirect::route('category.index')->with('message', '編集しました。');
}
public function destroy($id): RedirectResponse
{
$category = Category::findOrFail($id);
$category->delete();
return Redirect::route('category.index')->with('message', '削除しました。');
}
}
■ビューの作成
以下のファイルを作成する。
resources/views/category/index.blade.php
<x-app-layout>
<x-slot name="header">
<h2 class="font-semibold text-xl text-gray-800 leading-tight">
分類
</h2>
</x-slot>
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8 space-y-6">
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
分類一覧
</h2>
<p class="mt-1 text-sm text-gray-600">
分類を管理します
</p>
</header>
@if (session('message'))
<p class="text-green-600 bg-green-100 my-4 p-4 border-l-4 border-green-400">{{ session('message') }}</p>
@elseif (session('error'))
<p class="text-red-600 bg-red-100 my-4 p-4 border-l-4 border-red-400">{{ session('error') }}</p>
@endif
<p class="my-4"><a class="underline text-gray-600 hover:text-gray-900" href="{{ route('category.create') }}">分類登録</a></p>
<table class="w-full border shadow">
<thead>
<th class="border p-2">名前</th>
<th class="border p-2">並び順</th>
<th class="border p-2">編集</th>
</thead>
<tbody>
@foreach ($categories as $category)
<tr>
<td class="border p-2"><div>{{ $category->name }}</div></td>
<td class="border p-2"><div>{{ $category->sort }}</div></td>
<td class="border p-2"><a class="underline text-gray-600 hover:text-gray-900" href="{{ route('category.edit', ['id' => $category->id]) }}">編集</a></td>
</tr>
@endforeach
</tbody>
</table>
</section>
</div>
</div>
</div>
</div>
</x-app-layout>
resources/views/category/form.blade.php
<x-app-layout>
<x-slot name="header">
<h2 class="font-semibold text-xl text-gray-800 leading-tight">
分類
</h2>
</x-slot>
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8 space-y-6">
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
@if (Request::is('*/edit')) {{ '編集' }} @else {{ '登録' }} @endif
</h2>
<p class="mt-1 text-sm text-gray-600">
分類を管理します
</p>
</header>
<form method="post" action="{{ Request::is('category/edit/*') ? route('category.update', ['id' => $category->id]) : route('category.store') }}" class="mt-6 space-y-6">
@if (Request::is('category/edit/*'))
{{ method_field('patch') }}
@endif
{{ csrf_field() }}
<div>
<x-input-label for="name" value="名前" />
<x-text-input id="name" name="name" type="text" class="mt-1 block w-full" value="{{ old('name', isset($category) ? $category->name : '') }}" autofocus autocomplete="name" />
<x-input-error class="mt-2" :messages="$errors->get('name')" />
</div>
<div>
<x-input-label for="sort" value="並び順" />
<x-text-input id="sort" name="sort" type="text" class="mt-1 block w-full" value="{{ old('sort', isset($category) ? $category->sort : '') }}" autocomplete="sort" />
<x-input-error class="mt-2" :messages="$errors->get('sort')" />
</div>
<div class="flex items-center gap-4">
<x-primary-button>@if (!Request::is('*/create')) {{ '編集' }} @else {{ '登録' }} @endif</x-primary-button>
</div>
</form>
</section>
</div>
</div>
@if (Request::is('category/edit/*'))
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
削除
</h2>
<p class="mt-1 text-sm text-gray-600">
分類を削除します
</p>
</header>
<form method="post" action="{{ route('category.destroy', ['id' => $category->id]) }}" class="mt-6 space-y-6">
{{ method_field('delete') }}
{{ csrf_field() }}
<div class="flex items-center gap-4">
<x-danger-button>削除</x-danger-button>
</div>
</form>
</section>
</div>
</div>
@endif
</div>
</div>
</x-app-layout>
■ルーティングの設定
以下のとおり設定する。
routes/web.php
use App\Http\Controllers\CategoryController;
Route::middleware('auth')->group(function () {
Route::get('/category', [CategoryController::class, 'index'])->name('category.index');
Route::get('/category/create', [CategoryController::class, 'create'])->name('category.create');
Route::post('/category/store', [CategoryController::class, 'store'])->name('category.store');
Route::get('/category/edit/{id}', [CategoryController::class, 'edit'])->name('category.edit');
Route::patch('/category/update/{id}', [CategoryController::class, 'update'])->name('category.update');
Route::delete('/category/destroy/{id}', [CategoryController::class, 'destroy'])->name('category.destroy');
■動作確認
http://laravel.local/category
複雑なCRUDの新規作成例(記事管理を作成)
■テーブルの作成
$ sail artisan make:migration create_entries_table
以下のファイルが作成される。
database/migrations/2024_04_18_090608_create_entries_table.php
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::create('entries', function (Blueprint $table) {
$table->id();
$table->timestamps();
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::dropIfExists('entries');
}
};
以下のとおり修正する。
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::create('entries', function (Blueprint $table) {
$table->id();
$table->dateTime('datetime')->comment('日時');
$table->string('title')->comment('タイトル');
$table->text('text')->comment('本文');
$table->foreignId('user_id');
$table->timestamps();
$table->softDeletes();
$table->comment('記事');
});
Schema::create('category_entry', function (Blueprint $table) {
$table->foreignId('category_id');
$table->foreignId('entry_id');
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::dropIfExists('entries');
Schema::dropIfExists('category_entry');
}
};
マイグレーションを実行。
$ sail artisan migrate
■モデルの作成
$ sail artisan make:model Entry
以下のファイルが作成される。
app/Models/Entry.php
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Factories\HasFactory;
use Illuminate\Database\Eloquent\Model;
class Entry extends Model
{
use HasFactory;
}
以下のとおり修正する。
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\SoftDeletes;
use Illuminate\Database\Eloquent\Relations\BelongsTo;
use Illuminate\Database\Eloquent\Relations\BelongsToMany;
class Entry extends Model
{
use SoftDeletes;
protected $fillable = [
'datetime',
'title',
'text',
'user_id',
];
protected $casts = [
'datetime' => 'datetime',
];
public function user(): BelongsTo
{
return $this->belongsTo(User::class);
}
public function categories(): BelongsToMany
{
return $this->belongsToMany(Category::class);
}
}
■リクエストの作成
$ sail artisan make:request EntryCreateRequest
以下のファイルが作成される。
app/Http/Requests/EntryCreateRequest.php
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class EntryCreateRequest extends FormRequest
{
/**
* Determine if the user is authorized to make this request.
*/
public function authorize(): bool
{
return false;
}
/**
* Get the validation rules that apply to the request.
*
* @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string>
*/
public function rules(): array
{
return [
//
];
}
}
以下のとおり修正する。
<?php
namespace App\Http\Requests;
use Illuminate\Foundation\Http\FormRequest;
class EntryCreateRequest extends FormRequest
{
/**
* Determine if the user is authorized to make this request.
*/
public function authorize(): bool
{
return true;
}
/**
* Get the validation rules that apply to the request.
*
* @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string>
*/
public function rules(): array
{
return [
'datetime' => ['required'],
'title' => ['required', 'string', 'max:80'],
'text' => ['required', 'string', 'max:1000'],
'user_id' => ['required', 'integer'],
'categories' => ['required'],
];
}
public function attributes(): array
{
return [
'datetime' => '日時',
'title' => 'タイトル',
'text' => '本文',
'user_id' => 'ユーザ',
'categories' => 'カテゴリ',
];
}
}
以下のファイルを作成する。
app/Http/Requests/EntryUpdateRequest.php
<?php
namespace App\Http\Requests;
class EntryUpdateRequest extends EntryCreateRequest
{
}
■コントローラーの作成
$ sail artisan make:controller EntryController
以下のファイルが作成される。
app/Http/Controllers/EntryController.php
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
class EntryController extends Controller
{
//
}
以下のとおり修正する。
<?php
namespace App\Http\Controllers;
use App\Http\Requests\EntryCreateRequest;
use App\Http\Requests\EntryUpdateRequest;
use Illuminate\Http\RedirectResponse;
use App\Models\Entry;
use App\Models\User;
use App\Models\Category;
use Illuminate\Support\Facades\Redirect;
use Illuminate\View\View;
class EntryController extends Controller
{
public function index(): View
{
$entry = new Entry;
return view('entry.index', [
'entries' => $entry->with('user')->get(),
]);
}
public function create(): View
{
$users = new User;
$categories = new Category;
return view('entry.form', [
'categories' => $categories->get(),
'users' => $users->get(),
]);
}
public function store(EntryCreateRequest $request): RedirectResponse
{
$entry = new Entry;
$entry->fill($request->all())->save();
$entry->categories()->sync($request->categories);
return Redirect::route('entry.index')->with('message', '登録しました。');
}
public function edit($id): View
{
$entry = Entry::findOrFail($id);
$users = new User;
$categories = new Category;
return view('entry.form', [
'entry' => $entry,
'categories' => $categories->get(),
'users' => $users->get(),
]);
}
public function update(EntryUpdateRequest $request, $id): RedirectResponse
{
$entry = Entry::findOrFail($id);
$entry->fill($request->all())->save();
$entry->categories()->sync($request->categories);
return Redirect::route('entry.index')->with('message', '編集しました。');
}
public function destroy($id): RedirectResponse
{
$entry = Entry::findOrFail($id);
$entry->delete();
return Redirect::route('entry.index')->with('message', '削除しました。');
}
}
■ビューの作成
以下のファイルを作成する。
resources/views/entry/index.blade.php
<x-app-layout>
<x-slot name="header">
<h2 class="font-semibold text-xl text-gray-800 leading-tight">
記事
</h2>
</x-slot>
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8 space-y-6">
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
記事一覧
</h2>
<p class="mt-1 text-sm text-gray-600">
記事を管理します
</p>
</header>
@if (session('message'))
<p class="text-green-600 bg-green-100 my-4 p-4 border-l-4 border-green-400">{{ session('message') }}</p>
@elseif (session('error'))
<p class="text-red-600 bg-red-100 my-4 p-4 border-l-4 border-red-400">{{ session('error') }}</p>
@endif
<p class="my-4"><a class="underline text-gray-600 hover:text-gray-900" href="{{ route('entry.create') }}">記事登録</a></p>
<table class="w-full border shadow">
<thead>
<th class="border p-2">日時</th>
<th class="border p-2">タイトル</th>
<th class="border p-2">ユーザ</th>
<th class="border p-2">カテゴリ</th>
<th class="border p-2">編集</th>
</thead>
<tbody>
@foreach ($entries as $entry)
<tr>
<td class="border p-2"><div>{{ $entry->datetime->format('Y/m/d H:i:s') }}</div></td>
<td class="border p-2"><div>{{ $entry->title }}</div></td>
<td class="border p-2"><div>{{ $entry->user->name }}</div></td>
<td class="border p-2">
@foreach ($entry->categories as $category)
<div>{{ $category->name }}</div>
@endforeach
</td>
<td class="border p-2"><a class="underline text-gray-600 hover:text-gray-900" href="{{ route('entry.edit', ['id' => $entry->id]) }}">編集</a></td>
</tr>
@endforeach
</tbody>
</table>
</section>
</div>
</div>
</div>
</div>
</x-app-layout>
resources/views/entry/form.blade.php
<x-app-layout>
<x-slot name="header">
<h2 class="font-semibold text-xl text-gray-800 leading-tight">
記事
</h2>
</x-slot>
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8 space-y-6">
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
@if (Request::is('*/edit')) {{ '編集' }} @else {{ '登録' }} @endif
</h2>
<p class="mt-1 text-sm text-gray-600">
記事を管理します
</p>
</header>
<form method="post" action="{{ Request::is('entry/edit/*') ? route('entry.update', ['id' => $entry->id]) : route('entry.store') }}" class="mt-6 space-y-6">
@if (Request::is('entry/edit/*'))
{{ method_field('patch') }}
@endif
{{ csrf_field() }}
<div>
<x-input-label for="datetime" value="日時" />
<x-text-input id="datetime" name="datetime" type="text" class="mt-1 block w-full" value="{{ old('datetime', isset($entry) ? $entry->datetime : '') }}" autofocus autocomplete="datetime" />
<x-input-error class="mt-2" :messages="$errors->get('datetime')" />
</div>
<div>
<x-input-label for="title" value="タイトル" />
<x-text-input id="title" name="title" type="text" class="mt-1 block w-full" value="{{ old('title', isset($entry) ? $entry->title : '') }}" autocomplete="title" />
<x-input-error class="mt-2" :messages="$errors->get('title')" />
</div>
<div>
<x-input-label for="text" value="本文" />
<textarea id="text" name="text" rows="10" cols="10" class="border-gray-300 focus:border-indigo-500 focus:ring-indigo-500 rounded-md shadow-sm mt-1 block w-full" class="form-control">{{ old('text', isset($entry) ? $entry->text : '') }}</textarea>
<x-input-error class="mt-2" :messages="$errors->get('text')" />
</div>
<div>
<x-input-label for="user_id" value="ユーザ" />
<select name="user_id" class="border-gray-300 focus:border-indigo-500 focus:ring-indigo-500 rounded-md shadow-sm mt-1 block">
<option value=""></option>
@foreach ($users as $user)
<option value="{{ $user->id }}" @if (old('user_id', isset($entry) ? $entry->user_id : '') == $user->id) selected @endif>{{ $user->name }}</option>
@endforeach
</select>
<x-input-error class="mt-2" :messages="$errors->get('user_id')" />
</div>
<div>
<x-input-label for="categories" value="カテゴリ" />
@foreach ($categories as $category)
<div>
<label><input type="checkbox" name="categories[]" value="{{ $category->id }}" class="border-gray-300 focus:border-indigo-500 focus:ring-indigo-500 rounded-md shadow-sm" @if (in_array($category->id, old('categories', isset($entry) ? array_column($entry->categories->toArray(), 'id') : []))) checked @endif> {{ $category->name }}</label>
</div>
@endforeach
<x-input-error class="mt-2" :messages="$errors->get('categories')" />
</div>
<div class="flex items-center gap-4">
<x-primary-button>@if (!Request::is('*/create')) {{ '編集' }} @else {{ '登録' }} @endif</x-primary-button>
</div>
</form>
</section>
</div>
</div>
@if (Request::is('entry/edit/*'))
<div class="p-4 sm:p-8 bg-white shadow sm:rounded-lg">
<div class="max-w-xl">
<section>
<header>
<h2 class="text-lg font-medium text-gray-900">
削除
</h2>
<p class="mt-1 text-sm text-gray-600">
記事を削除します
</p>
</header>
<form method="post" action="{{ route('entry.destroy', ['id' => $entry->id]) }}" class="mt-6 space-y-6">
{{ method_field('delete') }}
{{ csrf_field() }}
<div class="flex items-center gap-4">
<x-danger-button>削除</x-danger-button>
</div>
</form>
</section>
</div>
</div>
@endif
</div>
</div>
</x-app-layout>
■ルーティングの設定
以下のとおり設定する。
routes/web.php
use App\Http\Controllers\EntryController;
Route::middleware('auth')->group(function () {
Route::get('/entry', [EntryController::class, 'index'])->name('entry.index');
Route::get('/entry/create', [EntryController::class, 'create'])->name('entry.create');
Route::post('/entry/store', [EntryController::class, 'store'])->name('entry.store');
Route::get('/entry/edit/{id}', [EntryController::class, 'edit'])->name('entry.edit');
Route::patch('/entry/update/{id}', [EntryController::class, 'update'])->name('entry.update');
Route::delete('/entry/destroy/{id}', [EntryController::class, 'destroy'])->name('entry.destroy');
■動作確認
http://laravel.local/entry
リクエストとバリデーションについて
リクエストとバリデーションについて、上に記載した以外にも色々な書き方があるのでメモ。
以下のメソッド内に処理を書くものとする。
public function store(Request $request): RedirectResponse
{
/* ここに処理を書くものとする */
return Redirect::route('category.index')->with('message', '登録しました。');
}
個別にリクエストを取得。
$name = $request->get('name');
$sort = $request->get('sort');
$test = $request->get('test', 'テスト'); // 項目が存在しない場合のデフォルト値を指定できる
dd([$name, $sort, $test]);
すべてのリクエストを保存。
$inputs = $request->all();
Category::create($inputs);
dd($inputs);
指定した項目のリクエストを保存。(意図しない値を取得することを防ぐ。)
$inputs = $request->only(['name', 'sort']);
Category::create($inputs);
dd($inputs);
登録。
$category = new Category;
$category->name = $request->name;
$category->sort = $request->sort;
$category->save();
更新。
$category = Category::findOrFail($id);
$category->name = $request->name;
$category->sort = $request->sort;
$category->save();
バリデーション。
$validated = $request->validate([
'name' => ['required', 'max:20'],
'sort' => ['required'],
]);
Category::create($validated);
dd($validated);
Reactを使う
基本的には前述の「初期設定」の流れで対応する。
「breeze:install」の際に「react」を指定することで、Reactを使用することができる。
(別途Reactのプロジェクトを作成したりする必要は無い。また自動的に Inertia.js を使った構成となる。)
Laravel+React でWebアプリを構築する [使用技術: Laravel Sail, Laravel Breeze, Inertia, TailwindCss, Vite] #Docker - Qiita
https://qiita.com/Sho-taro/items/820e4117c5b5f4c6717f
【Laravel + React + Inertia + Vite】Inertia.jsを使ったSPAの環境構築〜Laravel Breeze認証の動作確認 #React - Qiita
https://qiita.com/rikako_hira/items/80e4476ab97630bfd2dc
LaravelプロジェクトにReact導入その1 -導入 & API連携編-
https://zenn.dev/hyblinx/articles/e7c2267ffde6b3
Inertia.jsの基本的な特徴や仕組み(徹底解説)| Kinsta
https://kinsta.com/jp/knowledgebase/inertia-js/
Inertia.jsでシンプルにSPAを構築する Inertia入門#1 | SOHO MIND
https://blog.shipweb.jp/inertia-js-tutorial-1/
Inertia.js を用いた Laravel React SPA 開発のメリットデメリット。 - ガオラボ
https://tech.gaogao.asia/react-inertia-laravel/
■準備
C:/windows/System32/drivers/etc/hosts
127.0.0.1 laravel-react.local
■インストール
$ cd docker/laravel/code
$ curl -s https://laravel.build/laravel-react?php=81 | bash
$ cd laravel-react
$ ./vendor/bin/sail up
ブラウザから以下にアクセスして確認。
http://laravel-react.local/
■環境の調整
前述の「初期設定」を参考に作業。
■デバッグバーの導入
前述の「初期設定」を参考に作業。
■認証機能の作成
$ sail composer require laravel/breeze --dev
$ sail artisan breeze:install react … TypeScriptを使用したい場合、オプション「--typescript」を追加指定する。
$ sail artisan migrate
■日本語化
$ sail composer require askdkc/breezejp --dev
$ sail artisan breezejp
$ sail npm run build
■ページの作成について
例えば /profile のコントローラーは app/Http/Controllers/ProfileController.php にある。
そのビューは resources/js/Pages/Profile/Edit.jsx にある。
ビューはReactなので、「sail npm run build」でビルドしないと反映されない。
つまり
$ sail npm run dev
を実行してから作業するか、
$ sail npm run build
を実行してビルドする必要がある。
■ページの作成例
resources/js/Pages/Hello.jsx を作成。
import GuestLayout from '@/Layouts/GuestLayout';
import { Head } from '@inertiajs/react';
export default function Hello() {
return (
<GuestLayout>
<Head title="Hello" />
<div>
<h2 className="font-semibold text-xl text-gray-800 leading-tight pb-4">Hello!</h2>
<p>これはテストページです。</p>
</div>
</GuestLayout>
);
}
routes/web.php に追加。
Route::get('/hello', function () {
return Inertia::render('Hello');
});
これでビルドして「/hello」にアクセスすると、「これはテストページです。」のページが表示される。
また resources/js/Pages/Hello.jsx を以下のようにすると、フォームの入力内容によってリアルタイムに画面表示が変わることを確認できる。
import React, { useState } from 'react';
import GuestLayout from '@/Layouts/GuestLayout';
import { Head } from '@inertiajs/react';
export default function Hello() {
// 名前の状態を管理するためのuseStateフック
const [name, setName] = useState('');
// 名前が入力されているかに基づいて表示するメッセージを決定
const greetingMessage = name ? `こんにちは!${name}さん。` : '名前を入力してください。';
return (
<GuestLayout>
<Head title="Hello" />
<div>
<h2 className="font-semibold text-xl text-gray-800 leading-tight pb-4">Hello!</h2>
<p className="text-gray-600">{greetingMessage}</p>
<input
type="text"
value={name}
onChange={e => setName(e.target.value)}
className="mt-4 p-2 border border-gray-400 rounded"
placeholder="名前"
/>
</div>
</GuestLayout>
);
}
■ページの作成例(TypeScriptを使用している場合のエラー対応)
TypeScriptを使用している場合、VSCode上で
「モジュール '@/Layouts/GuestLayout' またはそれに対応する型宣言が見つかりません。ts(2307)」
のようなエラーが表示される。(ビルドは問題無い。)
以下のように相対パスにすれば、エラーは一応表示されなくなるが根本解決では無い。
import GuestLayout from '@/Layouts/GuestLayout';
↓
import GuestLayout from '../Layouts/GuestLayout';
この場合、プロジェクト直下にある tsconfig.json の compilerOptions 内に「"baseUrl": ".",」を追加する。
具体的には、以下のように追加する。
{
"compilerOptions": {
"allowJs": true,
〜略〜
"noEmit": true,
"baseUrl": ".", … 追加。
"paths": {
"@/*": ["./resources/js/*"],
"ziggy-js": ["./vendor/tightenco/ziggy"]
}
},
"include": ["resources/js/**/*.ts", "resources/js/**/*.tsx", "resources/js/**/*.d.ts"]
}
VSCodeを再起動するとコンパイラが新しい設定を読み込み、エラーが表示されなくなる。
なお一度エラーが解消された後は、上記変更を元に戻してもエラーが表示されなくなった。
VSCodeのキャッシュによるもの…なのかもしれない。
■メモ
Laravel + Inertia + React + TypeScriptで多言語対応する方法 | しなーるブログ
https://sinar.blog/translation-with-laravel-inertia-react-typescript/
Reactを使う(モーダルの例)
Laravel + React + TypeScriptでプロジェクトを作成すると、resources/js/Components/Modal.tsx に以下のコンポーネントが作成されている。
以下のようにすると、このコンポーネントを使ってモーダルを表示できる。
import React, { useState } from 'react';
import Modal from '@/Components/Modal';
//export default function Hello() {
const Hello: React.FC = () => {
const [isModalOpen, setIsModalOpen] = useState(false);
const openModal = () => {
setIsModalOpen(true);
};
const closeModal = () => {
setIsModalOpen(false);
};
return (
<div className="min-h-screen flex items-center justify-center">
<button
onClick={openModal}
className="bg-blue-500 text-white px-4 py-2 rounded"
>
Open Modal
</button>
<Modal show={isModalOpen} onClose={closeModal} maxWidth="md">
<div className="p-6">
<h2 className="text-xl font-bold mb-4">Modal Title</h2>
<p className="mb-4">This is a sample modal content.</p>
<button
onClick={closeModal}
className="bg-red-500 text-white px-4 py-2 rounded"
>
Close
</button>
</div>
</Modal>
</div>
);
};
export default Hello;
Reactを使う(登録の実例)
以下で紹介されている「簡易 Todo アプリ」を参考に作成する。
Inertia.js を用いた Laravel React SPA 開発のメリットデメリット。 - ガオラボ
https://tech.gaogao.asia/react-inertia-laravel/
■テーブルの作成
$ sail artisan make:migration create_tasks_table
作成されたファイルを、以下のとおり修正する。
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
return new class extends Migration
{
/**
* Run the migrations.
*/
public function up(): void
{
Schema::create('tasks', function (Blueprint $table) {
$table->id();
$table->string('name')->comment('タスク名');
$table->timestamps();
$table->comment('タスク');
});
}
/**
* Reverse the migrations.
*/
public function down(): void
{
Schema::dropIfExists('tasks');
}
};
マイグレーションを実行。
$ sail artisan migrate
■モデルの作成
$ sail artisan make:model Task
作成されたファイルを、以下のとおり修正する。
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Task extends Model
{
protected $fillable = [
'name',
];
}
■コントローラーの作成
$ sail artisan make:controller TaskController
作成されたファイルを、以下のとおり修正する。
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use Illuminate\Http\RedirectResponse;
use App\Models\Task;
use Illuminate\Support\Facades\Redirect;
use Inertia\Inertia;
use Inertia\Response as InertiaResponse;
class TaskController extends Controller
{
public function index(): InertiaResponse
{
$tasks = Task::all();
return Inertia::render('Task/Index', [
'tasks' => $tasks,
]);
}
public function store(Request $request): RedirectResponse
{
Task::create($request->validate([
'name' => ['required', 'max:20'],
]));
return Redirect::route('task.index');
}
}
■ビューの作成
以下のファイルを作成する。
resources/js/Pages/Task/Index.jsx を作成。
import GuestLayout from '@/Layouts/GuestLayout';
import { Head, useForm } from "@inertiajs/react";
export default function TaskPage({ tasks }) {
const { data, setData, post, errors } = useForm({
name: ''
});
const submit = e => {
e.preventDefault();
post('/task', {
onSuccess: () => setData('name', '')
});
};
return (
<GuestLayout>
<Head title="Task" />
<div>
<h2 className="font-semibold text-xl text-gray-800 leading-tight pb-4">Tasks</h2>
<form onSubmit={submit} className="mb-4">
<div>
<label className="me-2">タスク</label>
<input
value={data.name}
onChange={ e => setData('name', e.target.value) }
className="border-gray-300 focus:border-indigo-500 focus:ring-indigo-500 rounded-md shadow-sm mt-1 me-2"
/>
<button type="submit" className="items-center px-4 py-2 bg-gray-800 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700 focus:bg-gray-700 active:bg-gray-900 focus:outline-none focus:ring-2 focus:ring-indigo-500 focus:ring-offset-2 transition ease-in-out duration-150">
登録
</button>
{errors.name && <div className="mt-2 text-red-600">{errors.name}</div>}
</div>
</form>
<ul>
{tasks.map((task, index) => (
<li key={index} className="mb-2">
{task.id}: {task.name}
</li>
))}
</ul>
</div>
</GuestLayout>
);
}
■ルーティングの設定
以下のとおり設定する。
routes/web.php
use App\Http\Controllers\TaskController;
Route::get('/task', [TaskController::class, 'index'])->name('task.index');
Route::post('/task', [TaskController::class, 'store']);
■動作確認
http://laravel.local/task
■補足1(TypeScriptを使用している場合)
TypeScriptを使用している場合、型の指定を追加する必要がある。
一例だが、以下のようにして対応できる。
resources/js/Models/Task.ts を作成。
export default interface Task {
id: number;
name: string;
}
resources/js/Pages/Task/Index.jsx を編集。
import GuestLayout from '@/Layouts/GuestLayout';
import { Head, useForm } from "@inertiajs/react";
import Task from '@/Models/Task'; // 型の指定を読み込む
export default function TaskPage({ tasks }: { tasks: Array<Task> }) { // 型の指定
const { data, setData, post, errors } = useForm({
name: ''
});
const submit = (e: React.FormEvent<HTMLFormElement>) => { // 型の指定
e.preventDefault();
post('/task', {
onSuccess: () => setData('name', '')
});
};
return (
<GuestLayout>
〜略〜
</GuestLayout>
);
}
ファイルの置き場所として resources/js/Models が適切かどうかは検討したい。
あくまで型定義しか書かないのなら、resources/js/Interfaces の方が適切か。
(resources/js/Types もいいかと思ったが、resources/js/types がすでに存在し、Userなどの型定義が置かれている。
ここはフレームワークデフォルトの型置き場として触らない方がいいか。
その場合でも、Userは専用ファイルに移動させるべきか。)
なお、モデルの配列指定は、以下のように書くこともできる。
export default function TaskPage({ tasks }: { tasks: Array<Task> }) {
↓
export default function TaskPage({ tasks }: { tasks: Task[] }) {
なお、エラーを回避するだけの暫定対応なら、以下のとおり「any」を指定することもできる。
export default function TaskPage({ tasks }: { tasks: Array<any> }) { // 型の指定
const { data, setData, post, errors } = useForm({
name: ''
});
const submit = (e: any) => { // 型の指定
■補足2
型定義を
import Task from '@/Models/Task';
として読み込む際、
export default function Task({ tasks }: { tasks: Array<Task> }) {
が存在していると名前の重複によりエラーになる。
この場合、
export default function TaskIndex({ tasks }: { tasks: Array<Task> }) {
のようにページの関数名を変更するか。
もしくは
import { default as TaskModel } from '@/Models/Task';
としてモデルを別名で読み込むことで対処できる。
■補足3
「const { data, setData, post, errors } = useForm(〜略〜);」という書き方はReactならではなものでは無く、JavaScriptの文法に沿ったもの。
オブジェクトの分割代入と呼ばれるもので、以下のように値を受け取ることができる。
function sample() {
return {
name: 'John Doe',
age: 24,
occupation: 'Developer',
isAdult: function() {
if (age >= 20) {
return true;
} else {
return false;
}
}
};
}
// オブジェクトの分割代入を使ってプロパティを取り出す
const { name, age, isAdult } = sample();
console.log(name); // John Doe
console.log(age); // 24
console.log(isAdult()); // true
■補足4
CSRF対策のためのコードを記載していないが、何もしなくても自動的に対策が行われている。
具体的には、トークンが X-CSRF-TOKEN ヘッダに組み込まれ、これにより認証が行われている。
Reactを使う(登録編集削除の実例)
■コントローラーの修正
app/Http/Controllers/TaskController.php
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use Illuminate\Http\RedirectResponse;
use App\Models\Task;
use Illuminate\Support\Facades\Redirect;
use Inertia\Inertia;
use Inertia\Response as InertiaResponse;
class TaskController extends Controller
{
public function index(): InertiaResponse
{
$tasks = Task::all();
return Inertia::render('Task/Index', [
'tasks' => $tasks,
]);
}
public function store(Request $request): RedirectResponse
{
Task::create($request->validate([
'name' => ['required', 'max:20'],
]));
return Redirect::route('task.index');
}
public function update(Request $request, Task $task): RedirectResponse
{
$task->update($request->validate([
'name' => ['required', 'max:20'],
]));
return Redirect::route('task.index');
}
public function destroy(Task $task): RedirectResponse
{
$task->delete();
return Redirect::route('task.index');
}
}
■ビューの修正
resources/js/Pages/Task/Index.jsx
import GuestLayout from '@/Layouts/GuestLayout';
import { Head, useForm } from "@inertiajs/react";
import { useState } from 'react';
function TaskForm({ submit, data, setData, errors, closeModal }) {
return (
<div className="fixed inset-0 flex items-center justify-center bg-black bg-opacity-50">
<div className="bg-white p-6 rounded shadow-lg w-1/3">
<form onSubmit={submit} className="mb-4">
<div>
<label className="me-2">タスク</label>
<input
value={data.name}
onChange={e => setData('name', e.target.value)}
className="border-gray-300 focus:border-indigo-500 focus:ring-indigo-500 rounded-md shadow-sm mt-1 me-2"
/>
<button type="submit" className="items-center px-4 py-2 bg-gray-800 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700 focus:bg-gray-700 active:bg-gray-900 focus:outline-none focus:ring-2 focus:ring-indigo-500 focus:ring-offset-2 transition ease-in-out duration-150">
保存
</button>
{errors.name && <div className="mt-2 text-red-600">{errors.name}</div>}
</div>
<button onClick={closeModal} type="button" className="mt-4 items-center px-4 py-2 bg-red-600 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-red-500 focus:bg-red-500 active:bg-red-700 focus:outline-none focus:ring-2 focus:ring-red-500 focus:ring-offset-2 transition ease-in-out duration-150">
キャンセル
</button>
</form>
</div>
</div>
);
}
export default function TaskPage({ tasks }) {
const [showModal, setShowModal] = useState(false);
const [editingTask, setEditingTask] = useState(null);
const { data, setData, post, put, delete: destroy, errors, reset, clearErrors } = useForm({
name: ''
});
const startCreating = () => {
reset();
clearErrors();
setEditingTask(null);
setShowModal(true);
};
const startEditing = task => {
setData('name', task.name);
clearErrors();
setEditingTask(task);
setShowModal(true);
};
const closeModal = () => {
setShowModal(false);
clearErrors();
};
const submitCreate = e => {
e.preventDefault();
post('/task/store', {
onSuccess: () => {
reset();
closeModal();
}
});
};
const submitEdit = e => {
e.preventDefault();
if (editingTask) {
put(`/task/update/${editingTask.id}`, {
onSuccess: () => {
reset();
closeModal();
}
});
}
};
const submitDelete = task => {
destroy(`/task/destroy/${task.id}`, {
onSuccess: () => reset()
});
};
return (
<GuestLayout>
<Head title="Task" />
<div>
<h2 className="font-semibold text-xl text-gray-800 leading-tight pb-4">Tasks</h2>
<button
onClick={startCreating}
className="items-center px-4 py-2 bg-gray-800 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700 focus:bg-gray-700 active:bg-gray-900 focus:outline-none focus:ring-2 focus:ring-indigo-500 focus:ring-offset-2 transition ease-in-out duration-150 mb-4"
>
登録
</button>
{showModal && (
<TaskForm
submit={editingTask ? submitEdit : submitCreate}
data={data}
setData={setData}
errors={errors}
closeModal={closeModal}
/>
)}
<ul>
{tasks.map(task => (
<li key={task.id} className="mb-2">
{task.id}: {task.name}
<button
onClick={() => startEditing(task)}
className="ms-4 items-center px-4 py-2 bg-gray-800 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700 focus:bg-gray-700 active:bg-gray-900 focus:outline-none focus:ring-2 focus:ring-indigo-500 focus:ring-offset-2 transition ease-in-out duration-150"
>
編集
</button>
<button
onClick={() => submitDelete(task)}
className="ms-2 items-center px-4 py-2 bg-red-600 border border-transparent rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-red-500 focus:bg-red-500 active:bg-red-700 focus:outline-none focus:ring-2 focus:ring-red-500 focus:ring-offset-2 transition ease-in-out duration-150"
>
削除
</button>
</li>
))}
</ul>
</div>
</GuestLayout>
);
}
■ルーティングの修正
routes/web.php
Route::get('/task', [TaskController::class, 'index'])->name('task.index');
Route::post('/task/store', [TaskController::class, 'store']);
Route::put('/task/update/{task}', [TaskController::class, 'update']);
Route::delete('/task/destroy/{task}', [TaskController::class, 'destroy']);
Next.jsを使う
★検討中メモここから
laravel/breeze-next を使わずに、通常の手順でNext.jsを作る方がシンプルでいいか。
つまり、frontendディレクトリを設けてその中にNext.jsプロジェクトを作成し、同じリポジトリで管理する。
Laravelは breeze:install で api を指定して動作させる。
個別に動作できる、疎結合の状態を保つ…というのがいいか。
ただしその場合、認証機能を作るのが大変になるなどのデメリットもあるか。
現状はsailで検証しているが、これはあくまでも開発環境用となる。本番環境用に、ECS検証のexampleを使ってマルチステージビルドで検証するか。(最終的にマルチステージビルドで構築するかどうかはともかく。)
Nginx(80)、Next.js(3000)、Laravel(8000)という構成が素直か。
NginxとLaravelを同居させるのだから、Next.jsも同居させるのは自然だと思われる。
クライアントサイドとサーバサイドでリポジトリが分かれていても更新が面倒そうな。大人数が関わる大規模開発なら、分ける方がいいのかもしれないが。
Findy転職フロントエンドの開発生産性を向上させるためにやったこと - Findy Tech Blog
https://tech.findy.co.jp/entry/2024/05/13/083000
> 前述の通り Findy は Rails モノリスで作られており、CI にフロントエンドとバックエンドの両方が含まれていることから、画面の文言を1つ更新するだけでも長い CI 待ちが発生します。
> この状況を打破するために、Findy で最初に行われた取り組みは「Rails モノリスの解体」でした。
> 約3ヵ月かけてバックエンド側を Rails の API モード、フロントエンド側を Next.js で再実装するという大掛かりなプロジェクトでしたが、これによりフロントエンドとバックエンドで独立して動けるようになったため、先述した CI 待ちを大幅に短縮できました。
これがリポジトリを分けるメリットか。
ただしフロントエンドとバックエンドの両方をデプロイする必要がある改修なら、結局は両方の合計時間が必要となる。
やはり「小さなプロジェクトならモノリスでもいいが、ある程度大きなプロジェクトなら分離している方がいい」ということか。
分離させるとして、ECSを使っているなら「フロントエンド用のECS一式」と「バックエンド用のECS一式」が必要になるか。それはそれで維持コストも倍になるデメリットはある。
Next.js自体が複雑化してしまったので、Remixという別のフレームワークを使おう…という動きもあるらしい
Remixについては以下のファイルを参照
Dropbox\技術\Remix.txt
★検討中メモここまで
以下などのページが参考になりそう。
おおまかに
・「breeze:install」の際に「react」ではなく「api」を指定し、Laravelをバックエンドとして使用する。
・別途フロントエンド用に、「breeze-next」のリポジトリからクローン。
という流れになるみたい。
GitHub - laravel/breeze-next: An application / authentication starter kit frontend in Next.js for Laravel Breeze.
https://github.com/laravel/breeze-next
Laravel Breeze+Next.jsのインストールと認証機能の作成 | アントレプログラマー
https://entreprogrammer.jp/laravel-breeze-install/
LaravelとNext.jsを一緒に利用できるって知ってました? | アールエフェクト
https://reffect.co.jp/laravel/laravel-breeze-next-js
Laravel×Next.jsでの認証方法 ~スターターキットとテンプレートの中身をみる〜
https://zenn.dev/ritton/articles/deb07ba987db38
Laravel(Laravel Breeze) + Next.jsのローカル開発環境構築|shinya
https://note.com/shinyeah/n/ndd9088ed746b
Next.js + LaravelでCRUD機能を作成する #Laravel - Qiita
https://qiita.com/masakiwakabayashi/items/5286e61f5cb664e1dab9
Next.js × Laravel でページネーションの実装 #PHP - Qiita
https://qiita.com/mosyaneko/items/f4f1ec4c8c25298e8aab
■準備
※いったん、この対応は行わずに進める。(デフォルトの設定に合わせて localhost でアクセスする。)
※最終的に「localhost:80(Nginx) → localhost:3000(Next.js) → localhost:8000(Laravel)」のような構成になるか。
C:/windows/System32/drivers/etc/hosts
127.0.0.1 laravel-next.local
■インストール
$ cd docker/laravel/code
$ curl -s https://laravel.build/laravel-next?php=81 | bash
$ cd laravel-next
$ ./vendor/bin/sail up
ブラウザから以下にアクセスして確認。
http://localhost/
■環境の調整
前述の「初期設定」を参考に作業。
■デバッグバーの導入
前述の「初期設定」を参考に作業。
■Next.jsの導入
まずは laravel/breeze-next を導入する。
.git と .github を削除しているのはGit管理にするためだが、この方法が良いかどうかは要検討。
$ git clone https://github.com/laravel/breeze-next.git frontend
$ rm -rf frontend/.git
$ rm -rf frontend/.github
$ cp frontend/.env.example frontend/.env.local
Docker環境に合わせて、frontend/.env.local を以下のとおり調整する。
NEXT_PUBLIC_BACKEND_URL=http://localhost:8000
↓
NEXT_PUBLIC_BACKEND_URL=http://localhost
続いて laravel/breeze を導入し、APIとして動作させる。
$ sail composer require laravel/breeze --dev
$ sail artisan breeze:install api
$ sail artisan migrate
「sail artisan breeze:install api」により、.env の内容が以下のとおり変更されている。
APP_URL=http://localhost
↓
APP_URL=http://localhost:8000
FRONTEND_URL=http://localhost:3000
Docker環境に合わせて、以下のとおり調整する。
APP_URL=http://localhost:8000
FRONTEND_URL=http://localhost:3000
↓
APP_URL=http://localhost
FRONTEND_URL=http://localhost:3000
コンテナを終了させる。
$ sail down
docker-compose.yml に frontend の項目を追加。
services:
frontend:
image: 'node:20'
volumes:
- './frontend:/var/www/frontend'
working_dir: '/var/www/frontend'
ports:
- '3000:3000'
command: bash -c 'npm install && npm run dev'
コンテナを起動させる。
$ sail up -d
ブラウザから以下にアクセスすると、「{"Laravel":"10.48.10"}」とだけ表示される。(APIモードに変更したため。)
http://localhost/
ブラウザから以下にアクセスすると、Laravelの画面が表示される。(Next.jsで出力されたもの。)
http://localhost:3000/
また通常のLaravelと同様 /register からユーザ登録ができ、
/login からログインしてマイページも表示できる
■ポートの変更について
上記の手順ではLaravelが80番ポートで、Next.jsが3000番ポートで動くことになる。
Laravelは8000番ポートのままとし、別途Nginxを80番ポートで動作させてLaravelを参照させるべきか。
■URLの変更について
laravel-next.local などのドメインでアクセスすると、不正なドメインとみなされて投稿できないみたい。
以下あたりを調整することで対応できそうだが、まだ解消できず。
frontend/.env.local
NEXT_PUBLIC_BACKEND_URL=http://localhost
↓
NEXT_PUBLIC_BACKEND_URL=http://laravel-next.local
.env
APP_URL=http://localhost
FRONTEND_URL=http://localhost:3000
↓
APP_URL=http://localhost
FRONTEND_URL=http://laravel-next.local:3000
ただし前述のとおり、最終的にNginxからのアクセスを3000番ポートで受け付けることになるか。
それならドメインは変更せずに、localhost のまま進めるべきか。
■日本語化について
以下のとおり、ビルド時にエラーになった。package.json が見つからないとある。
「認証機能の作成」のタイミングで、以下のファイルが削除されているような。
package.json
vite.config.js
resources/css/app.css
resources/js/app.js
resources/js/bootstrap.js
resources/views/welcome.blade.php
frontend ディレクトリ内でビルドする必要があるか。
また確認したい。
$ sail composer require askdkc/breezejp --dev
$ sail artisan breezejp
$ sail npm run build
npm error code ENOENT
npm error syscall open
npm error path /var/www/html/package.json
npm error errno -2
npm error enoent Could not read package.json: Error: ENOENT: no such file or directory, open '/var/www/html/package.json'
npm error enoent This is related to npm not being able to find a file.
npm error enoent
npm error A complete log of this run can be found in: /home/sail/.npm/_logs/2024-05-02T06_15_19_112Z-debug-0.log
refirio@WorkComputer:~/docker/laravel/code/laravel-next$
■ページの作成例
frontend/pages/hello.js を作成。
function HelloPage() {
return <div>Hello!</div>;
}
export default HelloPage;
「/hello」にアクセスすると「Hello!」と表示される。
表示されない場合、コンテナを再起動する。
(↑別の正しい方法があると思われる。要調査。)
■ページの作成例(レイアウト使用)
frontend/components/Layout.js を作成。
export default function Layout({ children }) {
return (
<div>
<header style={{ background: '#333', color: '#fff', padding: '10px 20px', textAlign: 'center' }}>
<h1>My Application</h1>
</header>
<main style={{ margin: '20px' }}>
{children}
</main>
<footer style={{ background: '#333', color: '#fff', padding: '10px 20px', textAlign: 'center' }}>
(C) 2023 My Application
</footer>
</div>
);
}
frontend/pages/hello.js を作成。
import Layout from '../components/Layout';
function HelloPage() {
return (
<Layout>
<div>Hello!</div>
</Layout>
);
}
export default HelloPage;
「/hello」にアクセスすると「Hello!」と表示される。
■引き続き
・「ポートの変更について」「URLの変更について」「日本語化について」について調べておきたい。
ポートやURLは、そもそもリポジトリ自体を分けることが推奨されるか。
・ログイン後の情報編集機能が無いのは、単に実装されていないだけか。
・ReactとNext.js自体について調べる。
トラブル
■インストールエラー
以下のエラーになることがあった。
$ curl -s https://laravel.build/laravel10?php=81 | bash
latest: Pulling from laravelsail/php81-composer
bb263680fed1: Pulling fs layer
0825793cba86: Pulling fs layer
de3c011d207b: Pulling fs layer
7e3c5bd9650e: Waiting
c395372934a3: Waiting
a88c6339ee21: Waiting
18ff862cabb1: Waiting
03123220ec69: Waiting
99ea1d02d401: Waiting
a11c342f1dfb: Waiting
33fb090a3a9a: Waiting
510bc6d0dddd: Waiting
4f4fb700ef54: Waiting
ebcdb978b735: Waiting
5b83abcd47c2: Waiting
docker: error pulling image configuration: Get https://production.cloudflare.docker.com/registry-v2/docker/registry/v2/blobs/sha256/cf/cf75b1614400... x509: certificate has expired or is not yet valid.
See 'docker run --help'.
bash: line 17: cd: laravel10: No such file or directory
bash: line 23: ./vendor/bin/sail: No such file or directory
bash: line 24: ./vendor/bin/sail: No such file or directory
Get started with: cd laravel10 && ./vendor/bin/sail up
WSLの時間がずれていたので、以下で調整すると解消した
$ sudo hwclock --hctosys
■Git追加エラー
Git で fatal: unsafe repository (XXXXXXXXX is owned by someone else) というエラーが出たときの対処 #Git - Qiita
https://qiita.com/bakachou/items/a3d1a81821ca259f2913
コマンドプロンプトで以下を実行すると解消した。
git config --global --add safe.directory "%(prefix)///wsl$/Ubuntu-20.04/home/refirio/docker/laravel/code/laravel10"
git config --global --list
なお、以下のようにシングルクォートでは解消しなかった。
git config --global --add safe.directory '%(prefix)///wsl$/Ubuntu-20.04/home/refirio/docker/laravel/code/laravel10'
また、以下のとおり上階層のパスでは解消しなかった。
git config --global --add safe.directory "%(prefix)///wsl$/Ubuntu-20.04/home/refirio/docker"
■起動と終了
mysqlに接続できない?
rootで以下のようにデータベースを作成すれば、接続できるようになった。
何度も環境を作ったり壊したりしているからかもしれない。
$ sail shell
$ mysql -h mysql -u root -p
> CREATE DATABASE laravel10 DEFAULT CHARACTER SET utf8mb4;
> GRANT ALL PRIVILEGES ON laravel10.* TO sail;
> QUIT
$ mysql -h mysql -u sail -p
> SHOW DATABASES;
+--------------------+
| Database |
+--------------------+
| information_schema |
| laravel |
| laravel10 |
| performance_schema |
| testing |
+--------------------+
5 rows in set (0.01 sec)
> QUIT
テスト
■概要
10.x テスト: テストの準備 Laravel
https://readouble.com/laravel/10.x/ja/testing.html
■テスト用データベースの作成
Laravel Sailで一番簡単にテスト用DBを用意する
https://zenn.dev/naoki_oshiumi/articles/4c69822b18566a
Laravel Sailなら、テスト用データベースは自動で作成される。
具体的には、docker-compose.yml でmysqlコンテナ用に以下のコードがある。
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
- './docker/mysql/create-testing-database.sh:/docker-entrypoint-initdb.d/10-create-testing-database.sh'
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
これにより、create-testing-database.sh の内容が 10-create-testing-database.sh にマウントされ、実行される。
create-testing-database.sh の内容は以下のとおり。
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
#!/usr/bin/env bash
mysql --user=root --password="$MYSQL_ROOT_PASSWORD" <<-EOSQL
CREATE DATABASE IF NOT EXISTS testing;
GRANT ALL PRIVILEGES ON \`testing%\`.* TO '$MYSQL_USER'@'%';
EOSQL
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
これにより、「データベース testing が存在しなければ作成する」となる。
■テストを実行
何も設定せずに実行すると、以下の結果が表示された。
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
$ sail test
PASS Tests\Unit\ExampleTest
that true is true
PASS Tests\Feature\Auth\AuthenticationTest
login screen can be rendered 0.54s
users can authenticate using the login screen 0.05s
users can not authenticate with invalid password 0.23s
users can logout 0.02s
PASS Tests\Feature\Auth\EmailVerificationTest
email verification screen can be rendered 0.03s
email can be verified 0.03s
email is not verified with invalid hash 0.03s
PASS Tests\Feature\Auth\PasswordConfirmationTest
confirm password screen can be rendered 0.03s
password can be confirmed 0.02s
password is not confirmed with invalid password 0.22s
PASS Tests\Feature\Auth\PasswordResetTest
reset password link screen can be rendered 0.02s
reset password link can be requested 0.03s
reset password screen can be rendered 0.03s
password can be reset with valid token 0.04s
PASS Tests\Feature\Auth\PasswordUpdateTest
password can be updated 0.04s
correct password must be provided to update password 0.02s
PASS Tests\Feature\Auth\RegistrationTest
registration screen can be rendered 0.02s
new users can register 0.03s
PASS Tests\Feature\ExampleTest
the application returns a successful response 0.02s
PASS Tests\Feature\ProfileTest
profile page is displayed 0.03s
profile information can be updated 0.03s
email verification status is unchanged when the email address is unchanged 0.03s
user can delete their account 0.02s
correct password must be provided to delete account 0.02s
Tests: 25 passed (61 assertions)
Duration: 1.67s
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
■テスト用の設定ファイル
テストの実行時、.env.testing があればそれが使用される。
.env.testing が無ければ、.env が使用される。
よって .env.testing にはLaravelを動作させるためのひととおりの設定が必要。足りない情報を .env から読み込んだりはしないので注意。
phpunit.xml はPHPUnitの設定ファイルで、テスト実行時に環境変数や設定を一部上書きするためのもの。
つまりテストの際は APP_ENV が「testing」になり、データベースとして testing が使用され、キャッシュドライバも配列になる。
これにより、開発環境のデータベースやキャッシュを汚染することなくテストを行なえる。
なお例えば phpunit.xml を以下のように編集すると、データベース接続を伴うテストで「SQLSTATE[HY000] [1049] Unknown database 'testing2'」のエラーになる。
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
<env name="DB_DATABASE" value="testing"/>
↓
<env name="DB_DATABASE" value="testing2"/>
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
テスト用ファイルの作成については、以下のようにするのが良さそう。
・基本的には .env の内容をもとにして phpunit.xml で上書きさせる。(Laravel Sailデフォルトの挙動。)
・テスト環境用に、より詳細で包括的な設定を行ないたい場合、.env.testing に記載する。
■Inertia.js
Laravel+Inertiaでテストコード書いてみる|Laravel|PHP|開発ブログ|株式会社Nextat(ネクスタット)
https://nextat.co.jp/staff/archives/321
LaravelでInertia.jsを使ったテストの時にAssertを拡張して同時に2つの値を検証する方法
https://zenn.dev/arsaga/articles/64cc00db954b7e
Laravel & Inertiaのテストでresource/js以外をテスト対象にする方法
https://zenn.dev/wadakatu/articles/0b4b923b3c1edc
■ECS
※未検証。
ECSへデプロイする際に、CodeBuildで自動的にテストを実行したい。
【Laravel & AWS】AWSのCodePipelineでユニットテストを自動化する【6日目】 | コーラは1日500mlまで
https://t-kuni-tech.com/2020/07/26/aws%E3%81%AEcodepipeline%E3%81%A7%E3%83%A6%E3%83%8B%E3%83%83%E3%8...
■メモ
Laravel ユーザーのテストデータ生成時、ちょっと気に留めておきたい事
https://zenn.dev/nshiro/articles/0d07ce43fec24f
引き続き
引き続き、基本のCRUDを作成する。
最低限は実装できたが、管理画面に簡易な絞り込みなどを実装しておきたい。
データの表示順も、日時の降順にしたい。
バリデーションは、登録と編集で共通のRequestを使う方が簡潔に書けるか。
でも「この画面では〇〇の項目のみ編集」などがあると、徐々に分岐がややこしくなっているか。
現状のとおり、登録と編集でバリデーションがある方がいいか。検索などがあれば、そのバリデーションも追加することになる…と思われる。
Laravelのバリデーションで登録時と編集時でルールを変更したい :: ezaki3
https://eza-s.com/blog/archives/305/
若干のカスタマイズは、以下も参考になりそう。
Breezeを使ったLaravelの認証について|Kinsta
https://kinsta.com/jp/blog/laravel-breeze/
画面デザインは、必要に応じて以下を参考にするか。
オープンソースで公開されているTailwind.cssベースの管理画面テンプレート・「TailAdmin」 | かちびと.net
http://kachibito.net/useful-resource/tailadmin
Alerts | TailAdmin - Tailwind CSS Admin Dashboard Template
https://demo.tailadmin.com/alerts
メモ。
LaravelのFormRequestクラスのauthorize()を詳しく - PHP・Laravelを仕事に - laranote
https://laranote.jp/laravel-formrequest-authorize-details/