This may be a trivial question but I am wondering if Laravel recommends a certain way to check whether an Eloquent collection returned from $result = Model::where(...)->get()
is empty, as well as counting the number of elements.
We are currently using !$result
to detect empty result, is that sufficient? As for count($result)
, does it actually cover all cases, including empty result?
When using
->get()
you cannot simply use any of the below:Because if you
dd($result);
you'll notice an instance ofIlluminate\Support\Collection
is always returned, even when there are no results. Essentially what you're checking is$a = new stdClass; if ($a) { ... }
which will always return true.To determine if there are any results you can do any of the following:
You could also use
->first()
instead of->get()
on the query builder which will return an instance of the first found model, ornull
otherwise. This is useful if you need or are expecting only one result from the database.Notes / References
->first()
http://laravel.com/api/4.2/Illuminate/Database/Eloquent/Collection.html#method_firstisEmpty()
http://laravel.com/api/4.2/Illuminate/Database/Eloquent/Collection.html#method_isEmpty->count()
http://laravel.com/api/4.2/Illuminate/Database/Eloquent/Collection.html#method_countcount($result)
works because the Collection implements Countable and an internalcount()
method: http://laravel.com/api/4.2/Illuminate/Database/Eloquent/Collection.html#method_countBonus Information
The Collection and the Query Builder differences can be a bit confusing to newcomers of Laravel because the method names are often the same between the two. For that reason it can be confusing to know what one you’re working on. The Query Builder essentially builds a query until you call a method where it will execute the query and hit the database (e.g. when you call certain methods like
->all()
->first()
->lists()
and others). Those methods also exist on theCollection
object, which can get returned from the Query Builder if there are multiple results. If you're not sure what class you're actually working with, try doingvar_dump(User::all())
and experimenting to see what classes it's actually returning (with help ofget_class(...)
). I highly recommend you check out the source code for the Collection class, it's pretty simple. Then check out the Query Builder and see the similarities in function names and find out when it actually hits the database.