HareMQ

protobuf


是什么

ProtoBuf(全称Protocol Buffer)是数据结构序列化和反序列化框架,它具有以下特点:

快速上手

contacts.proto定义如下。

syntax = "proto3";  // 声明语法版本
package contacts;   // 声明命名空间

// 结构化对象的描述
message contact {
    // 各个字段描述
    /* 字段类型 字段名 = 字段唯一编号 */
    uint64 sn = 1;
    string name = 2;
    float score = 3;
};

定义完成proto文件之后,就要让proto给我们生成对应的.h.cc了。

protoc  --cpp_out=. contacts.proto

这样就生成成功了。

namespace contacts {
PROTOBUF_CONSTEXPR contact::contact(

这里的命名空间就是我们确定的package的名字。

那么如何调用和使用呢?

注意,使用的时候需要链接上去。

makefile

test: main.cc contacts.pb.cc
	g++ -o $@ $^ -lprotobuf -std=c++11
.PHONY:clean
clean:
	rm -f test

main.cc

int main() {
    contacts::contact conn;
    conn.set_sn(10001);
    conn.set_name("Sam");
    conn.set_score(60.5);

    std::string str = conn.SerializeAsString();
    // conn.SerializeToString(&str); // 一样的
    contacts::contact stu;
    bool ret = stu.ParseFromString(str);
    if (ret == false) // 反序列化失败
        assert(false);
    std::cout << stu.sn() << " " << stu.name() << " " << stu.score() << std::endl;
    return 0;
}

这就是一个基本的使用。