0

我的示例代码:

<?php
$m = new Mongo();

$db = $m->selectDB('metrics');
$collection = new MongoCollection($db, 'counter');

$url = $_SERVER['REQUEST_URI'];
$ip = '192.168.1.1';
$user = 'testuser';
$today = date('Y-m-d');

//upsert 1st
$filter = array('url' => $url, 'date' => $today);
$data2 = array(
                '$inc' => array("pageview" => 1),
                '$addToSet' => array('visitors' => array('ip' => $ip))
);
$options = array("upsert" => true);
$collection->update( $filter, $data2, $options );


//update the pageview for unique ip after that
$filter1 = array( 'url' => $url, 'date' => $today, 'visitors' => array( '$elemMatch' => array( 'ip' => $ip ) ) );
$update1 = array( '$inc' => array( 'visitors.$.pageview' => 1 ) );
$collection->update( $filter1, $update1 );

?>

MongoDB中的数据:

第一次查看页面时这是正确的。

> db.counter.find();
{ "_id" : ObjectId("4fdaaf1176c5c9fca444ffd3"), "date" : "2012-06-14", "pageview" : 1, "url" : "/mongo/test.php", "visitors" : [ { "ip" : "192.168.1.1", "pageview" : 1 } ] }

刷新页面后,添加奇怪的数据:

> db.counter.find();
{ "_id" : ObjectId("4fdaaf1176c5c9fca444ffd3"), "date" : "2012-06-14", "pageview" : 2, "url" : "/mongo/test.php", "visitors" : [ { "ip" : "192.168.1.1", "pageview" : 2 }, { "ip" : "192.168.1.1" } ] }

我将如何更正查询并防止插入额外的 IP?谢谢。

4

1 回答 1

1

如果我做对了,您粘贴的代码每次都以这种方式执行?
你得到另一个 ip 条目的问题是'$addToSet' => array('visitors' => array('ip' => $ip))'$addToSet' => array('visitors' => array('ip' => $ip))你的数组不包含一个只有一个 ip 的字段,它将插入另一个(你的字段还有一个 pageview 属性)。您将需要完全匹配。
不确定是否有针对此问题的一些指导方针,但我认为您应该使用类似的方法,作为文档结构:

{_id:ObjectId(.....),...,访问者:{ 192.168.1.1: {pageview:1}}。所以你可以简单地运行这个更新命令(在 mongoshell 语法中),它进一步将两个更新合并为一个:):

db.c.update({"url":"/test.php","date":"today"},{$inc : {"192.168.1.1" : {pageview:1}, pageview: 1}},true)更新您的文档。无论如何,您需要用其他字符替换这些点,否则它不起作用。

于 2012-06-15T06:51:51.990 回答