-
Notifications
You must be signed in to change notification settings - Fork 151
Expand file tree
/
Copy pathplan.rs
More file actions
754 lines (669 loc) · 23.1 KB
/
plan.rs
File metadata and controls
754 lines (669 loc) · 23.1 KB
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
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
// Copyright 2021 TiKV Project Authors. Licensed under Apache-2.0.
use std::{marker::PhantomData, sync::Arc};
use async_recursion::async_recursion;
use async_trait::async_trait;
use futures::{future::try_join_all, prelude::*};
use tikv_client_proto::{errorpb, errorpb::EpochNotMatch, kvrpcpb};
use tikv_client_store::{HasKeyErrors, HasRegionError, HasRegionErrors, KvClient};
use tokio::sync::Semaphore;
use crate::{
backoff::Backoff,
pd::PdClient,
request::{shard::HasNextBatch, KvRequest, NextBatch, Shardable},
stats::tikv_stats,
store::RegionStore,
transaction::{resolve_locks, HasLocks, ResolveLocksContext, ResolveLocksOptions},
util::iter::FlatMapOkIterExt,
Error, Result,
};
/// A plan for how to execute a request. A user builds up a plan with various
/// options, then exectutes it.
#[async_trait]
pub trait Plan: Sized + Clone + Sync + Send + 'static {
/// The ultimate result of executing the plan (should be a high-level type, not a GRPC response).
type Result: Send;
/// Execute the plan.
async fn execute(&self) -> Result<Self::Result>;
}
/// The simplest plan which just dispatches a request to a specific kv server.
#[derive(Clone)]
pub struct Dispatch<Req: KvRequest> {
pub request: Req,
pub kv_client: Option<Arc<dyn KvClient + Send + Sync>>,
}
#[async_trait]
impl<Req: KvRequest> Plan for Dispatch<Req> {
type Result = Req::Response;
async fn execute(&self) -> Result<Self::Result> {
let stats = tikv_stats(self.request.label());
let result = self
.kv_client
.as_ref()
.expect("Unreachable: kv_client has not been initialised in Dispatch")
.dispatch(&self.request)
.await;
let result = stats.done(result);
result.map(|r| {
*r.downcast()
.expect("Downcast failed: request and response type mismatch")
})
}
}
const MULTI_REGION_CONCURRENCY: usize = 16;
pub struct RetryableMultiRegion<P: Plan, PdC: PdClient> {
pub(super) inner: P,
pub pd_client: Arc<PdC>,
pub backoff: Backoff,
/// Preserve all regions' results for other downstream plans to handle.
/// If true, return Ok and preserve all regions' results, even if some of them are Err.
/// Otherwise, return the first Err if there is any.
pub preserve_region_results: bool,
}
impl<P: Plan + Shardable, PdC: PdClient> RetryableMultiRegion<P, PdC>
where
P::Result: HasKeyErrors + HasRegionError,
{
// A plan may involve multiple shards
#[async_recursion]
async fn single_plan_handler(
pd_client: Arc<PdC>,
current_plan: P,
backoff: Backoff,
permits: Arc<Semaphore>,
preserve_region_results: bool,
) -> Result<<Self as Plan>::Result> {
let shards = current_plan.shards(&pd_client).collect::<Vec<_>>().await;
let mut handles = Vec::new();
for shard in shards {
let (shard, region_store) = shard?;
let mut clone = current_plan.clone();
clone.apply_shard(shard, ®ion_store)?;
let handle = tokio::spawn(Self::single_shard_handler(
pd_client.clone(),
clone,
region_store,
backoff.clone(),
permits.clone(),
preserve_region_results,
));
handles.push(handle);
}
let results = try_join_all(handles).await?;
if preserve_region_results {
Ok(results
.into_iter()
.flat_map_ok(|x| x)
.map(|x| match x {
Ok(r) => r,
Err(e) => Err(e),
})
.collect())
} else {
Ok(results
.into_iter()
.collect::<Result<Vec<_>>>()?
.into_iter()
.flatten()
.collect())
}
}
#[async_recursion]
async fn single_shard_handler(
pd_client: Arc<PdC>,
plan: P,
region_store: RegionStore,
mut backoff: Backoff,
permits: Arc<Semaphore>,
preserve_region_results: bool,
) -> Result<<Self as Plan>::Result> {
// limit concurrent requests
let permit = permits.acquire().await.unwrap();
let mut resp = plan.execute().await?;
drop(permit);
if let Some(e) = resp.key_errors() {
Ok(vec![Err(Error::MultipleKeyErrors(e))])
} else if let Some(e) = resp.region_error() {
match backoff.next_delay_duration() {
Some(duration) => {
let region_error_resolved =
handle_region_error(pd_client.clone(), e, region_store).await?;
// don't sleep if we have resolved the region error
if !region_error_resolved {
futures_timer::Delay::new(duration).await;
}
Self::single_plan_handler(
pd_client,
plan,
backoff,
permits,
preserve_region_results,
)
.await
}
None => Err(Error::RegionError(Box::new(e))),
}
} else {
Ok(vec![Ok(resp)])
}
}
}
impl<P: Plan, PdC: PdClient> Clone for RetryableMultiRegion<P, PdC> {
fn clone(&self) -> Self {
RetryableMultiRegion {
inner: self.inner.clone(),
pd_client: self.pd_client.clone(),
backoff: self.backoff.clone(),
preserve_region_results: self.preserve_region_results,
}
}
}
#[async_trait]
impl<P: Plan + Shardable, PdC: PdClient> Plan for RetryableMultiRegion<P, PdC>
where
P::Result: HasKeyErrors + HasRegionError,
{
type Result = Vec<Result<P::Result>>;
async fn execute(&self) -> Result<Self::Result> {
// Limit the maximum concurrency of multi-region request. If there are
// too many concurrent requests, TiKV is more likely to return a "TiKV
// is busy" error
let concurrency_permits = Arc::new(Semaphore::new(MULTI_REGION_CONCURRENCY));
Self::single_plan_handler(
self.pd_client.clone(),
self.inner.clone(),
self.backoff.clone(),
concurrency_permits.clone(),
self.preserve_region_results,
)
.await
}
}
// Returns
// 1. Ok(true): error has been resolved, retry immediately
// 2. Ok(false): backoff, and then retry
// 3. Err(Error): can't be resolved, return the error to upper level
pub async fn handle_region_error<PdC: PdClient>(
pd_client: Arc<PdC>,
mut e: errorpb::Error,
region_store: RegionStore,
) -> Result<bool> {
let ver_id = region_store.region_with_leader.ver_id();
if e.has_not_leader() {
let not_leader = e.get_not_leader();
if not_leader.has_leader() {
match pd_client
.update_leader(
region_store.region_with_leader.ver_id(),
not_leader.get_leader().clone(),
)
.await
{
Ok(_) => Ok(true),
Err(e) => {
pd_client.invalidate_region_cache(ver_id).await;
Err(e)
}
}
} else {
// The peer doesn't know who is the current leader. Generally it's because
// the Raft group is in an election, but it's possible that the peer is
// isolated and removed from the Raft group. So it's necessary to reload
// the region from PD.
pd_client.invalidate_region_cache(ver_id).await;
Ok(false)
}
} else if e.has_store_not_match() {
pd_client.invalidate_region_cache(ver_id).await;
Ok(false)
} else if e.has_epoch_not_match() {
on_region_epoch_not_match(pd_client.clone(), region_store, e.take_epoch_not_match()).await
} else if e.has_stale_command() || e.has_region_not_found() {
pd_client.invalidate_region_cache(ver_id).await;
Ok(false)
} else if e.has_server_is_busy()
|| e.has_raft_entry_too_large()
|| e.has_max_timestamp_not_synced()
{
Err(Error::RegionError(Box::new(e)))
} else {
// TODO: pass the logger around
// info!("unknwon region error: {:?}", e);
pd_client.invalidate_region_cache(ver_id).await;
Ok(false)
}
}
// Returns
// 1. Ok(true): error has been resolved, retry immediately
// 2. Ok(false): backoff, and then retry
// 3. Err(Error): can't be resolved, return the error to upper level
async fn on_region_epoch_not_match<PdC: PdClient>(
pd_client: Arc<PdC>,
region_store: RegionStore,
error: EpochNotMatch,
) -> Result<bool> {
let ver_id = region_store.region_with_leader.ver_id();
if error.get_current_regions().is_empty() {
pd_client.invalidate_region_cache(ver_id).await;
return Ok(true);
}
for r in error.get_current_regions() {
if r.get_id() == region_store.region_with_leader.id() {
let returned_conf_ver = r.get_region_epoch().get_conf_ver();
let returned_version = r.get_region_epoch().get_version();
let current_conf_ver = region_store
.region_with_leader
.region
.get_region_epoch()
.get_conf_ver();
let current_version = region_store
.region_with_leader
.region
.get_region_epoch()
.get_version();
// Find whether the current region is ahead of TiKV's. If so, backoff.
if returned_conf_ver < current_conf_ver || returned_version < current_version {
return Ok(false);
}
}
}
// TODO: finer grained processing
pd_client.invalidate_region_cache(ver_id).await;
Ok(false)
}
/// A technique for merging responses into a single result (with type `Out`).
pub trait Merge<In>: Sized + Clone + Send + Sync + 'static {
type Out: Send;
fn merge(&self, input: Vec<Result<In>>) -> Result<Self::Out>;
}
#[derive(Clone)]
pub struct MergeResponse<P: Plan, In, M: Merge<In>> {
pub inner: P,
pub merge: M,
pub phantom: PhantomData<In>,
}
#[async_trait]
impl<In: Clone + Send + Sync + 'static, P: Plan<Result = Vec<Result<In>>>, M: Merge<In>> Plan
for MergeResponse<P, In, M>
{
type Result = M::Out;
async fn execute(&self) -> Result<Self::Result> {
self.merge.merge(self.inner.execute().await?)
}
}
/// A merge strategy which collects data from a response into a single type.
#[derive(Clone, Copy)]
pub struct Collect;
/// A merge strategy that only takes the first element. It's used for requests
/// that should have exactly one response, e.g. a get request.
#[derive(Clone, Copy)]
pub struct CollectSingle;
#[macro_export]
macro_rules! collect_first {
($type_: ty) => {
impl Merge<$type_> for CollectSingle {
type Out = $type_;
fn merge(&self, mut input: Vec<Result<$type_>>) -> Result<Self::Out> {
assert!(input.len() == 1);
input.pop().unwrap()
}
}
};
}
/// A merge strategy to be used with
/// [`preserve_shard`](super::plan_builder::PlanBuilder::preserve_shard).
/// It matches the shards preserved before and the values returned in the response.
#[derive(Clone, Debug)]
pub struct CollectWithShard;
/// A merge strategy which returns an error if any response is an error and
/// otherwise returns a Vec of the results.
#[derive(Clone, Copy)]
pub struct CollectError;
impl<T: Send> Merge<T> for CollectError {
type Out = Vec<T>;
fn merge(&self, input: Vec<Result<T>>) -> Result<Self::Out> {
input.into_iter().collect()
}
}
/// Process data into another kind of data.
pub trait Process<In>: Sized + Clone + Send + Sync + 'static {
type Out: Send;
fn process(&self, input: Result<In>) -> Result<Self::Out>;
}
#[derive(Clone)]
pub struct ProcessResponse<P: Plan, Pr: Process<P::Result>> {
pub inner: P,
pub processor: Pr,
}
#[async_trait]
impl<P: Plan, Pr: Process<P::Result>> Plan for ProcessResponse<P, Pr> {
type Result = Pr::Out;
async fn execute(&self) -> Result<Self::Result> {
self.processor.process(self.inner.execute().await)
}
}
#[derive(Clone, Copy, Debug)]
pub struct DefaultProcessor;
pub struct ResolveLock<P: Plan, PdC: PdClient> {
pub inner: P,
pub pd_client: Arc<PdC>,
pub backoff: Backoff,
}
impl<P: Plan, PdC: PdClient> Clone for ResolveLock<P, PdC> {
fn clone(&self) -> Self {
ResolveLock {
inner: self.inner.clone(),
pd_client: self.pd_client.clone(),
backoff: self.backoff.clone(),
}
}
}
#[async_trait]
impl<P: Plan, PdC: PdClient> Plan for ResolveLock<P, PdC>
where
P::Result: HasLocks,
{
type Result = P::Result;
async fn execute(&self) -> Result<Self::Result> {
let mut result = self.inner.execute().await?;
let mut clone = self.clone();
loop {
let locks = result.take_locks();
if locks.is_empty() {
return Ok(result);
}
if self.backoff.is_none() {
return Err(Error::ResolveLockError);
}
let pd_client = self.pd_client.clone();
if resolve_locks(locks, pd_client.clone()).await? {
result = self.inner.execute().await?;
} else {
match clone.backoff.next_delay_duration() {
None => return Err(Error::ResolveLockError),
Some(delay_duration) => {
futures_timer::Delay::new(delay_duration).await;
result = clone.inner.execute().await?;
}
}
}
}
}
}
#[derive(Default)]
pub struct CleanupLocksResult {
pub region_error: Option<errorpb::Error>,
pub key_error: Option<Vec<Error>>,
pub meet_locks: usize,
// TODO: pub resolved_locks: usize,
}
impl Clone for CleanupLocksResult {
fn clone(&self) -> Self {
Self {
meet_locks: self.meet_locks,
..Default::default() // Ignore errors, which should be extracted by `extract_error()`.
}
}
}
impl HasRegionError for CleanupLocksResult {
fn region_error(&mut self) -> Option<errorpb::Error> {
self.region_error.take()
}
}
impl HasKeyErrors for CleanupLocksResult {
fn key_errors(&mut self) -> Option<Vec<Error>> {
self.key_error.take()
}
}
impl Merge<CleanupLocksResult> for Collect {
type Out = CleanupLocksResult;
fn merge(&self, input: Vec<Result<CleanupLocksResult>>) -> Result<Self::Out> {
input
.into_iter()
.fold(Ok(CleanupLocksResult::default()), |acc, x| {
Ok(CleanupLocksResult {
meet_locks: acc.unwrap().meet_locks + x?.meet_locks,
..Default::default()
})
})
}
}
pub struct CleanupLocks<P: Plan, PdC: PdClient> {
pub logger: slog::Logger,
pub inner: P,
pub ctx: ResolveLocksContext,
pub options: ResolveLocksOptions,
pub store: Option<RegionStore>,
pub pd_client: Arc<PdC>,
pub backoff: Backoff,
}
impl<P: Plan, PdC: PdClient> Clone for CleanupLocks<P, PdC> {
fn clone(&self) -> Self {
CleanupLocks {
logger: self.logger.clone(),
inner: self.inner.clone(),
ctx: self.ctx.clone(),
options: self.options,
store: None,
pd_client: self.pd_client.clone(),
backoff: self.backoff.clone(),
}
}
}
#[async_trait]
impl<P: Plan + Shardable + NextBatch, PdC: PdClient> Plan for CleanupLocks<P, PdC>
where
P::Result: HasLocks + HasNextBatch + HasKeyErrors + HasRegionError,
{
type Result = CleanupLocksResult;
async fn execute(&self) -> Result<Self::Result> {
let mut result = CleanupLocksResult::default();
let mut inner = self.inner.clone();
let mut lock_resolver =
crate::transaction::LockResolver::new(self.logger.clone(), self.ctx.clone());
let region = &self.store.as_ref().unwrap().region_with_leader;
let mut has_more_batch = true;
while has_more_batch {
let mut scan_lock_resp = inner.execute().await?;
// Propagate errors to `retry_multi_region` for retry.
if let Some(e) = scan_lock_resp.key_errors() {
info!(
self.logger,
"CleanupLocks::execute, inner key errors:{:?}", e
);
result.key_error = Some(e);
return Ok(result);
} else if let Some(e) = scan_lock_resp.region_error() {
info!(
self.logger,
"CleanupLocks::execute, inner region error:{}",
e.get_message()
);
result.region_error = Some(e);
return Ok(result);
}
// Iterate to next batch of inner.
match scan_lock_resp.has_next_batch() {
Some(range) if region.contains(range.0.as_ref()) => {
debug!(self.logger, "CleanupLocks::execute, next range:{:?}", range);
inner.next_batch(range);
}
_ => has_more_batch = false,
}
let mut locks = scan_lock_resp.take_locks();
if locks.is_empty() {
break;
}
if locks.len() < self.options.batch_size as usize {
has_more_batch = false;
}
if self.options.async_commit_only {
locks = locks
.into_iter()
.filter(|l| l.get_use_async_commit())
.collect::<Vec<_>>();
}
debug!(
self.logger,
"CleanupLocks::execute, meet locks:{}",
locks.len()
);
result.meet_locks += locks.len();
match lock_resolver
.cleanup_locks(self.store.clone().unwrap(), locks, self.pd_client.clone())
.await
{
Ok(()) => {}
Err(Error::ExtractedErrors(mut errors)) => {
// Propagate errors to `retry_multi_region` for retry.
if let Error::RegionError(e) = errors.pop().unwrap() {
result.region_error = Some(*e);
} else {
result.key_error = Some(errors);
}
return Ok(result);
}
Err(e) => {
return Err(e);
}
}
// TODO: improve backoff
// if self.backoff.is_none() {
// return Err(Error::ResolveLockError);
// }
}
Ok(result)
}
}
/// When executed, the plan extracts errors from its inner plan, and returns an
/// `Err` wrapping the error.
///
/// We usually need to apply this plan if (and only if) the output of the inner
/// plan is of a response type.
///
/// The errors come from two places: `Err` from inner plans, and `Ok(response)`
/// where `response` contains unresolved errors (`error` and `region_error`).
pub struct ExtractError<P: Plan> {
pub inner: P,
}
impl<P: Plan> Clone for ExtractError<P> {
fn clone(&self) -> Self {
ExtractError {
inner: self.inner.clone(),
}
}
}
#[async_trait]
impl<P: Plan> Plan for ExtractError<P>
where
P::Result: HasKeyErrors + HasRegionErrors,
{
type Result = P::Result;
async fn execute(&self) -> Result<Self::Result> {
let mut result = self.inner.execute().await?;
if let Some(errors) = result.key_errors() {
Err(Error::ExtractedErrors(errors))
} else if let Some(errors) = result.region_errors() {
Err(Error::ExtractedErrors(
errors
.into_iter()
.map(|e| Error::RegionError(Box::new(e)))
.collect(),
))
} else {
Ok(result)
}
}
}
/// When executed, the plan clones the shard and execute its inner plan, then
/// returns `(shard, response)`.
///
/// It's useful when the information of shard are lost in the response but needed
/// for processing.
pub struct PreserveShard<P: Plan + Shardable> {
pub inner: P,
pub shard: Option<P::Shard>,
}
impl<P: Plan + Shardable> Clone for PreserveShard<P> {
fn clone(&self) -> Self {
PreserveShard {
inner: self.inner.clone(),
shard: None,
}
}
}
#[async_trait]
impl<P> Plan for PreserveShard<P>
where
P: Plan + Shardable,
{
type Result = ResponseWithShard<P::Result, P::Shard>;
async fn execute(&self) -> Result<Self::Result> {
let res = self.inner.execute().await?;
let shard = self
.shard
.as_ref()
.expect("Unreachable: Shardable::apply_shard() is not called before executing PreserveShard")
.clone();
Ok(ResponseWithShard(res, shard))
}
}
// contains a response and the corresponding shards
#[derive(Debug, Clone)]
pub struct ResponseWithShard<Resp, Shard>(pub Resp, pub Shard);
impl<Resp: HasKeyErrors, Shard> HasKeyErrors for ResponseWithShard<Resp, Shard> {
fn key_errors(&mut self) -> Option<Vec<Error>> {
self.0.key_errors()
}
}
impl<Resp: HasLocks, Shard> HasLocks for ResponseWithShard<Resp, Shard> {
fn take_locks(&mut self) -> Vec<kvrpcpb::LockInfo> {
self.0.take_locks()
}
}
impl<Resp: HasRegionError, Shard> HasRegionError for ResponseWithShard<Resp, Shard> {
fn region_error(&mut self) -> Option<errorpb::Error> {
self.0.region_error()
}
}
#[cfg(test)]
mod test {
use super::*;
use crate::mock::MockPdClient;
use futures::stream::{self, BoxStream};
use tikv_client_proto::kvrpcpb::BatchGetResponse;
#[derive(Clone)]
struct ErrPlan;
#[async_trait]
impl Plan for ErrPlan {
type Result = BatchGetResponse;
async fn execute(&self) -> Result<Self::Result> {
Err(Error::Unimplemented)
}
}
impl Shardable for ErrPlan {
type Shard = ();
fn shards(
&self,
_: &Arc<impl crate::pd::PdClient>,
) -> BoxStream<'static, crate::Result<(Self::Shard, crate::store::RegionStore)>> {
Box::pin(stream::iter(1..=3).map(|_| Err(Error::Unimplemented))).boxed()
}
fn apply_shard(&mut self, _: Self::Shard, _: &crate::store::RegionStore) -> Result<()> {
Ok(())
}
}
#[tokio::test]
async fn test_err() {
let plan = RetryableMultiRegion {
inner: ResolveLock {
inner: ErrPlan,
backoff: Backoff::no_backoff(),
pd_client: Arc::new(MockPdClient::default()),
},
pd_client: Arc::new(MockPdClient::default()),
backoff: Backoff::no_backoff(),
preserve_region_results: false,
};
assert!(plan.execute().await.is_err())
}
}