我在集合中插入新项目。使用官方mongo go驱动程序(https://github.com/mongodb/mongo-go-driver)。
collection.InsertOne(context.Background(), map[string]interface{}{
"string": "test",
"integer": 123,
"float": 0.123,
"array": []string{"t", "e", "s", "t"},
"objectid": objectid.New(),
"time": time.Now(),
})
但结果我遇到了几个属性的问题:time.Time和objectid.ObjectID。
我知道它只是处于alpha状态,但也许有人知道。我只是做错了,或者它还没有以应有的方式实现?
答案 0 :(得分:3)
如果您将map
作为文档传递给Collection.InsertOne()
,mongo
包将使用mongo.TransformDocument()
将其转换为*bson.Document
值,因为大多数操作仅在bson.Document
上实施。
当前转换实现不处理objectid.ObjectID
或time.Time
类型。它可能也可能应该,我认为它会,但目前它没有。
如果您希望这些类型在MongoDB中以适当的类型结束,您可以自己构造并传递*bson.Document
,您可以在其中明确指出属性的类型应该是什么。
这是一个等效的插入语句,使用bson.NewDocument()
手动创建文档:
res, err := coll.InsertOne(context.Background(), bson.NewDocument(
bson.EC.String("string", "test"),
bson.EC.Int64("integer", 123),
bson.EC.Double("float", 0.123),
bson.EC.ArrayFromElements("array",
bson.VC.String("t"), bson.VC.String("e"),
bson.VC.String("s"), bson.VC.String("t")),
bson.EC.ObjectID("objectid", objectid.New()),
bson.EC.DateTime("time", time.Now().UnixNano()/1e6), // Must pass milliseconds
))
它更详细,但它在我们想要MongoDB中的结果文档中是明确的。结果文档如下所示:
{
"_id" : ObjectId("5ac5f598ca151255c6fc0ffb"),
"string" : "test",
"integer" : NumberLong(123),
"float" : 0.123,
"array" : [
"t",
"e",
"s",
"t"
],
"objectid" : ObjectId("5ac5f598ca151255c6fc0ffa"),
"time" : ISODate("2018-04-05T10:08:24.148Z")
}
一旦驱动程序改进,我假设您的原始版本将按预期工作并生成与此结构相同的文档。
答案 1 :(得分:0)
您需要将时间转换为字符串或unix时间戳。
time.Now()
是一个类型时间,它是一个结构。
a := time.Now()
fmt.Println(a.Unix()) // Goes into mongodb as a int64
fmt.Println(a.String()) // Goes inot mongodb as a string
1522868253
// Unix
2018-04-04 13:57:33.495965 -0500 CDT m=+0.000363419
//字符串
所以你可以这样做
collection.InsertOne(context.Background(), map[string]interface{}{
"string": "test",
"integer": 123,
"float": 0.123,
"array": []string{"t", "e", "s", "t"},
"objectid": objectid.New(),
"time": time.Now().String(),
})