Bi-directional gRPC Calls
Learn about the bi-directional streaming call type in gRPC and how to implement it.
We'll cover the following...
A bi-directional call in gRPC allows us to stream data from the client to the server and from the server to the client. Both of these processes can be completely asynchronous. This process is useful in scenarios where both the client and server should be able to send messages to each other asynchronously. For example, when we're using a messenger app, we can send messages whenever we want and receive messages at any time. Opening a stream from both the client to the server and from the server to the client allows us to send messages in both directions without having to initiate a full request every time we want to do it.
To see how bi-directional streaming works, we'll start with the following solution in the code widget below:
syntax = "proto3";
option csharp_namespace = "BasicGrpcService";
package basic_grpc_service;
service Chatbot {
  rpc SendMessages (stream ChatRequest) returns (ChatReply);
}
message ChatRequest {
  string name = 1;
  string message = 2;
}
message ChatReply {
  string message = 1;
}
The first thing we'll do is create a bi-directional streaming call inside the Protobuf file that we're using. So, we'll open the chatbot.proto file ...