我要感谢过去帮助过我的每个人以及你阅读这篇文章的时间。
我将sql查询转换为mongodb查询时出现问题。
SQL查询:
SELECT m_time,m_latency FROM pkt_tbl WHERE (m_time-m_latency+" . LATENCY_DELTA . ")>=" . $rangeXFrom . " AND (m_time-m_latency+" . LATENCY_DELTA . ")<=" . $rangeXTo . " ORDER BY (m_time-m_latency+" . LATENCY_DELTA . ")"
Mongodb查询(我的尝试)
$latency_delta_split = array('m_time-m_latency'=>LATENCY_DELTA);
$find_query = array($latency_delta_split=>array('$gte'=>$rangeXFrom),$latency_delta_split=>array('$lte'=>$rangeXTo));
$find_projectins = array('m_time'=>1, 'm_latency'=>1); $find_query = array(('m_time-m_latency'=>LATENCY_DELTA)=>array('$gte'=>$rangeXFrom),('m_time-m_latency'=>LATENCY_DELTA)=>array('$lte'=>$rangeXTo));
我仍然收到错误,无法找到解决方案。
我做了什么:
1] Read Mongodb Docs.
2] Searched on StackOverflow for similar problems. (None addressed mine)
3] Refered to PHP.NET official docs.
然而,我无法弄清楚,帮助将不胜感激。
答案 0 :(得分:7)
在你的SQL中你有:m_time-m_latency
,我认为这意味着从另一列中减去一列。
答案简短:
这不是您可以使用MongoDB查询表示的内容,因为您只能将字段与静态值进行比较。
答案很长:
如果您要查找m_time - m_latency + LATENCY_DELTA
在特定范围内的文档,则必须将该值预先计算存储在文档的其他字段中。如果您这样做,那么您只需运行查询:
db.collection.find( { 'm_calculated_latency' : { '$gte' : FROM_RANGE, '$lte' : TO_RANGE } } );
或者在PHP中:
$collection->find( array(
'm_calculated_latency' => array(
'$gte' => $from_range,
'$lte' => $to_range,
)
)
解决方法:
使用MongoDB的聚合框架,您可以按照自己的意愿进行查询,但到目前为止它不是最快或最优雅的解决方案,也不会使用索引。所以请重新设计您的架构并添加预先计算的字段。
发出警告后,请点击:
FROM=3
TO=5
DELTA=1
db.so.aggregate( [
{ $project: {
'time': { $add: [
{ $subtract: [ '$m_time', '$m_latency' ] },
DELTA
] },
'm_time' : 1,
'm_latency' : 1
} },
{ $match: { 'time' : { $gte: FROM, $lte: TO } } },
{ $sort: { 'time' : 1 } }
] );
在 $ project 步骤中,我们将字段时间计算为m_time - m_latency + DELTA
。我们还会输出原始的m_time
和m_latency
字段。然后在 $ match 步骤中,我们将计算出的time
与FROM
或TO
进行比较。最后,我们按计算的time
排序。 (因为你的原始SQL排序也没有意义,我认为你的意思是按时差排序)。
使用我的输入数据:
> db.so.insert( { m_time: 5, m_latency: 3 } );
> db.so.insert( { m_time: 5, m_latency: 1 } );
> db.so.insert( { m_time: 8, m_latency: 1 } );
> db.so.insert( { m_time: 8, m_latency: 3 } );
> db.so.insert( { m_time: 7, m_latency: 2 } );
> db.so.insert( { m_time: 7, m_latency: 4 } );
> db.so.insert( { m_time: 7, m_latency: 6 } );
> FROM=3
> TO=5
> DELTA=1
这会产生:
{
"result" : [
{
"_id" : ObjectId("51e7988af4f32a33dac184e8"),
"m_time" : 5,
"m_latency" : 3,
"time" : 3
},
{
"_id" : ObjectId("51e7989af4f32a33dac184ed"),
"m_time" : 7,
"m_latency" : 4,
"time" : 4
},
{
"_id" : ObjectId("51e7988cf4f32a33dac184e9"),
"m_time" : 5,
"m_latency" : 1,
"time" : 5
}
],
"ok" : 1
}
现在最后一个技巧是用PHP语法编写上面的聚合查询,正如你所看到的那样非常简单:
<?php
$m = new MongoClient;
$db = $m->test;
$r = $db->so->aggregate( [
[ '$project' => [
'time' => [ '$add' => [
[ '$subtract' => [ '$m_time', '$m_latency' ] ],
$DELTA
] ],
'm_time' => 1,
'm_latency' => 1
] ],
[ '$match' => [ 'time' => [ '$gte' => $FROM, '$lte' => $TO ] ] ],
[ '$sort' => [ 'time' => 1 ] ]
] );
var_dump( $r );
?>
答案 1 :(得分:0)
这没有任何意义。在以下情况下指定键值对时,不能将=>
链接在一起:
('m_time-m_latency'=>LATENCY_DELTA)=>array('$gte'=>$rangeXFrom)
老实说,我不确定你在那里做什么,以便提供更好的建议。