我试图从具有动态密钥的MongoDB中获取数据并将其设置在 slice 中。
这是我的数据样本:
_id ObjectIdHex("5911786dc28f25578150501d")
2017-05-01 [800 1000 1200 1400 1600]
_id ObjectIdHex("59117897c28f25578150501e")
2017-05-02 [800 1000 1200 1400 1600]
_id ObjectIdHex("5911789ec28f25578150501f")
2017-05-03 [800 1000 1200 1400 1600]
2017-05-04 [800 1000 1200 1400 1600]
_id ObjectIdHex("591178a6c28f255781505020")
_id ObjectIdHex("591178abc28f255781505021")
2017-05-05 [800 1000 1200 1400 1600]
_id ObjectIdHex("591178b0c28f255781505022")
2017-05-06 [800 1000 1200 1400 1600]
_id ObjectIdHex("591178b5c28f255781505023")
2017-05-07 [800 1000 1200 1400 1600]
_id ObjectIdHex("591178bac28f255781505024")
2017-05-08 [800 1000 1200 1400 1600]
_id ObjectIdHex("591178c8c28f255781505025")
2017-05-09 [800 1000 1200 1400 1600]
2017-05-10 [800 1000 1200 1400 1600]
我需要将其设置为
{2017-05-09 : [800 1000 1200 1400 1600]}
之类的数组,其他条目也应相同。我努力了
package main
import(
"fmt"
"gopkg.in/mgo.v2/bson"
//"encoding/json"
)
type Spot struct{
Id bson.ObjectId `json:"_id,omitempty" bson:"_id,omitempty"`
Spots map[string]interface{} `json:"spots"`
}
//type Values []Value
//var result []struct{ Value int }
type Spots []Spot
func getAllSpots() (Spots) {
mongoSession := getDbSession()
sessionCopy := mongoSession.Copy()
defer sessionCopy.Close()
var spots []Spot
c := mongoSession.DB("test").C("spots")
var data []bson.M
err := c.Find(bson.M{}).All(&data)
if err != nil {
panic(err)
// TODO: Do something about the error
}
test := make(map[string]int)
for _, doc := range data {
for key, value := range doc {
if(key == "_id"){
test[key] = value
fmt.Println(key, value)
}
}
}
return spots
}
我能够获取数据中的斑点,并能够使用
fmt.Println()
将输出写入控制台,但是当我将其分配给 slice 时,会出现以下错误:不能在赋值中将值(类型接口{}类型)用作类型int:需要类型声明
我在网上搜索了所有内容,但找不到有效的解决方案。谁能指导我我在做什么错?
最佳答案
如果查看 bson.M
的文档,您会发现它只是map[string]interface{}
的别名。这意味着当您对其进行range
编码时,您的密钥是string
,而您的值是interface{}
。您的目标是map[string]int
。因此,当您使用test[key] = value
时,您尝试将value
(一个interface{}
)分配给一个需要int
的对象,而如果没有显式转换(aka type assertion),则无法做到这一点。错误消息就是这样:cannot use value (type interface {}) as type int in assignment: need type assertion
。您可以改为:
test[key] = value.(int)
但正如putu所指出的那样,看起来这些值实际上是
int
的数组,根本不适合test
类型,因为它是字符串到单个int
值的映射。因此,您需要将test
的类型更改为map[string][]int
或从源数组中选择一个值以存储在 map 中,例如test[key] = (value.([]int))[0]
关于mongodb - 如何使用mgo从mongodb获取的 slice 中设置所有数据?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43915387/