BSON(Binary JSON)是一种二进制表示的JSON-like格式,用于存储和交换数据。在Go语言中,我们可以使用go.mongodb.org/mongo-driver/bson
包来解析BSON格式。以下是一个简单的示例,展示了如何使用Go解析BSON数据:
go get go.mongodb.org/mongo-driver/bson
package main
import (
"context"
"fmt"
"go.mongodb.org/mongo-driver/bson"
"go.mongodb.org/mongo-driver/bson/primitive"
"go.mongodb.org/mongo-driver/mongo"
"go.mongodb.org/mongo-driver/mongo/options"
"log"
"time"
)
type Person struct {
Name string `bson:"name"`
Age int `bson:"age"`
Email string `bson:"email"`
}
func main() {
// 设置客户端选项
clientOptions := options.Client().ApplyURI("mongodb://localhost:27017")
// 连接到MongoDB
client, err := mongo.Connect(context.TODO(), clientOptions)
if err != nil {
log.Fatal(err)
}
defer client.Disconnect(context.TODO())
// 选择数据库和集合
collection := client.Database("testdb").Collection("people")
// 插入一个BSON对象
insertResult, err := collection.InsertOne(context.TODO(), Person{
Name: "John Doe",
Age: 30,
Email: "john.doe@example.com",
})
if err != nil {
log.Fatal(err)
}
fmt.Printf("Inserted document with ID: %v\n", insertResult.InsertedID)
// 查询BSON对象
var result Person
err = collection.FindOne(context.TODO(), bson.M{"name": "John Doe"}).Decode(&result)
if err != nil {
log.Fatal(err)
}
fmt.Printf("Found person: %+v\n", result)
}
在这个示例中,我们定义了一个Person
结构体,用于表示BSON数据。然后,我们连接到MongoDB数据库,插入一个包含Person
数据的BSON对象,并使用FindOne
方法查询该对象。最后,我们使用Decode
方法将查询结果解码到Person
结构体中。
注意,我们使用了bson.M
来表示查询条件,这是一个简化的BSON对象。在实际应用中,你可能需要使用更复杂的BSON对象来表示查询条件。