We can't find the internet
Attempting to reconnect
Something went wrong!
Hang in there while we get back on track
We some times need to make queries to retrieve different kinds of rows from the same table.
<?php
$published_posts = Post::where('status','=','published')->get();
$featured_posts = Post::where('status','=','featured')->get();
$scheduled_posts = Post::where('status','=','scheduled')->get();
The above code is retrieving rows with a different status from the same table. The code will result in making following queries.
select * from posts where status = 'published'
select * from posts where status = 'featured'
select * from posts where status = 'scheduled'
As you can see, it is making 3 different queries to the same table to retrieve the records. We can refactor this code to make only one database query.
<?php
$posts = Post::whereIn('status',['published', 'featured', 'scheduled'])->get();
$published_posts = $posts->where('status','=','published');
$featured_posts = $posts->where('status','=','featured');
$scheduled_posts = $posts->where('status','=','scheduled');
select * from posts where status in ( 'published', 'featured', 'scheduled' )
The above code is making one query to retrieve all the posts which has any of the specified status and creating separate collections for each status by filtering the returned posts by their status. So we will still have three different variables with their status and will be making only one query.
If this post was enjoyable or useful for you, please share it! If you have comments, questions, or feedback, you can email my personal email. To get new posts, subscribe use the RSS feed.