登录
首页 >  Golang >  Go问答

将 ptypes/struct 值转换为 BSON

来源:Golang技术栈

时间:2023-04-27 08:27:24 111浏览 收藏

怎么入门Golang编程?需要学习哪些知识点?这是新手们刚接触编程时常见的问题;下面golang学习网就来给大家整理分享一些知识点,希望能够给初学者一些帮助。本篇文章就来介绍《将 ptypes/struct 值转换为 BSON》,涉及到golang,有需要的可以收藏一下

问题内容

要求

两项服务:

  • 服务器 - 用于向 MongoDB 写博客文章
  • 客户端 - 向第一个服务发送请求

博客文章title的类型为string,并且content是动态类型 - 可以是任何 JSON 值。

原型缓冲区

syntax = "proto3";

package blog;

option go_package = "blogpb";

import "google/protobuf/struct.proto";

message Blog {
  string id = 1;
  string title = 2;
  google.protobuf.Value content = 3;
}

message CreateBlogRequest {
  Blog blog = 1;
}

message CreateBlogResponse {
  Blog blog = 1;
}

service BlogService {
  rpc CreateBlog (CreateBlogRequest) returns (CreateBlogResponse);
}

让我们从 protobuf 消息开始,它满足要求 - stringfortitle和任何 JSON 值content

客户

package main

import (...)

func main() {
    cc, _ := grpc.Dial("localhost:50051", grpc.WithInsecure())
    defer cc.Close()
    c := blogpb.NewBlogServiceClient(cc)

    var blog blogpb.Blog

    json.Unmarshal([]byte(`{"title": "First example", "content": "string"}`), &blog)
    c.CreateBlog(context.Background(), &blogpb.CreateBlogRequest{Blog: &blog})

    json.Unmarshal([]byte(`{"title": "Second example", "content": {"foo": "bar"}}`), &blog)
    c.CreateBlog(context.Background(), &blogpb.CreateBlogRequest{Blog: &blog})
}

客户端向服务器发送两个请求 - 一个content具有string类型,另一个具有object. 这里没有错误。

服务器

package main

import (...)

var collection *mongo.Collection

type server struct {
}

type blogItem struct {
    ID      primitive.ObjectID `bson:"_id,omitempty"`
    Title   string             `bson:"title"`
    Content *_struct.Value     `bson:"content"`
}

func (*server) CreateBlog(ctx context.Context, req *blogpb.CreateBlogRequest) (*blogpb.CreateBlogResponse, error) {
    blog := req.GetBlog()

    data := blogItem{
        Title:   blog.GetTitle(),
        Content: blog.GetContent(),
    }

    // TODO: convert "data" or "data.Content" to something that could be BSON encoded..

    res, err := collection.InsertOne(context.Background(), data)
    if err != nil {
        log.Fatal(err)
    }
    oid, _ := res.InsertedID.(primitive.ObjectID)

    return &blogpb.CreateBlogResponse{
        Blog: &blogpb.Blog{
            Id:      oid.Hex(),
            Title:   blog.GetTitle(),
            Content: blog.GetContent(),
        },
    }, nil

}

func main() {
    client, _ := mongo.NewClient(options.Client().ApplyURI("mongodb://localhost:27017"))
    client.Connect(context.TODO())
    collection = client.Database("mydb").Collection("blog")
    lis, _ := net.Listen("tcp", "0.0.0.0:50051")
    s := grpc.NewServer([]grpc.ServerOption{}...)
    blogpb.RegisterBlogServiceServer(s, &server{})
    reflection.Register(s)
    go func() { s.Serve(lis) }()
    ch := make(chan os.Signal, 1)
    signal.Notify(ch, os.Interrupt)
    

在这里我得到:

无法将 main.blogItem 类型转换为 BSON 文档:未找到 structpb.isValue_Kind 的编码器

我期待什么?要查看 MongoDB 中内容的确切值,如下所示:

{ "_id" : ObjectId("5e5f6f75d2679d058eb9ef79"), "title" : "Second example", "content": "string" }
{ "_id" : ObjectId("5e5f6f75d2679d058eb9ef78"), "title" : "First example", "content": { "foo": "bar" } }

我想我需要data.Content在添加的行中进行转换TODO:...

如果有帮助的话,我可以用这个例子创建 github repo。

正确答案

因此,正如@nguyenhoai890 在评论中所建议的那样,我设法使用jsonpblib 修复它 - 首先转换为MarshalToStringBSON支持的structpb转换string(json),然后json.Unmarshal转换string(json)interface{}BSON 支持的转换。我还必须修复一个客户端以正确地从字符串解组到 protobuf。

客户

func main() {
    cc, _ := grpc.Dial("localhost:50051", grpc.WithInsecure())
    defer cc.Close()
    c := blogpb.NewBlogServiceClient(cc)

    var blog blogpb.Blog
    jsonpb.UnmarshalString(`{"title": "Second example", "content": {"foo": "bar"}}`, &blog)
    c.CreateBlog(context.Background(), &blogpb.CreateBlogRequest{Blog: &blog})

    jsonpb.UnmarshalString(`{"title": "Second example", "content": "stirngas"}`, &blog)
    c.CreateBlog(context.Background(), &blogpb.CreateBlogRequest{Blog: &blog})
}

服务器

type blogItem struct {
    ID      primitive.ObjectID `bson:"_id,omitempty"`
    Title   string             `bson:"title"`
    Content interface{}        `bson:"content"`
}

func (*server) CreateBlog(ctx context.Context, req *blogpb.CreateBlogRequest) (*blogpb.CreateBlogResponse, error) {
    blog := req.GetBlog()

    contentString, err := new(jsonpb.Marshaler).MarshalToString(blog.GetContent())
    if err != nil {
        log.Fatal(err)
    }

    var contentInterface interface{}
    json.Unmarshal([]byte(contentString), &contentInterface)

    data := blogItem{
        Title:   blog.GetTitle(),
        Content: contentInterface,
    }

    res, err := collection.InsertOne(context.Background(), data)
    if err != nil {
        log.Fatal(err)
    }
    oid, _ := res.InsertedID.(primitive.ObjectID)

    return &blogpb.CreateBlogResponse{
        Blog: &blogpb.Blog{
            Id:      oid.Hex(),
            Title:   blog.GetTitle(),
            Content: blog.GetContent(),
        },
    }, nil

}

到这里,我们也就讲完了《将 ptypes/struct 值转换为 BSON》的内容了。个人认为,基础知识的学习和巩固,是为了更好的将其运用到项目中,欢迎关注golang学习网公众号,带你了解更多关于golang的知识点!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>
评论列表