在您的 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
or进行比较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 );
?>