Laravel 모델에서 레코드를 검색하는 방법은 무엇입니까?
8422 단어 laravel
이 게시물에서는 Laravel 모델에서 레코드를 검색하는 방법의 예를 공유합니다. 레코드를 저장한 후 레코드를 검색하여 HTML 테이블에 표시해야 합니다. 이제 해봅시다.
Laravel 8 애플리케이션을 이미 설치했다고 가정합니다.
1단계: 모델, 마이그레이션 및 컨트롤러 생성
먼저 마이그레이션을 만들어 봅시다. 추가 옵션이 있는 모델 생성에 대해서는 당사previous post를 참조하십시오.
다음 명령을 실행합니다.
php artisan make:model Post --migration --controller
일단 모델, 마이그레이션 및 컨트롤러를 생성합니다. 다음 경로로 마이그레이션을 탐색합니다. project_folder/database/migrations/{datetime}_create_posts_table.php
마이그레이션의 샘플 코드는 아래를 참조하십시오.
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class CreatePostsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('posts', function (Blueprint $table) {
$table->id();
$table->string('title');
$table->string('description')->nullable();
$table->text('body');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('posts');
}
}
그런 다음 마이그레이션 명령을 실행합니다.
php artisan migrate
마이그레이션이 완료되면 게시물 시더를 생성합니다. t 참조 his post on how to do it.
2단계: 경로 만들기
이제 게시물 경로를 만들어 보겠습니다. project_folder/routes/web.php 탐색
Route::get('/posts', 'PostController@index')->name('post.index');
3단계: 컨트롤러 설정
다음으로 데이터 검색을 위해 컨트롤러를 설정합니다.
<?php
namespace App\Http\Controllers;
use App\Models\Post;
use Illuminate\Http\Request;
class PostController extends Controller
{
public function index()
{
$posts = Post::all();
return view('posts.index', compact('posts'));
}
}
4단계: 보기 설정
그런 다음 뷰를 추가합니다. project_folder/resources/views 내에 게시물 폴더를 만듭니다. 그런 다음 index.blade.php를 추가하십시오(아래 코드 참조).
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<title>Posts</title>
</head>
<body>
<table>
<tr>
<td>Id</td>
<td>Title</td>
<td>Description</td>
<td>Body</td>
</tr>
@foreach($posts as $post)
<tr>
<td>{{ $post->id }}</td>
<td>{{ $post->title }}</td>
<td>{{ $post->description }}</td>
<td>{{ $post->body }}</td>
</tr>
@endforeach
</table>
</body>
</html>
이제 우리는 이미 Laravel 모델에서 레코드를 검색했습니다. 아래 결과를 참조하십시오.
이 튜토리얼이 도움이 되었으면 합니다. 이 코드를 다운로드하려면 여기https://codeanddeploy.com/blog/laravel/how-to-retrieve-records-in-laravel-model를 방문하십시오.
행복한 코딩 :)
Reference
이 문제에 관하여(Laravel 모델에서 레코드를 검색하는 방법은 무엇입니까?), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://dev.to/codeanddeploy/how-to-retrieve-records-in-laravel-model-33kp텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)