제목에서 알 수 있듯이 하위 모델이 업데이트되면 상위 모델의 타임스탬프가 트리거될 수 있습니다. 예를 들어 댓글
은 게시물
에 속하며, 하위 모델을 업데이트하면 상위 모델의 타임스탬프가 업데이트될 때 유용할 때도 있습니다. 예를 들어 Comment
모델이 업데이트되면 상위 Post
모델의 updated_at
타임스탬프 업데이트를 자동으로 트리거하려고 합니다. Eloquent
를 사용하면 하위 모델 관계의 이름이 포함된 touch
속성만 추가하면 됩니다. Comment
属于 Post
,有时更新子模型导致更新父模型时间戳非常有用。例如,当 Comment
模型被更新时,您要自动触发父级 Post
模型的 updated_at
时间戳的更新。Eloquent
让它变得简单,只需添加一个包含子模型关系名称的 touch
属性。
<?php namespace App; use Illuminate\Database\Eloquent\Model; class Comment extends Model { /** * 涉及到的所有关联关系。 * * @var array */ protected $touches = ['post']; /** * 获取评论所属的文章。 */ public function post() { return $this->belongsTo('App\Post'); } }
在使用预加载时,可以从关系中获取指定的列。
$users = App\Book::with('author:id,name')->get();
你可以使用 Auth::once()
来为单个请求验证用户的身份,此方法不会使用 Cookie
会话。这意味着此方法可能有助于构建无状态 API 。
if (Auth::once($credentials)) { // }
你不仅可以将 redirect()
方法用于用户特定的 URL 或者路由中,还可以用于控制器中带有参数的方法中。
return redirect()->action('SomeController@method', ['param' => $value]);
withDefault()
避免在关系中出现的错误当一个关系被调用时,如果它不存在,则会出现致命的错误,例如 $post->user->name
,可以使用 withDefault()
来避免。
/** 获取文章作者 */ public function user() { return $this->belongsTo('App\User')->withDefault(); }
$loop
变量在 blade
的 foreach
中,即使在两次循环中,依然可以通过使用 $loop
变量来获取父级变量。
@foreach ($users as $user) @foreach ($user->posts as $post) @if ($loop->parent->first) This is first iteration of the parent loop. @endif @endforeach @endforeach
在执行 Eloqument
查询后,你可以使用 map()
来修改行。
$users = User::where('role_id', 1)->get()->map(function (User $user) { $user->some_column = some_function($user); return $user; });
dd()
在 Eloqument
的最后加上 $test->dd()
,来代替 dd($result)
。
// 优化前 $users = User::where('name', 'Taylor')->get(); dd($users); // 优化后 $users = User::where('name', 'Taylor')->get()->dd();
如果有 hasMany()
关联关系,和想要从父类对象中保存许多子类对象,可以使用 saveMany()
来达到你想要的效果。
$post = Post::find(1); $post->comments()->saveMany([ new Comment(['message' => 'First comment']), new Comment(['message' => 'Second comment']), ]);
Model::all()
中指定列当你使用 Eloqument
的 Model::all()
时,你可以指定要返回的列。
$users = User::all(['id', 'name', 'email']);
Blade
中的 @auth
你可以使用 @auth
指令来代替 if
语句来检查用户是否经过身份验证。
@if(auth()->user()) // The user is authenticated. @endif
@auth // The user is authenticated. @endauth
如果你使用 Mailables 来发送你的邮件,你可以预览它们而不发送出去。
Route::get('/mailable', function () { $invoice = App\Invoice::find(1); return new App\Mail\InvoicePaid($invoice); });
hasMany
的特定检查在 Eloquent
的 hasMany()
关系中,你可以筛选出具有 n 个子记录数量的记录。
// Author -> hasMany(Book::class) $authors = Author::has('books', '>', 5)->get();
如果记录使用了软删除,那么你就可以一次恢复多条软删除记录。
Post::withTrashed()->where('author_id', 1)->restore();
迁移文件不仅有 timestamps()
时间戳,还有 timestampsTz()
带有时区的时间戳。
Schema::create('employees', function (Blueprint $table) { $table->increments('id'); $table->string('name'); $table->string('email'); $table->timestampsTz(); });
你知道还可以检查视图文件是否存在吗?
if (view()->exists('custom.page')) { // Load the view }
在路由文件中,你可以为一个路由组创造一个组,还可以为其指定特定的中间件。
Route::group(['prefix' => 'account', 'as' => 'account.'], function() { Route::get('login', 'AccountController@login'); Route::get('register', 'AccountController@register'); Route::group(['middleware' => 'auth'], function() { Route::get('edit', 'AccountController@edit'); }); });
Eloquent
中的日期时间方法whereDay()
, whereMonth()
, whereYear()
, whereDate()
, whereTime()
这些方法皆为 Eloquent
中检查日期的方法。
$products = Product::whereDate('created_at', '2018-01-31')->get(); $products = Product::whereMonth('created_at', '12')->get(); $products = Product::whereDay('created_at', '31')->get(); $products = Product::whereYear('created_at', date('Y'))->get(); $products = Product::whereTime('created_at', '=', '14:13:58')->get();
Eloquent
关系中使用 orderBy()
你可以在 Eloquent
关系中直接指定 orderBy()
。
public function products() { return $this->hasMany(Product::class); } public function productsByName() { return $this->hasMany(Product::class)->orderBy('name'); }
对于迁移的外键,不要使用 integer()
, 而是使用 unsignedInteger()
或者是 integer()->unsigned()
Schema::create('employees', function (Blueprint $table) { $table->unsignedInteger('company_id'); $table->foreign('company_id')->references('id')->on('companies'); });
미리 로드를 사용하면 관계에서 지정된 열을 가져올 수 있습니다. rrreee
03: 단일 요청에 대해 사용자를 인증🎜🎜Auth::once()
를 사용하여 단일 요청에 대해 사용자를 인증할 수 있습니다. 이 방법은 쿠키를 사용하지 않습니다. 코드 > 세션. 이는 이 접근 방식이 상태 비저장 <strong>API</strong>를 구축하는 데 유용할 수 있음을 의미합니다. 🎜rrreee🎜04: 매개변수가 있는 컨트롤러 메서드로 리디렉션🎜🎜사용자별 URL이나 경로뿐만 아니라 매개변수가 있는 메서드의 컨트롤러에서도 <code>redirect()
메서드를 사용할 수 있습니다. 🎜rrreee🎜05: withDefault()
를 사용하여 관계 오류를 방지하는 방법 🎜🎜관계를 호출할 때 관계가 없으면 $ post와 같은 치명적인 오류가 발생합니다. ->user->name
은 withDefault()
를 사용하여 피할 수 있습니다. 🎜rrreee🎜06: 템플릿의 두 개의 평면 $loop
변수 🎜🎜blade
의 foreach
에서는 두 개의 루프에서도 여전히 사용할 수 있습니다. $loop
변수를 사용하여 상위 변수를 가져옵니다. 🎜rrreee🎜07: 쿼리 결과 수정🎜🎜 Eloqument
쿼리를 실행한 후 map()
을 사용하여 행을 수정할 수 있습니다. 🎜rrreee🎜08: dd()
를 쉽게 사용🎜🎜 Eloqument
끝에 $test->dd()
를 추가하여 dd($결과). 🎜rrreee🎜09: hasMany를 사용하여 saveMany.🎜🎜hasMany()
관계가 있고 상위 클래스 개체에서 많은 하위 클래스 개체를 저장하려는 경우 saveMany()를 사용할 수 있습니다. 원하는 효과를 얻으려면 🎜rrreee🎜10: <code>Model::all()
에서 열 지정 🎜🎜Eloqument
의 Model::all()
을 사용하는 경우, 반환할 열을 지정할 수 있습니다. 🎜rrreee🎜11: Blade
의 @auth
🎜🎜 if
대신 @auth
지시문을 사용할 수 있습니다. 사용자가 인증되었는지 확인하는 명령문입니다. 🎜hasMany
에 대한 특정 검사 🎜🎜Eloquent
의 hasMany()
관계에서 다음을 사용하여 레코드 수를 필터링할 수 있습니다. n 어린이 기록. 🎜rrreee🎜14: 여러 개의 일시 삭제 복구🎜🎜레코드가 일시 삭제를 사용하는 경우 한 번에 여러 개의 일시 삭제된 레코드를 복구할 수 있습니다. 🎜rrreee🎜15: 시간대가 포함된 이전 열🎜🎜이전 파일에는 timestamps()
타임스탬프뿐만 아니라 시간대가 포함된 timestampsTz()
타임스탬프도 있습니다. 🎜rrreee🎜16: 뷰 파일이 존재하나요? 🎜🎜뷰 파일이 존재하는지 확인할 수도 있다는 것을 알고 계셨나요? 🎜rrreee🎜17: 그룹 내의 라우팅 그룹🎜🎜라우팅 파일에서 라우팅 그룹에 대한 그룹을 만들고 이에 대한 특정 미들웨어를 지정할 수 있습니다. 🎜rrreee🎜18: Eloquent
🎜🎜whereDay()
, whereMonth()
, whereYear()의 날짜 및 시간 메서드 code> code> , <code>whereDate()
, whereTime()
이 메서드는 모두 Eloquent
에서 날짜를 확인하는 메서드입니다. 🎜rrreee🎜19: Eloquent
관계에서 orderBy()
사용 🎜🎜Eloquent
관계에서 직접 orderBy()를 지정할 수 있습니다 코드>. 🎜rrreee🎜20: 부호 없는 정수🎜🎜이전된 외래 키의 경우 <code>integer()
를 사용하지 말고 unsignedInteger()
또는 integer( )-> unsigned()
, 그렇지 않으면 일련의 오류가 발생합니다. 🎜rrreee🎜더 많은 Laravel 관련 기술 기사를 보려면 🎜Laravel Tutorial🎜 칼럼을 방문하여 알아보세요! 🎜위 내용은 Laravel 사용 시 몇 가지 팁의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!