我在创建记录后保存记录时有这个用例,我想检查错误,并告知我的用户sql server端发生了什么,而没有向他显示实际的错误消息(如果有的话)。
这是我现在想出的:
<?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错误代码进行硬编码的部分让我感到困扰,它肯定不会移植。
问题
在保存/更新/删除记录时,我们如何识别数据库错误?
我们能否以多种方式进行此验证(数据库不可知)?
答案 0 :(得分: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&#39; code:
/**
* Listen for save event
*/
protected static function boot()
{
parent::boot();
static::saving(function($model)
{
return $model->validate();
});
}