作者:清醒还是迷惘_123 | 来源:互联网 | 2024-10-12 15:52
篇首语:本文由编程笔记#小编为大家整理,主要介绍了在Laravel中创建,更新或删除记录时识别sql错误的最佳方法相关的知识,希望对你有一定的参考价值。
我有这个用例,当我在创建它后保存记录并且我想检查错误,并告知我的用户sql服务器端发生了什么而没有向他显示实际的错误消息(如果有的话)。
这就是我现在想出来的:
php
namespace AppHttpControllers;
use IlluminateHttpRequest;
use AppBook;
use AppHttpRequestsBookRequest;
use IlluminateDatabaseQueryException;
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错误代码的部分让我感到困扰,它肯定不可移植。
题
在保存/更新/删除记录时,我们如何识别数据库错误?
我们能以多种方式进行此验证(数据库不可知)吗?
答案
一种选择是在保存之前使用验证。最简单的方法是使用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();
});
}