spiffe/workload_api/client.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615
//! A Workload API client implementation to fetch X.509 and JWT materials.
//! # Examples
//!
//! ```no_run
//! use spiffe::{WorkloadApiClient, X509BundleSet, X509Context, X509Svid};
//! use std::error::Error;
//! use tokio_stream::StreamExt;
//!
//! # async fn example() -> Result<(), Box< dyn Error>> {
//!
//! let mut client =
//! WorkloadApiClient::new_from_path("unix:/tmp/spire-agent/public/api.sock").await?;
//!
//! let target_audience = &["service1", "service2"];
//! // fetch a jwt token for the default identity with the target audience
//! let jwt_token = client.fetch_jwt_token(target_audience, None).await?;
//!
//! // fetch the jwt token for the default identity and parses it as a `JwtSvid`
//! let jwt_svid = client.fetch_jwt_svid(target_audience, None).await?;
//!
//! // fetch a set of jwt bundles (public keys for validating jwt token)
//! let jwt_bundles = client.fetch_jwt_bundles().await?;
//!
//! // fetch the default X.509 SVID
//! let x509_svid: X509Svid = client.fetch_x509_svid().await?;
//!
//! // fetch a set of X.509 bundles (X.509 public key authorities)
//! let x509_bundles: X509BundleSet = client.fetch_x509_bundles().await?;
//!
//! // fetch all the X.509 materials (SVIDs and bundles)
//! let x509_context: X509Context = client.fetch_x509_context().await?;
//!
//! // watch for updates on the X.509 context
//! let mut x509_context_stream = client.stream_x509_contexts().await?;
//! while let Some(x509_context_update) = x509_context_stream.next().await {
//! match x509_context_update {
//! Ok(context) => {
//! // handle the updated X509Context
//! }
//! Err(e) => {
//! // handle the error
//! }
//! }
//! }
//!
//! # Ok(())
//! # }
//! ```
use std::str::FromStr;
use crate::bundle::jwt::{JwtBundle, JwtBundleSet};
use crate::bundle::x509::{X509Bundle, X509BundleSet};
use crate::endpoint::{get_default_socket_path, validate_socket_path};
use crate::spiffe_id::{SpiffeId, TrustDomain};
use crate::svid::jwt::JwtSvid;
use crate::svid::x509::X509Svid;
use crate::workload_api::x509_context::X509Context;
use std::convert::TryFrom;
use hyper_util::rt::TokioIo;
use tokio::net::UnixStream;
use tokio_stream::{Stream, StreamExt};
use crate::constants::DEFAULT_SVID;
use crate::error::GrpcClientError;
use crate::proto::workload::spiffe_workload_api_client::SpiffeWorkloadApiClient;
use crate::proto::workload::{
JwtBundlesRequest, JwtBundlesResponse, JwtsvidRequest, JwtsvidResponse, ValidateJwtsvidRequest,
ValidateJwtsvidResponse, X509BundlesRequest, X509BundlesResponse, X509svidRequest,
X509svidResponse,
};
use tonic::transport::{Endpoint, Uri};
use tower::service_fn;
const SPIFFE_HEADER_KEY: &str = "workload.spiffe.io";
const SPIFFE_HEADER_VALUE: &str = "true";
/// This type represents a client to interact with the Workload API.
///
/// Supports one-shot calls and streaming updates for X.509 and JWT SVIDs and bundles.
/// The client can be used to fetch the current SVIDs and bundles, as well as to
/// subscribe for updates whenever the SVIDs or bundles change.
#[derive(Debug, Clone)]
pub struct WorkloadApiClient {
client: SpiffeWorkloadApiClient<
tonic::service::interceptor::InterceptedService<tonic::transport::Channel, MetadataAdder>,
>,
}
#[derive(Clone)]
struct MetadataAdder;
impl tonic::service::Interceptor for MetadataAdder {
fn call(
&mut self,
mut request: tonic::Request<()>,
) -> Result<tonic::Request<()>, tonic::Status> {
let parsed_header = SPIFFE_HEADER_VALUE
.parse()
.map_err(|e| tonic::Status::internal(format!("Failed to parse header: {}", e)))?;
request
.metadata_mut()
.insert(SPIFFE_HEADER_KEY, parsed_header);
Ok(request)
}
}
impl WorkloadApiClient {
const UNIX_PREFIX: &'static str = "unix:";
const TONIC_DEFAULT_URI: &'static str = "http://[::]:50051";
/// Creates a new instance of `WorkloadApiClient` by connecting to the specified socket path.
///
/// # Arguments
///
/// * `path` - The path to the UNIX domain socket, which can optionally start with "unix:".
///
/// # Returns
///
/// * `Result<Self, ClientError>` - Returns an instance of `WorkloadApiClient` if successful, otherwise returns an error.
///
/// # Errors
///
/// This function will return an error if the provided socket path is invalid or if there are issues connecting.
pub async fn new_from_path(path: &str) -> Result<Self, GrpcClientError> {
validate_socket_path(path)?;
// Strip the 'unix:' prefix for tonic compatibility.
let stripped_path = path
.strip_prefix(Self::UNIX_PREFIX)
.unwrap_or(path)
.to_string();
let channel = Endpoint::try_from(Self::TONIC_DEFAULT_URI)?
.connect_with_connector(service_fn(move |_: Uri| {
let stripped_path = stripped_path.clone();
async {
// Connect to the UDS socket using the modified path.
UnixStream::connect(stripped_path).await.map(TokioIo::new)
}
}))
.await?;
Ok(WorkloadApiClient {
client: SpiffeWorkloadApiClient::with_interceptor(channel, MetadataAdder {}),
})
}
/// Creates a new `WorkloadApiClient` using the default socket endpoint address.
///
/// Requires that the environment variable `SPIFFE_ENDPOINT_SOCKET` be set with
/// the path to the Workload API endpoint socket.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if environment variable is not set or if
/// the provided socket path is not valid.
pub async fn default() -> Result<Self, GrpcClientError> {
let socket_path =
get_default_socket_path().ok_or(GrpcClientError::MissingEndpointSocketPath)?;
Self::new_from_path(socket_path.as_str()).await
}
/// Constructs a new `WorkloadApiClient` using the provided Tonic transport channel.
///
/// # Arguments
///
/// * `conn`: A `tonic::transport::Channel` used for gRPC communication.
///
/// # Returns
///
/// A `Result` containing a `WorkloadApiClient` if successful, or a `ClientError` if an error occurs.
pub fn new(conn: tonic::transport::Channel) -> Result<Self, GrpcClientError> {
Ok(WorkloadApiClient {
client: SpiffeWorkloadApiClient::with_interceptor(conn, MetadataAdder {}),
})
}
/// Fetches a single X509 SPIFFE Verifiable Identity Document (SVID).
///
/// This method connects to the SPIFFE Workload API and returns the first X509 SVID in the response.
///
/// # Returns
///
/// On success, it returns a valid [`X509Svid`] which represents the parsed SVID.
/// If the fetch operation or the parsing fails, it returns a [`GrpcClientError`].
///
/// # Errors
///
/// Returns [`GrpcClientError`] if the gRPC call fails or if the SVID could not be parsed from the gRPC response.
pub async fn fetch_x509_svid(&mut self) -> Result<X509Svid, GrpcClientError> {
let request = X509svidRequest::default();
let grpc_stream_response: tonic::Response<tonic::Streaming<X509svidResponse>> =
self.client.fetch_x509svid(request).await?;
let response = grpc_stream_response
.into_inner()
.message()
.await?
.ok_or(GrpcClientError::EmptyResponse)?;
WorkloadApiClient::parse_x509_svid_from_grpc_response(response)
}
/// Fetches all X509 SPIFFE Verifiable Identity Documents (SVIDs) available to the workload.
///
/// This method sends a request to the SPIFFE Workload API, retrieving a stream of X509 SVID responses.
/// All SVIDs are then parsed and returned as a list.
///
/// # Returns
///
/// On success, it returns a `Vec` containing valid [`X509Svid`] instances, each representing a parsed SVID.
/// If the fetch operation or any parsing fails, it returns a [`GrpcClientError`].
///
/// # Errors
///
/// Returns [`GrpcClientError`] if the gRPC call fails, if the SVIDs could not be parsed from the gRPC response,
/// or if the stream unexpectedly terminates.
pub async fn fetch_all_x509_svids(&mut self) -> Result<Vec<X509Svid>, GrpcClientError> {
let request = X509svidRequest::default();
let grpc_stream_response: tonic::Response<tonic::Streaming<X509svidResponse>> =
self.client.fetch_x509svid(request).await?;
let response = grpc_stream_response
.into_inner()
.message()
.await?
.ok_or(GrpcClientError::EmptyResponse)?;
WorkloadApiClient::parse_x509_svids_from_grpc_response(response)
}
/// Fetches [`X509BundleSet`], that is a set of [`X509Bundle`] keyed by the trust domain to which they belong.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
pub async fn fetch_x509_bundles(&mut self) -> Result<X509BundleSet, GrpcClientError> {
let request = X509BundlesRequest::default();
let grpc_stream_response: tonic::Response<tonic::Streaming<X509BundlesResponse>> =
self.client.fetch_x509_bundles(request).await?;
let response = grpc_stream_response
.into_inner()
.message()
.await?
.ok_or(GrpcClientError::EmptyResponse)?;
WorkloadApiClient::parse_x509_bundle_set_from_grpc_response(response)
}
/// Fetches [`JwtBundleSet`] that is a set of [`JwtBundle`] keyed by the trust domain to which they belong.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
pub async fn fetch_jwt_bundles(&mut self) -> Result<JwtBundleSet, GrpcClientError> {
let request = JwtBundlesRequest::default();
let grpc_stream_response: tonic::Response<tonic::Streaming<JwtBundlesResponse>> =
self.client.fetch_jwt_bundles(request).await?;
let response = grpc_stream_response
.into_inner()
.message()
.await?
.ok_or(GrpcClientError::EmptyResponse)?;
WorkloadApiClient::parse_jwt_bundle_set_from_grpc_response(response)
}
/// Fetches the [`X509Context`], which contains all the X.509 materials,
/// i.e. X509-SVIDs and X.509 bundles.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
pub async fn fetch_x509_context(&mut self) -> Result<X509Context, GrpcClientError> {
let request = X509svidRequest::default();
let grpc_stream_response: tonic::Response<tonic::Streaming<X509svidResponse>> =
self.client.fetch_x509svid(request).await?;
let response = grpc_stream_response
.into_inner()
.message()
.await?
.ok_or(GrpcClientError::EmptyResponse)?;
WorkloadApiClient::parse_x509_context_from_grpc_response(response)
}
/// Fetches a [`JwtSvid`] parsing the JWT token in the Workload API response, for the given audience and spiffe_id.
///
/// # Arguments
///
/// * `audience` - A list of audiences to include in the JWT token. Cannot be empty nor contain only empty strings.
/// * `spiffe_id` - Optional [`SpiffeId`] for the token 'sub' claim. If not provided, the Workload API returns the
/// default identity.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
///
/// IMPORTANT: If there's no registration entries with the requested [`SpiffeId`] mapped to the calling workload,
/// it will return a [`GrpcClientError::EmptyResponse`].
pub async fn fetch_jwt_svid<T: AsRef<str> + ToString>(
&mut self,
audience: &[T],
spiffe_id: Option<&SpiffeId>,
) -> Result<JwtSvid, GrpcClientError> {
let response = self.fetch_jwt(audience, spiffe_id).await?;
response
.svids
.get(DEFAULT_SVID)
.ok_or(GrpcClientError::EmptyResponse)
.and_then(|r| JwtSvid::from_str(&r.svid).map_err(GrpcClientError::InvalidJwtSvid))
}
/// Fetches a JWT token for the given audience and [`SpiffeId`].
///
/// # Arguments
///
/// * `audience` - A list of audiences to include in the JWT token. Cannot be empty nor contain only empty strings.
/// * `spiffe_id` - Optional reference [`SpiffeId`] for the token 'sub' claim. If not provided, the Workload API returns the
/// default identity,
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
///
/// IMPORTANT: If there's no registration entries with the requested [`SpiffeId`] mapped to the calling workload,
/// it will return a [`GrpcClientError::EmptyResponse`].
pub async fn fetch_jwt_token<T: AsRef<str> + ToString>(
&mut self,
audience: &[T],
spiffe_id: Option<&SpiffeId>,
) -> Result<String, GrpcClientError> {
let response = self.fetch_jwt(audience, spiffe_id).await?;
response
.svids
.get(DEFAULT_SVID)
.map(|r| r.svid.to_string())
.ok_or(GrpcClientError::EmptyResponse)
}
/// Validates a JWT SVID token against the given audience. Returns the [`JwtSvid`] parsed from
/// the validated token.
///
/// # Arguments
///
/// * `audience` - The audience of the validating party. Cannot be empty nor contain an empty string.
/// * `jwt_token` - The JWT token to validate.
///
/// # Errors
///
/// The function returns a variant of [`GrpcClientError`] if there is en error connecting to the Workload API or
/// there is a problem processing the response.
pub async fn validate_jwt_token<T: AsRef<str> + ToString>(
&mut self,
audience: T,
jwt_token: &str,
) -> Result<JwtSvid, GrpcClientError> {
// validate token with Workload API, the returned claims and spiffe_id are ignored as
// they are parsed from token when the `JwtSvid` object is created, this way we avoid having
// to validate that the response from the Workload API contains correct claims.
let _ = self.validate_jwt(audience, jwt_token).await?;
let jwt_svid = JwtSvid::parse_insecure(jwt_token)?;
Ok(jwt_svid)
}
/// Watches the stream of [`X509Context`] updates.
///
/// This function establishes a stream with the Workload API to continuously receive updates for the [`X509Context`].
/// The returned stream can be used to asynchronously yield new `X509Context` updates as they become available.
///
/// # Returns
///
/// Returns a stream of `Result<X509Context, ClientError>`. Each item represents an updated [`X509Context`] or an error if
/// there was a problem processing an update from the stream.
///
/// # Errors
///
/// The function can return an error variant of [`GrpcClientError`] in the following scenarios:
///
/// * There's an issue connecting to the Workload API.
/// * An error occurs while setting up the stream.
///
/// Individual stream items might also be errors if there's an issue processing the response for a specific update.
pub async fn stream_x509_contexts(
&mut self,
) -> Result<impl Stream<Item = Result<X509Context, GrpcClientError>>, GrpcClientError> {
let request = X509svidRequest::default();
let response = self.client.fetch_x509svid(request).await?;
let stream = response.into_inner().map(|message| {
message
.map_err(GrpcClientError::from)
.and_then(WorkloadApiClient::parse_x509_context_from_grpc_response)
});
Ok(stream)
}
/// Watches the stream of [`X509Svid`] updates.
///
/// This function establishes a stream with the Workload API to continuously receive updates for the [`X509Svid`].
/// The returned stream can be used to asynchronously yield new `X509Svid` updates as they become available.
///
/// # Returns
///
/// Returns a stream of `Result<X509Svid, ClientError>`. Each item represents an updated [`X509Svid`] or an error if
/// there was a problem processing an update from the stream.
///
/// # Errors
///
/// The function can return an error variant of [`GrpcClientError`] in the following scenarios:
///
/// * There's an issue connecting to the Workload API.
/// * An error occurs while setting up the stream.
///
/// Individual stream items might also be errors if there's an issue processing the response for a specific update.
pub async fn stream_x509_svids(
&mut self,
) -> Result<impl Stream<Item = Result<X509Svid, GrpcClientError>>, GrpcClientError> {
let request = X509svidRequest::default();
let response = self.client.fetch_x509svid(request).await?;
let stream = response.into_inner().map(|message| {
message
.map_err(GrpcClientError::from)
.and_then(WorkloadApiClient::parse_x509_svid_from_grpc_response)
});
Ok(stream)
}
/// Watches the stream of [`X509BundleSet`] updates.
///
/// This function establishes a stream with the Workload API to continuously receive updates for the [`X509BundleSet`].
/// The returned stream can be used to asynchronously yield new `X509BundleSet` updates as they become available.
///
/// # Returns
///
/// Returns a stream of `Result<X509BundleSet, ClientError>`. Each item represents an updated [`X509BundleSet`] or an error if
/// there was a problem processing an update from the stream.
///
/// # Errors
///
/// The function can return an error variant of [`GrpcClientError`] in the following scenarios:
///
/// * There's an issue connecting to the Workload API.
/// * An error occurs while setting up the stream.
///
/// Individual stream items might also be errors if there's an issue processing the response for a specific update.
pub async fn stream_x509_bundles(
&mut self,
) -> Result<impl Stream<Item = Result<X509BundleSet, GrpcClientError>>, GrpcClientError> {
let request = X509BundlesRequest::default();
let response = self.client.fetch_x509_bundles(request).await?;
let stream = response.into_inner().map(|message| {
message
.map_err(GrpcClientError::from)
.and_then(WorkloadApiClient::parse_x509_bundle_set_from_grpc_response)
});
Ok(stream)
}
/// Watches the stream of [`JwtBundleSet`] updates.
///
/// This function establishes a stream with the Workload API to continuously receive updates for the [`JwtBundleSet`].
/// The returned stream can be used to asynchronously yield new `JwtBundleSet` updates as they become available.
///
/// # Returns
///
/// Returns a stream of `Result<JwtBundleSet, ClientError>`. Each item represents an updated [`JwtBundleSet`] or an error if
/// there was a problem processing an update from the stream.
///
/// # Errors
///
/// The function can return an error variant of [`GrpcClientError`] in the following scenarios:
///
/// * There's an issue connecting to the Workload API.
/// * An error occurs while setting up the stream.
///
/// Individual stream items might also be errors if there's an issue processing the response for a specific update.
pub async fn stream_jwt_bundles(
&mut self,
) -> Result<impl Stream<Item = Result<JwtBundleSet, GrpcClientError>>, GrpcClientError> {
let request = JwtBundlesRequest::default();
let response = self.client.fetch_jwt_bundles(request).await?;
let stream = response.into_inner().map(|message| {
message
.map_err(GrpcClientError::from)
.and_then(WorkloadApiClient::parse_jwt_bundle_set_from_grpc_response)
});
Ok(stream)
}
}
/// private
impl WorkloadApiClient {
async fn fetch_jwt<T: AsRef<str> + ToString>(
&mut self,
audience: &[T],
spiffe_id: Option<&SpiffeId>,
) -> Result<JwtsvidResponse, GrpcClientError> {
let request = JwtsvidRequest {
spiffe_id: spiffe_id.map(ToString::to_string).unwrap_or_default(),
audience: audience.iter().map(|s| s.to_string()).collect(),
};
Ok(self.client.fetch_jwtsvid(request).await?.into_inner())
}
async fn validate_jwt<T: AsRef<str>>(
&mut self,
audience: T,
jwt_svid: &str,
) -> Result<ValidateJwtsvidResponse, GrpcClientError> {
let request = ValidateJwtsvidRequest {
audience: audience.as_ref().into(),
svid: jwt_svid.into(),
};
Ok(self.client.validate_jwtsvid(request).await?.into_inner())
}
fn parse_x509_svid_from_grpc_response(
response: X509svidResponse,
) -> Result<X509Svid, GrpcClientError> {
let svid = response
.svids
.get(DEFAULT_SVID)
.ok_or(GrpcClientError::EmptyResponse)?;
X509Svid::parse_from_der(svid.x509_svid.as_ref(), svid.x509_svid_key.as_ref())
.map_err(GrpcClientError::from)
}
fn parse_x509_svids_from_grpc_response(
response: X509svidResponse,
) -> Result<Vec<X509Svid>, GrpcClientError> {
let mut svids_vec = Vec::new();
for svid in response.svids.iter() {
let parsed_svid =
X509Svid::parse_from_der(svid.x509_svid.as_ref(), svid.x509_svid_key.as_ref())
.map_err(GrpcClientError::from)?;
svids_vec.push(parsed_svid);
}
Ok(svids_vec)
}
fn parse_x509_bundle_set_from_grpc_response(
response: X509BundlesResponse,
) -> Result<X509BundleSet, GrpcClientError> {
let bundles: Result<Vec<_>, _> = response
.bundles
.into_iter()
.map(|(td, bundle_data)| {
let trust_domain = TrustDomain::try_from(td)?;
X509Bundle::parse_from_der(trust_domain, &bundle_data)
.map_err(GrpcClientError::from)
})
.collect();
let mut bundle_set = X509BundleSet::new();
for bundle in bundles? {
bundle_set.add_bundle(bundle);
}
Ok(bundle_set)
}
fn parse_jwt_bundle_set_from_grpc_response(
response: JwtBundlesResponse,
) -> Result<JwtBundleSet, GrpcClientError> {
let mut bundle_set = JwtBundleSet::new();
for (td, bundle_data) in response.bundles.into_iter() {
let trust_domain = TrustDomain::try_from(td)?;
let bundle = JwtBundle::from_jwt_authorities(trust_domain, &bundle_data)
.map_err(GrpcClientError::from)?;
bundle_set.add_bundle(bundle);
}
Ok(bundle_set)
}
fn parse_x509_context_from_grpc_response(
response: X509svidResponse,
) -> Result<X509Context, GrpcClientError> {
let mut svids = Vec::new();
let mut bundle_set = X509BundleSet::new();
for svid in response.svids.into_iter() {
let x509_svid =
X509Svid::parse_from_der(svid.x509_svid.as_ref(), svid.x509_svid_key.as_ref())
.map_err(GrpcClientError::from)?;
let trust_domain = x509_svid.spiffe_id().trust_domain().clone();
svids.push(x509_svid);
let bundle = X509Bundle::parse_from_der(trust_domain, svid.bundle.as_ref())
.map_err(GrpcClientError::from)?;
bundle_set.add_bundle(bundle);
}
Ok(X509Context::new(svids, bundle_set))
}
}