kube_client/api/core_methods.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
use either::Either;
use futures::Stream;
use serde::{de::DeserializeOwned, Serialize};
use std::fmt::Debug;
use crate::{api::Api, Error, Result};
use kube_core::{
metadata::PartialObjectMeta, object::ObjectList, params::*, response::Status, ErrorResponse, WatchEvent,
};
/// PUSH/PUT/POST/GET abstractions
impl<K> Api<K>
where
K: Clone + DeserializeOwned + Debug,
{
/// Get a named resource
///
/// ```no_run
/// # use kube::Api;
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let p: Pod = pods.get("blog").await?;
/// # Ok(())
/// # }
/// ```
///
/// # Errors
///
/// This function assumes that the object is expected to always exist, and returns [`Error`] if it does not.
/// Consider using [`Api::get_opt`] if you need to handle missing objects.
pub async fn get(&self, name: &str) -> Result<K> {
self.get_with(name, &GetParams::default()).await
}
/// Get only the metadata for a named resource as [`PartialObjectMeta`]
///
/// ```no_run
/// use kube::{Api, core::PartialObjectMeta};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let p: PartialObjectMeta<Pod> = pods.get_metadata("blog").await?;
/// # Ok(())
/// # }
/// ```
/// Note that the type may be converted to `ObjectMeta` through the usual
/// conversion traits.
///
/// # Errors
///
/// This function assumes that the object is expected to always exist, and returns [`Error`] if it does not.
/// Consider using [`Api::get_metadata_opt`] if you need to handle missing objects.
pub async fn get_metadata(&self, name: &str) -> Result<PartialObjectMeta<K>> {
self.get_metadata_with(name, &GetParams::default()).await
}
/// [Get](`Api::get`) a named resource with an explicit resourceVersion
///
/// This function allows the caller to pass in a [`GetParams`](`super::GetParams`) type containing
/// a `resourceVersion` to a [Get](`Api::get`) call.
/// For example
///
/// ```no_run
/// # use kube::{Api, api::GetParams};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let p: Pod = pods.get_with("blog", &GetParams::any()).await?;
/// # Ok(())
/// # }
/// ```
///
/// # Errors
///
/// This function assumes that the object is expected to always exist, and returns [`Error`] if it does not.
/// Consider using [`Api::get_opt`] if you need to handle missing objects.
pub async fn get_with(&self, name: &str, gp: &GetParams) -> Result<K> {
let mut req = self.request.get(name, gp).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("get");
self.client.request::<K>(req).await
}
/// [Get](`Api::get_metadata`) the metadata of an object using an explicit `resourceVersion`
///
/// This function allows the caller to pass in a [`GetParams`](`super::GetParams`) type containing
/// a `resourceVersion` to a [Get](`Api::get_metadata`) call.
/// For example
///
///
/// ```no_run
/// use kube::{Api, api::GetParams, core::PartialObjectMeta};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let p: PartialObjectMeta<Pod> = pods.get_metadata_with("blog", &GetParams::any()).await?;
/// # Ok(())
/// # }
/// ```
/// Note that the type may be converted to `ObjectMeta` through the usual
/// conversion traits.
///
/// # Errors
///
/// This function assumes that the object is expected to always exist, and returns [`Error`] if it does not.
/// Consider using [`Api::get_metadata_opt`] if you need to handle missing objects.
pub async fn get_metadata_with(&self, name: &str, gp: &GetParams) -> Result<PartialObjectMeta<K>> {
let mut req = self.request.get_metadata(name, gp).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("get_metadata");
self.client.request::<PartialObjectMeta<K>>(req).await
}
/// [Get](`Api::get`) a named resource if it exists, returns [`None`] if it doesn't exist
///
/// ```no_run
/// # use kube::Api;
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// if let Some(pod) = pods.get_opt("blog").await? {
/// // Pod was found
/// } else {
/// // Pod was not found
/// }
/// # Ok(())
/// # }
/// ```
pub async fn get_opt(&self, name: &str) -> Result<Option<K>> {
match self.get(name).await {
Ok(obj) => Ok(Some(obj)),
Err(Error::Api(ErrorResponse { reason, .. })) if &reason == "NotFound" => Ok(None),
Err(err) => Err(err),
}
}
/// [Get Metadata](`Api::get_metadata`) for a named resource if it exists, returns [`None`] if it doesn't exit
///
/// ```no_run
/// # use kube::Api;
/// use k8s_openapi::api::core::v1::Pod;
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// if let Some(pod) = pods.get_metadata_opt("blog").await? {
/// // Pod was found
/// } else {
/// // Pod was not found
/// }
/// # Ok(())
/// # }
/// ```
///
/// Note that [`PartialObjectMeta`] embeds the raw `ObjectMeta`.
pub async fn get_metadata_opt(&self, name: &str) -> Result<Option<PartialObjectMeta<K>>> {
match self.get_metadata(name).await {
Ok(meta) => Ok(Some(meta)),
Err(Error::Api(ErrorResponse { reason, .. })) if &reason == "NotFound" => Ok(None),
Err(err) => Err(err),
}
}
/// Get a list of resources
///
/// You use this to get everything, or a subset matching fields/labels, say:
///
/// ```no_run
/// use kube::api::{Api, ListParams, ResourceExt};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let lp = ListParams::default().labels("app=blog"); // for this app only
/// for p in pods.list(&lp).await? {
/// println!("Found Pod: {}", p.name_any());
/// }
/// # Ok(())
/// # }
/// ```
pub async fn list(&self, lp: &ListParams) -> Result<ObjectList<K>> {
let mut req = self.request.list(lp).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("list");
self.client.request::<ObjectList<K>>(req).await
}
/// Get a list of resources that contains only their metadata as
///
/// Similar to [list](`Api::list`), you use this to get everything, or a
/// subset matching fields/labels. For example
///
/// ```no_run
/// use kube::api::{Api, ListParams, ResourceExt};
/// use kube::core::{ObjectMeta, ObjectList, PartialObjectMeta};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let lp = ListParams::default().labels("app=blog"); // for this app only
/// let list: ObjectList<PartialObjectMeta<Pod>> = pods.list_metadata(&lp).await?;
/// for p in list {
/// println!("Found Pod: {}", p.name_any());
/// }
/// # Ok(())
/// # }
/// ```
pub async fn list_metadata(&self, lp: &ListParams) -> Result<ObjectList<PartialObjectMeta<K>>> {
let mut req = self.request.list_metadata(lp).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("list_metadata");
self.client.request::<ObjectList<PartialObjectMeta<K>>>(req).await
}
/// Create a resource
///
/// This function requires a type that Serializes to `K`, which can be:
/// 1. Raw string YAML
/// - easy to port from existing files
/// - error prone (run-time errors on typos due to failed serialize attempts)
/// - very error prone (can write invalid YAML)
/// 2. An instance of the struct itself
/// - easy to instantiate for CRDs (you define the struct)
/// - dense to instantiate for [`k8s_openapi`] types (due to many optionals)
/// - compile-time safety
/// - but still possible to write invalid native types (validation at apiserver)
/// 3. [`serde_json::json!`] macro instantiated [`serde_json::Value`]
/// - Tradeoff between the two
/// - Easy partially filling of native [`k8s_openapi`] types (most fields optional)
/// - Partial safety against runtime errors (at least you must write valid JSON)
///
/// Note that this method cannot write to the status object (when it exists) of a resource.
/// To set status objects please see [`Api::replace_status`] or [`Api::patch_status`].
pub async fn create(&self, pp: &PostParams, data: &K) -> Result<K>
where
K: Serialize,
{
let bytes = serde_json::to_vec(&data).map_err(Error::SerdeError)?;
let mut req = self.request.create(pp, bytes).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("create");
self.client.request::<K>(req).await
}
/// Delete a named resource
///
/// When you get a `K` via `Left`, your delete has started.
/// When you get a `Status` via `Right`, this should be a a 2XX style
/// confirmation that the object being gone.
///
/// 4XX and 5XX status types are returned as an [`Err(kube_client::Error::Api)`](crate::Error::Api).
///
/// ```no_run
/// use kube::api::{Api, DeleteParams};
/// use k8s_openapi::apiextensions_apiserver::pkg::apis::apiextensions::v1 as apiexts;
/// use apiexts::CustomResourceDefinition;
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let crds: Api<CustomResourceDefinition> = Api::all(client);
/// crds.delete("foos.clux.dev", &DeleteParams::default()).await?
/// .map_left(|o| println!("Deleting CRD: {:?}", o.status))
/// .map_right(|s| println!("Deleted CRD: {:?}", s));
/// # Ok(())
/// # }
/// ```
pub async fn delete(&self, name: &str, dp: &DeleteParams) -> Result<Either<K, Status>> {
let mut req = self.request.delete(name, dp).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("delete");
self.client.request_status::<K>(req).await
}
/// Delete a collection of resources
///
/// When you get an `ObjectList<K>` via `Left`, your delete has started.
/// When you get a `Status` via `Right`, this should be a a 2XX style
/// confirmation that the object being gone.
///
/// 4XX and 5XX status types are returned as an [`Err(kube_client::Error::Api)`](crate::Error::Api).
///
/// ```no_run
/// use kube::api::{Api, DeleteParams, ListParams, ResourceExt};
/// use k8s_openapi::api::core::v1::Pod;
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
///
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// match pods.delete_collection(&DeleteParams::default(), &ListParams::default()).await? {
/// either::Left(list) => {
/// let names: Vec<_> = list.iter().map(ResourceExt::name_any).collect();
/// println!("Deleting collection of pods: {:?}", names);
/// },
/// either::Right(status) => {
/// println!("Deleted collection of pods: status={:?}", status);
/// }
/// }
/// # Ok(())
/// # }
/// ```
pub async fn delete_collection(
&self,
dp: &DeleteParams,
lp: &ListParams,
) -> Result<Either<ObjectList<K>, Status>> {
let mut req = self
.request
.delete_collection(dp, lp)
.map_err(Error::BuildRequest)?;
req.extensions_mut().insert("delete_collection");
self.client.request_status::<ObjectList<K>>(req).await
}
/// Patch a subset of a resource's properties
///
/// Takes a [`Patch`] along with [`PatchParams`] for the call.
///
/// ```no_run
/// use kube::api::{Api, PatchParams, Patch, Resource};
/// use k8s_openapi::api::core::v1::Pod;
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
///
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let patch = serde_json::json!({
/// "apiVersion": "v1",
/// "kind": "Pod",
/// "metadata": {
/// "name": "blog"
/// },
/// "spec": {
/// "activeDeadlineSeconds": 5
/// }
/// });
/// let params = PatchParams::apply("myapp");
/// let patch = Patch::Apply(&patch);
/// let o_patched = pods.patch("blog", ¶ms, &patch).await?;
/// # Ok(())
/// # }
/// ```
/// [`Patch`]: super::Patch
/// [`PatchParams`]: super::PatchParams
///
/// Note that this method cannot write to the status object (when it exists) of a resource.
/// To set status objects please see [`Api::replace_status`] or [`Api::patch_status`].
pub async fn patch<P: Serialize + Debug>(
&self,
name: &str,
pp: &PatchParams,
patch: &Patch<P>,
) -> Result<K> {
let mut req = self.request.patch(name, pp, patch).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("patch");
self.client.request::<K>(req).await
}
/// Patch a metadata subset of a resource's properties from [`PartialObjectMeta`]
///
/// Takes a [`Patch`] along with [`PatchParams`] for the call.
/// Patches can be constructed raw using `serde_json::json!` or from `ObjectMeta` via [`PartialObjectMetaExt`].
///
/// ```no_run
/// use kube::api::{Api, PatchParams, Patch, Resource};
/// use kube::core::{PartialObjectMetaExt, ObjectMeta};
/// use k8s_openapi::api::core::v1::Pod;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let pods: Api<Pod> = Api::namespaced(client, "apps");
/// let metadata = ObjectMeta {
/// labels: Some([("key".to_string(), "value".to_string())].into()),
/// ..Default::default()
/// }.into_request_partial::<Pod>();
///
/// let params = PatchParams::apply("myapp");
/// let o_patched = pods.patch_metadata("blog", ¶ms, &Patch::Apply(&metadata)).await?;
/// println!("Patched {}", o_patched.metadata.name.unwrap());
/// # Ok(())
/// # }
/// ```
/// [`Patch`]: super::Patch
/// [`PatchParams`]: super::PatchParams
/// [`PartialObjectMetaExt`]: crate::core::PartialObjectMetaExt
///
/// ### Warnings
///
/// The `TypeMeta` (apiVersion + kind) of a patch request (required for apply patches)
/// must match the underlying type that is being patched (e.g. "v1" + "Pod").
/// The returned `TypeMeta` will always be {"meta.k8s.io/v1", "PartialObjectMetadata"}.
/// These constraints are encoded into [`PartialObjectMetaExt`].
///
/// This method can write to non-metadata fields such as spec if included in the patch.
pub async fn patch_metadata<P: Serialize + Debug>(
&self,
name: &str,
pp: &PatchParams,
patch: &Patch<P>,
) -> Result<PartialObjectMeta<K>> {
let mut req = self
.request
.patch_metadata(name, pp, patch)
.map_err(Error::BuildRequest)?;
req.extensions_mut().insert("patch_metadata");
self.client.request::<PartialObjectMeta<K>>(req).await
}
/// Replace a resource entirely with a new one
///
/// This is used just like [`Api::create`], but with one additional instruction:
/// You must set `metadata.resourceVersion` in the provided data because k8s
/// will not accept an update unless you actually knew what the last version was.
///
/// Thus, to use this function, you need to do a `get` then a `replace` with its result.
///
/// ```no_run
/// use kube::api::{Api, PostParams, ResourceExt};
/// use k8s_openapi::api::batch::v1::Job;
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let jobs: Api<Job> = Api::namespaced(client, "apps");
/// let j = jobs.get("baz").await?;
/// let j_new: Job = serde_json::from_value(serde_json::json!({
/// "apiVersion": "batch/v1",
/// "kind": "Job",
/// "metadata": {
/// "name": "baz",
/// "resourceVersion": j.resource_version(),
/// },
/// "spec": {
/// "template": {
/// "metadata": {
/// "name": "empty-job-pod"
/// },
/// "spec": {
/// "containers": [{
/// "name": "empty",
/// "image": "alpine:latest"
/// }],
/// "restartPolicy": "Never",
/// }
/// }
/// }
/// }))?;
/// jobs.replace("baz", &PostParams::default(), &j_new).await?;
/// # Ok(())
/// # }
/// ```
///
/// Consider mutating the result of `api.get` rather than recreating it.
///
/// Note that this method cannot write to the status object (when it exists) of a resource.
/// To set status objects please see [`Api::replace_status`] or [`Api::patch_status`].
pub async fn replace(&self, name: &str, pp: &PostParams, data: &K) -> Result<K>
where
K: Serialize,
{
let bytes = serde_json::to_vec(&data).map_err(Error::SerdeError)?;
let mut req = self
.request
.replace(name, pp, bytes)
.map_err(Error::BuildRequest)?;
req.extensions_mut().insert("replace");
self.client.request::<K>(req).await
}
/// Watch a list of resources
///
/// This returns a future that awaits the initial response,
/// then you can stream the remaining buffered `WatchEvent` objects.
///
/// Note that a `watch` call can terminate for many reasons (even before the specified
/// [`WatchParams::timeout`] is triggered), and will have to be re-issued
/// with the last seen resource version when or if it closes.
///
/// Consider using a managed [`watcher`] to deal with automatic re-watches and error cases.
///
/// ```no_run
/// use kube::api::{Api, WatchParams, ResourceExt, WatchEvent};
/// use k8s_openapi::api::batch::v1::Job;
/// use futures::{StreamExt, TryStreamExt};
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let jobs: Api<Job> = Api::namespaced(client, "apps");
/// let lp = WatchParams::default()
/// .fields("metadata.name=my_job")
/// .timeout(20); // upper bound of how long we watch for
/// let mut stream = jobs.watch(&lp, "0").await?.boxed();
/// while let Some(status) = stream.try_next().await? {
/// match status {
/// WatchEvent::Added(s) => println!("Added {}", s.name_any()),
/// WatchEvent::Modified(s) => println!("Modified: {}", s.name_any()),
/// WatchEvent::Deleted(s) => println!("Deleted {}", s.name_any()),
/// WatchEvent::Bookmark(s) => {},
/// WatchEvent::Error(s) => println!("{}", s),
/// }
/// }
/// # Ok(())
/// # }
/// ```
/// [`WatchParams::timeout`]: super::WatchParams::timeout
/// [`watcher`]: https://docs.rs/kube_runtime/*/kube_runtime/watcher/fn.watcher.html
pub async fn watch(
&self,
wp: &WatchParams,
version: &str,
) -> Result<impl Stream<Item = Result<WatchEvent<K>>>> {
let mut req = self.request.watch(wp, version).map_err(Error::BuildRequest)?;
req.extensions_mut().insert("watch");
self.client.request_events::<K>(req).await
}
/// Watch a list of metadata for a given resources
///
/// This returns a future that awaits the initial response,
/// then you can stream the remaining buffered `WatchEvent` objects.
///
/// Note that a `watch_metadata` call can terminate for many reasons (even
/// before the specified [`WatchParams::timeout`] is triggered), and will
/// have to be re-issued with the last seen resource version when or if it
/// closes.
///
/// Consider using a managed [`metadata_watcher`] to deal with automatic re-watches and error cases.
///
/// ```no_run
/// use kube::api::{Api, WatchParams, ResourceExt, WatchEvent};
/// use k8s_openapi::api::batch::v1::Job;
/// use futures::{StreamExt, TryStreamExt};
///
/// # async fn wrapper() -> Result<(), Box<dyn std::error::Error>> {
/// # let client: kube::Client = todo!();
/// let jobs: Api<Job> = Api::namespaced(client, "apps");
///
/// let lp = WatchParams::default()
/// .fields("metadata.name=my_job")
/// .timeout(20); // upper bound of how long we watch for
/// let mut stream = jobs.watch(&lp, "0").await?.boxed();
/// while let Some(status) = stream.try_next().await? {
/// match status {
/// WatchEvent::Added(s) => println!("Added {}", s.metadata.name.unwrap()),
/// WatchEvent::Modified(s) => println!("Modified: {}", s.metadata.name.unwrap()),
/// WatchEvent::Deleted(s) => println!("Deleted {}", s.metadata.name.unwrap()),
/// WatchEvent::Bookmark(s) => {},
/// WatchEvent::Error(s) => println!("{}", s),
/// }
/// }
/// # Ok(())
/// # }
/// ```
/// [`WatchParams::timeout`]: super::WatchParams::timeout
/// [`metadata_watcher`]: https://docs.rs/kube_runtime/*/kube_runtime/watcher/fn.metadata_watcher.html
pub async fn watch_metadata(
&self,
wp: &WatchParams,
version: &str,
) -> Result<impl Stream<Item = Result<WatchEvent<PartialObjectMeta<K>>>>> {
let mut req = self
.request
.watch_metadata(wp, version)
.map_err(Error::BuildRequest)?;
req.extensions_mut().insert("watch_metadata");
self.client.request_events::<PartialObjectMeta<K>>(req).await
}
}