How can I filter out only results when total is greater than n? other words only IPs with more wisits than n (say 500)
I tried ->where('total','>',500)
but it didn't work
Thank you
$visits = DB::table('visits')
->select('ip_address',DB::raw('count(*) as total'))
->where('timestamp', '>=',\Carbon\Carbon::now()->startOfDay())
->groupBy('ip_address')
->orderBy('total', 'desc')
->get();
WHERE
cannot be used on grouped item (such as count(*)
) whereas HAVING
can. You can refer WHERE vs HAVING question to understand more details,
You have to use having
->having('total', '>', 100)
optionally in your case you can use havingRaw
->havingRaw('count(*) > 2500')
->havingRaw('total > 2500')
You may use the filter
method
$visits = DB::table('visits')
->select('ip_address', DB::raw('COUNT(*) as total'))
->where('timestamp', '>=', \Carbon\Carbon::now()->startOfDay())
->groupBy('ip_address')
->orderBy('total', 'desc')
->get();
$filtered_visits = $visits->filter(function($item) {
return $item->total > 500;
});