BelongsTo Default Models: No Need to Check in Blade Files

I've recently found out about a feature in Laravel relationship which changed the way I write code. So sharing with you. Let's say we have a relationship in Post model:
public function author()
{
    return $this->belongsTo('App\Author');
}
And then somewhere in Blade file we have this:
{{ $post->author->name }}
Now, what if some post doesn't have author? Meaning posts.author_id is NULL. You will get an error "Trying to get property of non-object", meaning that there's no $post->author, which is correct. How I handle it usually:
{{ $post->author->name or 'No author' }}
Or you can perform a check for existence:
@if ($post->author)
  {{ $post->author->name }}
@else
  Do something else
@endif

What if I told you there's a better way?

Apparently, Eloquent relationships allow to define "default" models, in case the model wouldn't return anything.
public function author()
{
    return $this->belongsTo('App\Author')->withDefault();
}
In this example, the author() relation will return an empty App\Author model if no author is attached to the post. Furthermore, we can assign default property values to that default model.
public function author()
{
    return $this->belongsTo('App\Author')->withDefault([
        'name' => 'Guest Author',
    ]);
}
By using this structure, you don't need to check anything in Blade anymore - just have the same
{{ $post->author->name }}
where needed. Source: official Laravel documentation (look for section Default Models)

No comments or questions yet...

Like our articles?

Become a Premium Member for $129/year or $29/month
What else you will get:
  • 58 courses (1054 lessons, total 46 h 42 min)
  • 78 long-form tutorials (one new every week)
  • access to project repositories
  • access to private Discord

Recent Premium Tutorials