在Laravel中创建,更新或删除记录时识别sql错误的最佳方法

问题描述 投票:0回答:1

我有这个用例,当我在创建它后保存记录并且我想检查错误,并告知我的用户sql服务器端发生了什么而没有向他显示实际的错误消息(如果有的话)。

这就是我现在想出来的:

<?php
    namespace App\Http\Controllers;

    use Illuminate\Http\Request;
    use App\Book;
    use App\Http\Requests\BookRequest;
    use Illuminate\Database\QueryException;

    class BookController extends Controller {
        /* ... */

        public function store(BookRequest $request) {
            $book = new Book;

            $book->name = $request->input('name');
            $book->author = $request->input('author');
            $book->published_at = $request->input('publishDate');

            try {
                $book->save();
            }
            catch( QueryException $exception ) {
                $message = '';

                if( $exception->code == 23000 )  { // 23000: MySQL error code for "Duplicate entry"
                    $message = 'This book already exists.';
                }
                else {
                    $message = 'Could not store this book.';
                }

                return redirect()
                    ->back()
                    ->withInput()
                    ->withErrors($message);
            }

            return redirect()->route('book.index');
        }
    }
?>

我硬编码MySQL错误代码的部分让我感到困扰,它肯定不可移植。

在保存/更新/删除记录时,我们如何识别数据库错误?

我们能以多种方式进行此验证(数据库不可知)吗?

php sql laravel laravel-5 error-handling
1个回答
0
投票

一种选择是在保存之前使用验证。最简单的方法是使用Laravel-Model-Validation。你可以这样做:

class Book extends Model {
    protected static $rules = [
        'name' => 'required|unique:books',
        'published_at' => 'required|date'
    ];

    //Use this for custom messages
    protected static $messages = [
        'name.unique' => 'A book with this name already exists.'
    ];
}

这可以通过听saving轻松地手动滚动。见Jeffrey Way的code

/**
 * Listen for save event
 */
protected static function boot()
{
    parent::boot();
    static::saving(function($model)
    {
        return $model->validate();
    });
}
© www.soinside.com 2019 - 2024. All rights reserved.