Telkens wanneer u een statische methode op uw modelklasse aanroept, retourneert deze een Fluent-query zoals DB::table('yourmodeltable')->method
. Als je dat in gedachten houdt, zul je al snel merken dat het mogelijk is om elke vraag te stellen met Eloquent-modellen.
Om betere prestaties te bereiken, kunt u nu SQL's gebruiken DATUM() functie. Mijn voorbeeld hieronder is niet getest, dus corrigeer het gerust.
// tomorrow -1 week returns tomorrow's 00:00:00 minus 7 days
// you may want to come up with your own date tho
$date = new DateTime('tomorrow -1 week');
// DATE(objecttime) turns it into a 'YYYY-MM-DD' string
// records are then grouped by that string
$days = Object::where('objecttime', '>', $date)
->group_by('date')
->order_by('date', 'DESC') // or ASC
->get(array(
DB::raw('DATE(`objecttime`) AS `date`'),
DB::raw('COUNT(*) as `count`')
));
foreach ($days as $day) {
print($day->date . ' - '. $day->count);
}
Dit zou iets moeten afdrukken als:
2013-03-09 - 13
2013-03-10 - 30
2013-03-11 - 93
2013-03-12 - 69
2013-03-13 - 131
2013-03-14 - 185
2013-03-15 - 69
Bewerken:
De voorgestelde aanpak hierboven retourneert instanties van Eloquent Model, wat misschien raar lijkt, vooral als je var_dump($days)
. Je kunt ook Fluent's list()
. gebruiken methode om hetzelfde te bereiken.
$date = new DateTime('tomorrow -1 week');
// lists() does not accept raw queries,
// so you have to specify the SELECT clause
$days = Object::select(array(
DB::raw('DATE(`objecttime`) as `date`'),
DB::raw('COUNT(*) as `count`')
))
->where('created_at', '>', $date)
->group_by('date')
->order_by('date', 'DESC') // or ASC
->lists('count', 'date');
// Notice lists returns an associative array with its second and
// optional param as the key, and the first param as the value
foreach ($days as $date => $count) {
print($date . ' - ' . $count);
}