我的问题是,我希望从created_at
属性中获取数据表中的数据,仅限于每年和每月。我试过的代码是:
$post= Mjblog::select(DB::raw('YEAR(created_at) year, MONTH(created_at) month'));
$posts_by_y_m = $post->where('created_at',$post)->get();
答案 0 :(得分:42)
查询构建器中有可用的日期助手:
$post = Mjblog::whereYear('created_at', '=', $year)
->whereMonth('created_at', '=', $month)
->get();
答案 1 :(得分:3)
如果您想从Mjblog
的单个实例中获取年份和月份,您可以像这样访问它们:
$year = $post->created_at->year;
$month = $post->created_at->month;
详细了解Carbon\Carbon
getters documentation。
答案 2 :(得分:1)
虽然接受的答案可能会解决 OP 问题,但 NOT最佳解决方案数据库性能。
因为当应用 whereYear()
或 whereMonth()
助手查询记录时,它使查询非SARGable。这意味着如果比较列 created_at
已在数据库中建立索引,则在搜索数据时会忽略此索引。请参阅What makes a SQL statement sargable?
考虑下面的表达式
$posts = Mjblog::whereYear('created_at', '=', $year)
->whereMonth('created_at', '=', $month)
->get();
结果查询将类似于
select *
from mjblog
where year(`created_at`) = :year
and month(`created_at`) = :month
可以清楚地将上述查询视为不可搜索的,因为 year()
和 month()
函数应用于产生非索引值的 created_at
。
为了使其成为 SARGable 表达式,最好在比较索引列时定义值的精确/范围。像 OP 一样,范围可以从月份和年份值导出为
$year = 2000;
$month = 2;
$date = \Carbon\Carbon::parse($year."-".$month."-01"); // universal truth month's first day is 1
$start = $date->startOfMonth()->format('Y-m-d H:i:s'); // 2000-02-01 00:00:00
$end = $date->endOfMonth()->format('Y-m-d H:i:s'); // 2000-02-29 23:59:59
现在 SARGable 表达式可以写成
select *
from mjblog
where created_at between :start and :end
或
select *
from mjblog
where created_at >= :start
and created_at <= :end
在查询构建器中它可以表示为
$posts = Mjblog::whereBetween('created_at', [$start, $end])
->get();
或
$posts = Mjblog::where('created_at', '>=', $start)
->where('created_at', '<=', $end)
->get();
另一篇有用的文章,重点介绍了 Non-SARGable Predicates & Anti-Patterns
的缺点