3

我在本地运行 MongoDB 2.4.6,测试时 MongoDB PECL 扩展为 1.4.3。

我目前正在开发一个具有两个 MongoDB 数据库的应用程序,一个调用一个名为nc_main集合的集合companies,另一个调用nc_test一个名为users. 我正在尝试对其进行设置,以便companies文档可以引用users文档,但它似乎对我不起作用。当我查看公司文件时,我看到:

{
    "_id" : ObjectId("xxxx"),
    "maintainer" : DBRef("users", ObjectId("yyyy"))
}

然而,DBRef 是在 PHP 中使用的:MongoDBRef::create('users', $user['id'], 'nc_test');.

我可以运行以下查询,但它不会改变我在查询文档时看到的内容:db.companies.update({ _id: ObjectId("xxxx") }, { $set: { maintainer: { "$ref": "users", "$id": ObjectId("yyyy"), "$db": "nc_test"} }}).

这导致的问题是,尝试users通过引用加载文档会导致找不到文档错误,因为它在nc_main数据库中查找,而不是nc_test像我试图告诉它的那样。

4

1 回答 1

1

请注意,shell 不支持 MongoDBRef 的 $db 字段名,这就是它没有出现在那里的原因(仔细想想,它看起来像是 shell 中的一个错误,它甚至将数据转换为 DBRef JavaScript 对象)。

此外,MongoDBRef 只是一个约定。它并不神奇,也不做任何“自动获取”或“自动扩展”,它只是许多人用来“链接”同一集合中的文档的约定——在某些情况下,跨数据库。不过,并非所有 ODM(或与此相关的驱动程序)都支持 $db 字段名。

话虽如此,这是一个很好的约定-但我看不出什么不适合您。你能告诉我你的“解析”代码是什么样的吗?(例如,检索链接的文档)。

例如,这是我为这个问题编写的测试用例,它似乎在 MongoDB 2.4.6 和 PHP Driver 1.4.3 上本地运行良好

<?php

$mc = new MongoClient;
$companies = $mc->selectCollection("nc_main", "companies");
$users = $mc->selectCollection("nc_test", "users");

/*
$companies->drop();
$users->drop();
*/



/* Create a user in nc_test.users */
$user = array(
    "nick"  => "bjori",
    "title" => "Fixer",
);
$users->insert($user);

/* Create a reference to the newly created user */
$userref = MongoDBRef::create("users", $user["_id"], "nc_test");


/* Create a company in nc_main.copmanies */
$company = array(
    "name" => "MongoDB",
    "maintainer" => $userref,
);
$companies->insert($company);


/* Fetch the inserted company again, just to make sure the roundtrip didn't
 * modify the MongoDBRef in any way */
$mongodb = $companies->findOne(array("_id" => $company["_id"]));
/* Get the reference.. */
$maintainer = $mongodb["maintainer"];

/* Backtrac the database to select from by passing it as the first argument */
$bjori = MongoDBRef::get($mc->selectDb($maintainer['$db']), $maintainer);
var_dump($bjori);
?>

结果是:

array(3) {
  ["_id"]=>
  object(MongoId)#14 (1) {
    ["$id"]=>
    string(24) "528ab8c68c89fef7250041a7"
  }
  ["nick"]=>
  string(5) "bjori"
  ["title"]=>
  string(5) "Fixer"
}
于 2013-11-19T01:04:39.260 回答