我有一个这样的文件
{
"_id": {
"$oid": "570bc73da8ebd9005dd54de3"
},
"title": "dota",
"imgurl": "asd.com",
"description": "",
"hints": [
{
"date": "2016-04-26 22:50:12.6069011 +0430 IRDT",
"description": "narinin"
},
{
"date": "2016-04-26 22:50:12.6069011 +0430 IRDT",
"description": "doros shod"
}
]
}
我执行的脚本是
hints := hints{}
err := db.C("games").Find(bson.M{"title": game}).Select(bson.M{"hints": 0}).One(&hints)
我的两个结构是
type Game struct {
Id bson.ObjectId `bson:"_id,omitempty"`
Title string `json:"title"`
Imgurl string `json:"imgurl"`
Description string `json:"desc"`
Hints []*hint `bson:"hints", json:"hints"`
}
type hint struct {
Description string `json:"desc"`
Date time.Time `json:"date"`
}
当我使用脚本时,我得到的只是一个没有意义的日期字符串,甚至没有出现在文档中
如何从游戏中获取提示
最佳答案
即使对于Game
列,您也必须继续使用hints
结构来接收结果。同样,您的选择查询应该是.Select(bson.M{"hints": 1})
。
我修复了您的代码,并在本地尝试了此代码。
game := Game{}
err = db.C("games").Find(bson.M{"title": "dota"})
.Select(bson.M{"hints": 1}).One(&game)
if err != nil {
panic(err)
}
for _, hint := range game.Hints {
fmt.Printf("%#v\n", *hint)
}
game
的所有属性均为空,Hints
除外。编辑1
要获取
hints
上的前10行,最简单的方法是播放 slice ,但这很不好,因为它需要首先获取所有行。for _, hint := range game.Hints[:10] { // 10 rows
fmt.Printf("%#v\n", *hint)
}
另一种解决方案(更好)是在
$slice
查询上使用.Select()
。selector := bson.M{"hints": bson.M{"$slice": 10}} // 10 rows
err = db.C("so").Find(bson.M{"title": "dota"})
.Select(selector).One(&game)
编辑2
在
[]int{skip, limit}
上使用$slice
,以支持跳过和限制。selector := bson.M{"hints": bson.M{"$slice": []int{0, 10}}}
关于mongodb - 选择功能不起作用只获得我想要的数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36875048/