카테고리 없음

laravel 라라벨 페이징

백위한 2024. 5. 9. 21:08

 

페이지를 매기는 가장 간단한 방법은 쿼리 빌더 또는 Eloquent 쿼리에서 paginate 메소드를 사용하는 것이다.

paginate 메소드는 사용자가 보고 있는 현재 페이지를 기반으로 쿼리의 "limit" 및 "offset" 설정을 자동으로 처리한다.

기본적으로 현재 페이지는 HTTP 요청의 page 쿼리 문자열 인수 값으로 감지된다.

이 값은 라라벨에 의해 자동으로 감지되며 paginator에 의해 생성된 링크에도 자동으로 삽입된다.

 

다음은 페이지당 15개의 항목을 표시하는 예제이다.

 

<?php

namespace App\Http\Controllers;

use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\DB;

class UserController extends Controller
{
    /**
     * Show all application users.
     *
     * @return \Illuminate\Http\Response
     */
    public function index()
    {
        return view('user.index', [
            'users' => DB::table('users')->paginate(15)
        ]);
    }
}

 

 

페이지네이션 결과 표시

 

paginator 인스턴스는 irerators 이며 배열처럼 반복문에서 사용할 수 있다.

따라서 결과를 검색한 후에는 블레이드를 사용하여 결과를 표시하고 페이지 링크를 렌더링할 수 있다.

 

<div class="container">
    @foreach ($users as $user)
        {{ $user->name }}
    @endforeach
</div>

{{ $users->links() }}

 

links 메서드는 결과 세트의 나머지 페이지에 대한 링크를 렌더링한다.

이러한 링크에는 적절한 page 쿼리 문자열 변수가 포함되어 있다.

link 방식으로 생성된 HTML은 Tailwind CSS 프레임워크와 호환된다.

 

 

다음은 게시물 목록 쿼리 빌더 결과를 페이징하는 코드이다.

public function index(){
    $boards = $this->Board->latest()->paginate(10);
    return view('board.index', compact('boards'));
}

 

latest와 oldest 메서드는 날짜를 기반으로 결과를 정렬한다.

기본적으로 결과는 테이블의 created_at 칼럼을 기준으로 정렬된다.

정렬의 기준이 되는 칼럼 이름을 전달할 수도 있다.

 

$user = DB::table('users')
                ->latest()
                ->first();

 

다음은 게시물 목록을 보여주는 뷰 코드이다.

 

@extends('board.layout')

@section('content')

    <a href="{{route("boards.create")}}">
        <button type="button" class="btn btn-dark" style="float: right;">생성</button>
    </a>

    <table class="table table-striped table-hover">
        <colgroup>
            <col width="15%"/>
            <col width="55%"/>
            <col width="15%"/>
            <col width="15%"/>
        </colgroup>
        <thead>
        <tr bgcolor="#a9a9a9">
            <th scope="col">번호</th>
            <th scope="col">제목</th>
            <th scope="col">조회수</th>
            <th scope="col">작성일</th>
        </tr>
        </thead>
        <tbody>
        @foreach ($boards as $key => $board)
            <tr bgcolor="#d3d3d3">
                <th scope="row">{{$board->id}}</th>
                <td>
                    <a href="{{route("boards.show", $board->id)}}">{{$board->title}}</a>
                </td>
                <td>{{$board->views}}</td>
                <td>{{$board->created_at}}</td>
            </tr>
        @endforeach
        </tbody>
    </table>

    {!! $boards->links() !!}

    @if(session('success'))
        <div class="alert alert-success">
            {{ session('success') }}
        </div>
    @endif

@endsection