Prerequisites
This tutorial assumes that you are familiar with writing and running a Fuchsia component and with implementing a FIDL server, which are both covered in the FIDL server tutorial. For the full set of FIDL tutorials, refer to the overview.
Overview
This tutorial implements a client for a FIDL protocol and runs it against the server created in the previous tutorial. The client in this tutorial is asynchronous. There is an alternate tutorial for synchronous clients.
If you want to write the code yourself, delete the following directories:
rm -r examples/fidl/rust/client/*
Create the component
Create a new component project at examples/fidl/rust/client
:
Add a
main()
function toexamples/fidl/rust/client/src/main.rs
:fn main() { println!("Hello, world!"); }
Declare a target for the client in
examples/fidl/rust/client/BUILD.gn
:import("//build/components.gni") import("//build/rust/rustc_binary.gni") # Declare an executable for the client. rustc_binary("bin") { name = "fidl_echo_rust_client" edition = "2021" sources = [ "src/main.rs" ] } fuchsia_component("echo-client") { component_name = "echo_client" manifest = "meta/client.cml" deps = [ ":bin" ] }
Add a component manifest in
examples/fidl/rust/client/meta/client.cml
:{ include: [ "syslog/client.shard.cml" ], // Information about the program to run. program: { // Use the built-in ELF runner. runner: "elf", // The binary to run for this component. binary: "bin/fidl_echo_rust_client", }, // Capabilities used by this component. use: [ { protocol: "fuchsia.examples.Echo" }, ], }
Once you have created your component, ensure that you can add it to the build configuration:
fx set core.x64 --with //examples/fidl/rust/client:echo-client
Build the Fuchsia image:
fx build
Edit GN dependencies
Add the following dependencies to the
rustc_binary
:deps = [ "//examples/fidl/fuchsia.examples:fuchsia.examples_rust", "//src/lib/fuchsia", "//src/lib/fuchsia-component", "//third_party/rust_crates:anyhow", "//third_party/rust_crates:futures", ]
Then, import them in
main.rs
:use anyhow::{Context as _, Error}; use fidl_fuchsia_examples::{EchoEvent, EchoMarker}; use fuchsia_component::client::connect_to_protocol; use futures::prelude::*;
These dependencies are explained in the server tutorial.
Connect to the server
The steps in this section explain how to add code to the main()
function
that connects the client to the server and makes requests to it.
Connect to the server
#[fuchsia::main]
async fn main() -> Result<(), Error> {
// Connect to the Echo protocol, which is assumed to be in the component's environment
let echo = connect_to_protocol::<EchoMarker>().context("Failed to connect to echo service")?;
// Make an EchoString request and wait for the response
let res = echo.echo_string("hello").await?;
println!("response: {:?}", res);
// Make a SendString request
echo.send_string("hi")?;
// Wait for a single OnString event
let EchoEvent::OnString { response } =
echo.take_event_stream().next().await.context("error receiving events")??;
println!("Received OnString event for string {:?}", response);
Ok(())
}
Under the hood, this call triggers a sequence of events that starts on the client and traces through the server code from the previous tutorial.
- Initialize a client object, as well as a channel. The client object is bound to one end of the channel.
- Makes a request to the component framework containing the name of the service to connect to, and the
other end of the channel. The name of the service is obtained implicitly using the
SERVICE_NAME
ofEchoMarker
template argument, similarly to how the service path is determined on the server end. - This client object is returned from
connect_to_protocol
.
In the background, the request to the component framework gets routed to the server:
- When this request is received in the server process,
it wakes up the
async::Executor
executor and tells it that theServiceFs
task can now make progress and should be run. - The
ServiceFs
wakes up, sees the request available on the startup handle of the process, and looks up the name of the requested service in the list of(service_name, service_startup_func)
provided through calls toadd_service
,add_fidl_service
, etc. If a matchingservice_name
exists, it callsservice_startup_func
with the provided channel to connect to the new service. IncomingService::Echo
is called with aRequestStream
(typed-channel) of theEcho
FIDL protocol that is registered withadd_fidl_service
. The incoming request channel is stored inIncomingService::Echo
and is added to the stream of incoming requests.for_each_concurrent
consumes theServiceFs
into aStream
of typeIncomingService
. A handler is run for each entry in the stream, which matches over the incoming requests and dispatches to therun_echo_server
. The resulting futures from each call torun_echo_server
are run concurrently when theServiceFs
stream isawait
ed.- When a request is sent on the channel, the channel the
Echo
service is becomes readable, which wakes up the asynchronous code in the body ofrun_echo_server
.
Send requests to the server
The code makes two requests to the server:
- An
EchoString
request - A
SendString
request
#[fuchsia::main]
async fn main() -> Result<(), Error> {
// Connect to the Echo protocol, which is assumed to be in the component's environment
let echo = connect_to_protocol::<EchoMarker>().context("Failed to connect to echo service")?;
// Make an EchoString request and wait for the response
let res = echo.echo_string("hello").await?;
println!("response: {:?}", res);
// Make a SendString request
echo.send_string("hi")?;
// Wait for a single OnString event
let EchoEvent::OnString { response } =
echo.take_event_stream().next().await.context("error receiving events")??;
println!("Received OnString event for string {:?}", response);
Ok(())
}
The call to EchoString
returns a future, which resolves to the response returned by the server.
The returned future will resolve to an error if there is either an error sending the request or
receiving the response (e.g. when decoding the message, or if an epitaph was received).
On the other hand, the call to SendString
returns a Result
, since it is a fire and forget
method. This method call will return an error if there was an issue sending the request.
The bindings reference describes how these proxy methods are generated, and the Fuchsia rustdoc includes documentation for the generated FIDL crates.
Handle incoming events
The code then waits for a single OnString
event from the server:
#[fuchsia::main]
async fn main() -> Result<(), Error> {
// Connect to the Echo protocol, which is assumed to be in the component's environment
let echo = connect_to_protocol::<EchoMarker>().context("Failed to connect to echo service")?;
// Make an EchoString request and wait for the response
let res = echo.echo_string("hello").await?;
println!("response: {:?}", res);
// Make a SendString request
echo.send_string("hi")?;
// Wait for a single OnString event
let EchoEvent::OnString { response } =
echo.take_event_stream().next().await.context("error receiving events")??;
println!("Received OnString event for string {:?}", response);
Ok(())
}
This is done by taking the event stream from the client object, then waiting for a single event from it.
Run the client
In order for the client and server to communicate using the Echo
protocol,
component framework must route the fuchsia.examples.Echo
capability from the
server to the client. For this tutorial, a
realm
component is
provided to declare the appropriate capabilities and routes.
Configure your build to include the provided package that includes the echo realm, server, and client:
fx set core.x64 --with //examples/fidl/rust:echo-rust-client
Build the Fuchsia image:
fx build
Run the
echo_realm
component. This creates the client and server component instances and routes the capabilities:ffx component run /core/ffx-laboratory:echo_realm fuchsia-pkg://fuchsia.com/echo-rust-client#meta/echo_realm.cm
Start the
echo_client
instance:ffx component start /core/ffx-laboratory:echo_realm/echo_client
The server component starts when the client attempts to connect to the Echo
protocol. You should see output similar to the following in the device logs
(ffx log
):
[echo_server][][I] Listening for incoming connections...
[echo_server][][I] Received EchoString request for string "hello"
[echo_server][][I] Response sent successfully
[echo_client][][I] response: "hello"
[echo_server][][I] Received SendString request for string "hi"
[echo_server][][I] Event sent successfully
[echo_client][][I] Received OnString event for string "hi"
Terminate the realm component to stop execution and clean up the component instances:
ffx component destroy /core/ffx-laboratory:echo_realm