首先定义.proto接口文件并使用protoc生成c++代码,然后实现服务器端服务类和客户端stub调用,最后通过grpc框架实现高效微服务通信。

在C++中使用gRPC实现微服务通信,主要涉及定义服务接口、生成代码、编写服务器和客户端逻辑,并处理数据序列化。gRPC基于Protocol Buffers(protobuf)作为接口定义语言(IDL),支持高性能的远程过程调用(RPC)。以下是具体使用方法。
定义服务接口(.proto文件)
首先需要编写一个.proto文件来定义服务接口和消息结构。例如,创建一个helloworld.proto:
syntax = "proto3"; <p>package helloworld;</p><p>// 定义请求和响应消息 message HelloRequest { String name = 1; }</p><p>message HelloReply { string message = 1; }</p><p>// 定义服务 service Greeter { rpc SayHello (HelloRequest) returns (HelloReply); }
这个文件定义了一个名为Greeter的服务,包含一个SayHello方法,接收HelloRequest并返回HelloReply。
立即学习“C++免费学习笔记(深入)”;
生成C++代码
使用protoc编译器配合gRPC插件生成C++代码:
- 安装protoc和gRPC插件(如通过vcpkg、conan或源码编译)
- 执行命令生成代码:
protoc --cpp_out=. --grpc_out=. --plugin=protoc-gen-grpc=`which grpc_cpp_plugin` helloworld.proto
会生成四个文件:helloworld.pb.cc、helloworld.pb.h、helloworld.grpc.pb.cc、helloworld.grpc.pb.h。这些是后续实现服务的基础。
实现gRPC服务器
编写服务器端代码,继承生成的Service类并重写RPC方法:
#include <grpcpp/grpcpp.h> #include "helloworld.grpc.pb.h" <p>class GreeterServiceImpl final : public helloworld::Greeter::Service { grpc::Status SayHello(grpc::ServerContext<em> context, const helloworld::HelloRequest</em> request, helloworld::HelloReply* reply) override { std::string prefix("Hello "); reply->set_message(prefix + request->name()); return grpc::Status::OK; } };</p><p>void RunServer() { std::string server_address("0.0.0.0:50051"); GreeterServiceImpl service;</p><p>grpc::ServerBuilder builder; builder.AddListeningPort(server_address, grpc::InsecureServerCredentials()); builder.RegisterService(&service); std::unique_ptr<grpc::Server> server(builder.BuildAndStart()); std::cout << "Server listening on " << server_address << std::endl; server->Wait(); }
这段代码创建了一个监听50051端口的gRPC服务器,注册了GreeterServiceImpl服务。
实现gRPC客户端
客户端通过stub调用远程服务:
#include <grpcpp/grpcpp.h> #include "helloworld.grpc.pb.h" <p>class GreeterClient { public: GreeterClient(std::shared<em>ptr<grpc::Channel> channel) : stub</em>(helloworld::Greeter::NewStub(channel)) {}</p><p>std::string SayHello(const std::string& user) { helloworld::HelloRequest request; request.set_name(user);</p><pre class="brush:php;toolbar:false;"><pre class="brush:php;toolbar:false;">helloworld::HelloReply reply; grpc::ClientContext context; grpc::Status status = stub_->SayHello(&context, request, &reply); if (status.ok()) { return reply.message(); } else { return "RPC failed"; }
}
private: std::uniqueptr<helloworld::Greeter::Stub> stub; };
// 使用示例 int main() { GreeterClient client(grpc::CreateChannel( “localhost:50051”, grpc::InsecureChannelCredentials())); std::string response = client.SayHello(“World”); std::cout << “Response: ” << response << std::endl; return 0; }
客户端创建通道连接到服务器,构造stub对象发起调用。
基本上就这些。只要正确配置构建系统(如CMake链接gRPC和protobuf库),就能实现C++微服务间的高效通信。gRPC天然支持流式传输、认证和负载均衡,适合构建现代分布式系统。