5

我想用 Ruby 试试 Mongo。我连接,选择了集合,我可以从 MongoDB 查询数据。

irb(main):049:0> coll.find_one({:x=>4})
=> #<BSON::OrderedHash:0x3fdb33fdd59c {"_id"=>BSON::ObjectId('4f8ae4d7c0111ba6383cbe1b'), "x"=>4.0, "j"=>1.0}>

irb(main):048:0> coll.find_one({:x=>4}).to_a
=> [["_id", BSON::ObjectId('4f8ae4d7c0111ba6383cbe1b')], ["x", 4.0], ["j", 1.0]]

但是当我检索 BSON 哈希时如何访问属性?我需要这样的东西:

data.x
=> 4

to_hash方法给了我相同的 BSON::OrderedHash ... :(

4

2 回答 2

4

当你说 时coll.find_one({:x=>4}),你会得到一个 BSON::OrderedHash,你可以像普通哈希一样访问它:

h = coll.find_one(:x => 4)
puts h['x']
# 4 comes out unless you didn't find anything.

如果您使用 fullfind而不是find_one,您会得到一个 MongoDB::Cursor ,它是一个 Enumerable ,因此您可以像任何其他集合一样对其进行迭代;游标将在您迭代时返回 BSON::OrderedHash 实例,因此您可以执行以下操作:

cursor = coll.find(:thing => /stuff/)
cursor.each { |h| puts h['thing'] }
things = cursor.map { |h| h['thing'] }

如果您想要对象而不是哈希,那么您必须自己用对象包装 MongoDB::Cursor 和 BSON::OrderedHash 实例(可能通过Struct)。

于 2012-04-15T16:39:22.843 回答
0

Mongodbfind_one方法返回hash对象,find方法返回游标对象。

游标对象可以迭代,然后可以在普通哈希中提取答案。

require 'rubygems'
require 'mongo'
include Mongo

client = MongoClient.new('localhost', 27017)

db = client.db("mydb")
coll = db.collection("testCollection")

coll.insert({"name"=>"John","lastname"=>"Smith","phone"=>"12345678"})
coll.insert({"name"=>"Jane","lastname"=>"Fonda","phone"=>"87654321"})

cursor = coll.find({"phone"=>"87654321"})
answer = {}
cursor.map { |h| answer = h }
puts answer["name"]
于 2013-01-24T16:14:59.613 回答