我在laravel(5.2)中遇到一个非常奇怪的问题 - 我从一些外部源(API)创建了一个集合,我试图运行一个'其中'查询以提取特定记录。
最初,我试图提取当月提交的所有条目(因此,在本月的第一天之后)
$entries is the starting collection (time entries on a project - see end of post)
$thisMonthStart = (new Carbon('first day of this month'))->toDateString();
//value of this is 2017-02-01, and the issue is not resolved if I remove toDateString()
$entriesThisMonth = $entries->where('spent-at', '>', $thisMonthStart);
//returns an empty collection, but should have 15 results
现在真正奇怪的部分是,我试图获得$条目花费在' 等于该月的第一天 - 应该有一个条目。如果我不明确指定比较运算符,我会得到预期的结果:
$entriesThisMonth = $entries->where('spent-at', $thisMonthStart);
//one $entries returned, see end of post
但是,如果我指定=运算符
$entriesThisMonth = $entries->where('spent-at', '=', $thisMonthStart);
//empty collection returned
所以我现在非常困惑 - 可能是我的原始集合中有问题,但为什么指定vs不指定运算符会有什么不同?我原以为这两个查询会得到相同的结果吗?
(显然,在尝试进行<或>比较时,无法指定运算符不是很有帮助,但我大多只对这两种语法之间的实际差异感兴趣,那么为什么他们会给出不同的结果?)
我无法找到关于这两个版本的查询如何工作的任何信息,因此,如果它预期会产生不同的结果 - 我会认为它们应该是相同的,但也许某人有了更深入的了解可以解释导致这种情况的原因吗?
感谢任何能够揭开神秘面纱的人!
$ entries集合的示例是有用的(只有一条记录): (NB肯定有当月的记录,我知道这个例子太旧了)
Collection {#952 ▼
#items: array:367 [▼
175412141 => DayEntry {#958 ▼
#_root: "request"
#_convert: true
#_values: array:16 [ …16]
+"id": "175412141"
+"notes": ""
+"spent-at": "2013-10-03"
+"hours": "0.75"
+"user-id": "595841"
+"project-id": "4287629"
+"task-id": "2448666"
+"created-at": "2013-10-03T18:07:54Z"
+"updated-at": "2013-11-01T12:50:51Z"
+"adjustment-record": "false"
+"timer-started-at": ""
+"is-closed": "false"
+"is-billed": "true"
+"started-at": "10:45"
+"ended-at": "11:30"
+"invoice-id": "3633772"
}
这是where query 返回的,没有运算符:
Collection {#954 ▼
#items: array:1 [▼
568944822 => DayEntry {#1310 ▼
#_root: "request"
#_convert: true
#_values: array:15 [▶]
+"id": "568944822"
+"notes": "Tweaking formatting on job ads and re shuffling ad order"
+"spent-at": "2017-02-01"
+"hours": "0.25"
+"user-id": "595841"
+"project-id": "4287629"
+"task-id": "2448666"
+"created-at": "2017-02-01T14:45:00Z"
+"updated-at": "2017-02-01T14:45:00Z"
+"adjustment-record": "false"
+"timer-started-at": ""
+"is-closed": "false"
+"is-billed": "false"
+"started-at": "14:30"
+"ended-at": "14:45"
}
]
}
答案 0 :(得分:3)
要修复您的问题... “返回一个空集合,但应该有15个结果”。如果该集合已存在,则需要filter
结果。像这样:
$thisMonthStart = new Carbon('first day of this month');
$entriesThisMonth = $entries->filter(function ($entry) use ($thisMonthStart) {
return $entry['spent-at'] >= $thisMonthStart;
});
答案 1 :(得分:2)
方法illuminate\Support\Collection::where
与数据库集合不同,它不会将运算符作为第二个参数。
您正在使用的集合对象的where
方法签名是where(string $key, mixed $value, bool $strict = true)
您与运算符的第二个示例是查找集合中与字符串'='
匹配的所有元素。
要进一步阅读您正在使用的集合(不是雄辩的集合),请查看here
要获得您期望的15个结果,请在集合中使用filter
方法。
这些方面应该有效:
$entriesThisMonth = $entries->filter (function ($e) use ($thisMonthStart) {
return $e ['spent-at'] > $thisMonthStart;
});