LCOV - code coverage report
Current view: top level - safekeeper/tests/walproposer_sim - simulation.rs (source / functions) Coverage Total Hit
Test: 49aa928ec5b4b510172d8b5c6d154da28e70a46c.info Lines: 97.7 % 299 292
Test Date: 2024-11-13 18:23:39 Functions: 88.9 % 63 56

            Line data    Source code
       1              : use std::{cell::Cell, str::FromStr, sync::Arc};
       2              : 
       3              : use crate::walproposer_sim::{safekeeper::run_server, walproposer_api::SimulationApi};
       4              : use desim::{
       5              :     executor::{self, ExternalHandle},
       6              :     node_os::NodeOs,
       7              :     options::{Delay, NetworkOptions},
       8              :     proto::{AnyMessage, NodeEvent},
       9              :     world::Node,
      10              :     world::World,
      11              : };
      12              : use rand::{Rng, SeedableRng};
      13              : use tracing::{debug, info_span, warn};
      14              : use utils::{id::TenantTimelineId, lsn::Lsn};
      15              : use walproposer::walproposer::{Config, Wrapper};
      16              : 
      17              : use super::{
      18              :     log::SimClock, safekeeper_disk::SafekeeperDisk, walproposer_api,
      19              :     walproposer_disk::DiskWalProposer,
      20              : };
      21              : 
      22              : /// Simulated safekeeper node.
      23              : pub struct SafekeeperNode {
      24              :     pub node: Arc<Node>,
      25              :     pub id: u32,
      26              :     pub disk: Arc<SafekeeperDisk>,
      27              :     pub thread: Cell<ExternalHandle>,
      28              : }
      29              : 
      30              : impl SafekeeperNode {
      31              :     /// Create and start a safekeeper at the specified Node.
      32         1524 :     pub fn new(node: Arc<Node>) -> Self {
      33         1524 :         let disk = Arc::new(SafekeeperDisk::new());
      34         1524 :         let thread = Cell::new(SafekeeperNode::launch(disk.clone(), node.clone()));
      35         1524 : 
      36         1524 :         Self {
      37         1524 :             id: node.id,
      38         1524 :             node,
      39         1524 :             disk,
      40         1524 :             thread,
      41         1524 :         }
      42         1524 :     }
      43              : 
      44        10043 :     fn launch(disk: Arc<SafekeeperDisk>, node: Arc<Node>) -> ExternalHandle {
      45        10043 :         // start the server thread
      46        10043 :         node.launch(move |os| {
      47         9875 :             run_server(os, disk).expect("server should finish without errors");
      48        10043 :         })
      49        10043 :     }
      50              : 
      51              :     /// Restart the safekeeper.
      52         8519 :     pub fn restart(&self) {
      53         8519 :         let new_thread = SafekeeperNode::launch(self.disk.clone(), self.node.clone());
      54         8519 :         let old_thread = self.thread.replace(new_thread);
      55         8519 :         old_thread.crash_stop();
      56         8519 :     }
      57              : }
      58              : 
      59              : /// Simulated walproposer node.
      60              : pub struct WalProposer {
      61              :     thread: ExternalHandle,
      62              :     node: Arc<Node>,
      63              :     disk: Arc<DiskWalProposer>,
      64              :     sync_safekeepers: bool,
      65              : }
      66              : 
      67              : impl WalProposer {
      68              :     /// Generic start function for both modes.
      69         9477 :     fn start(
      70         9477 :         os: NodeOs,
      71         9477 :         disk: Arc<DiskWalProposer>,
      72         9477 :         ttid: TenantTimelineId,
      73         9477 :         addrs: Vec<String>,
      74         9477 :         lsn: Option<Lsn>,
      75         9477 :     ) {
      76         9477 :         let sync_safekeepers = lsn.is_none();
      77              : 
      78         9477 :         let _enter = if sync_safekeepers {
      79         9137 :             info_span!("sync", started = executor::now()).entered()
      80              :         } else {
      81          340 :             info_span!("walproposer", started = executor::now()).entered()
      82              :         };
      83              : 
      84         9477 :         os.log_event(format!("started;walproposer;{}", sync_safekeepers as i32));
      85         9477 : 
      86         9477 :         let config = Config {
      87         9477 :             ttid,
      88         9477 :             safekeepers_list: addrs,
      89         9477 :             safekeeper_reconnect_timeout: 1000,
      90         9477 :             safekeeper_connection_timeout: 5000,
      91         9477 :             sync_safekeepers,
      92         9477 :         };
      93         9477 :         let args = walproposer_api::Args {
      94         9477 :             os,
      95         9477 :             config: config.clone(),
      96         9477 :             disk,
      97         9477 :             redo_start_lsn: lsn,
      98         9477 :         };
      99         9477 :         let api = SimulationApi::new(args);
     100         9477 :         let wp = Wrapper::new(Box::new(api), config);
     101         9477 :         wp.start();
     102         9477 :     }
     103              : 
     104              :     /// Start walproposer in a sync_safekeepers mode.
     105         9312 :     pub fn launch_sync(ttid: TenantTimelineId, addrs: Vec<String>, node: Arc<Node>) -> Self {
     106         9312 :         debug!("sync_safekeepers started at node {}", node.id);
     107         9312 :         let disk = DiskWalProposer::new();
     108         9312 :         let disk_wp = disk.clone();
     109         9312 : 
     110         9312 :         // start the client thread
     111         9312 :         let handle = node.launch(move |os| {
     112         9137 :             WalProposer::start(os, disk_wp, ttid, addrs, None);
     113         9312 :         });
     114         9312 : 
     115         9312 :         Self {
     116         9312 :             thread: handle,
     117         9312 :             node,
     118         9312 :             disk,
     119         9312 :             sync_safekeepers: true,
     120         9312 :         }
     121         9312 :     }
     122              : 
     123              :     /// Start walproposer in a normal mode.
     124          340 :     pub fn launch_walproposer(
     125          340 :         ttid: TenantTimelineId,
     126          340 :         addrs: Vec<String>,
     127          340 :         node: Arc<Node>,
     128          340 :         lsn: Lsn,
     129          340 :     ) -> Self {
     130          340 :         debug!("walproposer started at node {}", node.id);
     131          340 :         let disk = DiskWalProposer::new();
     132          340 :         disk.lock().reset_to(lsn);
     133          340 :         let disk_wp = disk.clone();
     134          340 : 
     135          340 :         // start the client thread
     136          340 :         let handle = node.launch(move |os| {
     137          340 :             WalProposer::start(os, disk_wp, ttid, addrs, Some(lsn));
     138          340 :         });
     139          340 : 
     140          340 :         Self {
     141          340 :             thread: handle,
     142          340 :             node,
     143          340 :             disk,
     144          340 :             sync_safekeepers: false,
     145          340 :         }
     146          340 :     }
     147              : 
     148          510 :     pub fn write_tx(&mut self, cnt: usize) {
     149          510 :         let start_lsn = self.disk.lock().flush_rec_ptr();
     150          510 : 
     151        11362 :         for _ in 0..cnt {
     152        11362 :             self.disk
     153        11362 :                 .lock()
     154        11362 :                 .insert_logical_message(c"prefix", b"message");
     155        11362 :         }
     156              : 
     157          510 :         let end_lsn = self.disk.lock().flush_rec_ptr();
     158          510 : 
     159          510 :         // log event
     160          510 :         self.node
     161          510 :             .log_event(format!("write_wal;{};{};{}", start_lsn.0, end_lsn.0, cnt));
     162          510 : 
     163          510 :         // now we need to set "Latch" in walproposer
     164          510 :         self.node
     165          510 :             .node_events()
     166          510 :             .send(NodeEvent::Internal(AnyMessage::Just32(0)));
     167          510 :     }
     168              : 
     169         8748 :     pub fn stop(&self) {
     170         8748 :         self.thread.crash_stop();
     171         8748 :     }
     172              : }
     173              : 
     174              : /// Holds basic simulation settings, such as network options.
     175              : pub struct TestConfig {
     176              :     pub network: NetworkOptions,
     177              :     pub timeout: u64,
     178              :     pub clock: Option<SimClock>,
     179              : }
     180              : 
     181              : impl TestConfig {
     182              :     /// Create a new TestConfig with default settings.
     183            9 :     pub fn new(clock: Option<SimClock>) -> Self {
     184            9 :         Self {
     185            9 :             network: NetworkOptions {
     186            9 :                 keepalive_timeout: Some(2000),
     187            9 :                 connect_delay: Delay {
     188            9 :                     min: 1,
     189            9 :                     max: 5,
     190            9 :                     fail_prob: 0.0,
     191            9 :                 },
     192            9 :                 send_delay: Delay {
     193            9 :                     min: 1,
     194            9 :                     max: 5,
     195            9 :                     fail_prob: 0.0,
     196            9 :                 },
     197            9 :             },
     198            9 :             timeout: 1_000 * 10,
     199            9 :             clock,
     200            9 :         }
     201            9 :     }
     202              : 
     203              :     /// Start a new simulation with the specified seed.
     204          508 :     pub fn start(&self, seed: u64) -> Test {
     205          508 :         let world = Arc::new(World::new(seed, Arc::new(self.network.clone())));
     206              : 
     207          508 :         if let Some(clock) = &self.clock {
     208          508 :             clock.set_clock(world.clock());
     209          508 :         }
     210              : 
     211          508 :         let servers = [
     212          508 :             SafekeeperNode::new(world.new_node()),
     213          508 :             SafekeeperNode::new(world.new_node()),
     214          508 :             SafekeeperNode::new(world.new_node()),
     215          508 :         ];
     216          508 : 
     217          508 :         let server_ids = [servers[0].id, servers[1].id, servers[2].id];
     218         1524 :         let safekeepers_addrs = server_ids.map(|id| format!("node:{}", id)).to_vec();
     219          508 : 
     220          508 :         let ttid = TenantTimelineId::generate();
     221          508 : 
     222          508 :         Test {
     223          508 :             world,
     224          508 :             servers,
     225          508 :             sk_list: safekeepers_addrs,
     226          508 :             ttid,
     227          508 :             timeout: self.timeout,
     228          508 :         }
     229          508 :     }
     230              : }
     231              : 
     232              : /// Holds simulation state.
     233              : pub struct Test {
     234              :     pub world: Arc<World>,
     235              :     pub servers: [SafekeeperNode; 3],
     236              :     pub sk_list: Vec<String>,
     237              :     pub ttid: TenantTimelineId,
     238              :     pub timeout: u64,
     239              : }
     240              : 
     241              : impl Test {
     242              :     /// Start a sync_safekeepers thread and wait for it to finish.
     243            6 :     pub fn sync_safekeepers(&self) -> anyhow::Result<Lsn> {
     244            6 :         let wp = self.launch_sync_safekeepers();
     245            6 : 
     246            6 :         // poll until exit or timeout
     247            6 :         let time_limit = self.timeout;
     248          230 :         while self.world.step() && self.world.now() < time_limit && !wp.thread.is_finished() {}
     249              : 
     250            6 :         if !wp.thread.is_finished() {
     251            0 :             anyhow::bail!("timeout or idle stuck");
     252            6 :         }
     253            6 : 
     254            6 :         let res = wp.thread.result();
     255            6 :         if res.0 != 0 {
     256            0 :             anyhow::bail!("non-zero exitcode: {:?}", res);
     257            6 :         }
     258            6 :         let lsn = Lsn::from_str(&res.1)?;
     259            6 :         Ok(lsn)
     260            6 :     }
     261              : 
     262              :     /// Spawn a new sync_safekeepers thread.
     263         9312 :     pub fn launch_sync_safekeepers(&self) -> WalProposer {
     264         9312 :         WalProposer::launch_sync(self.ttid, self.sk_list.clone(), self.world.new_node())
     265         9312 :     }
     266              : 
     267              :     /// Spawn a new walproposer thread.
     268          340 :     pub fn launch_walproposer(&self, lsn: Lsn) -> WalProposer {
     269          340 :         let lsn = if lsn.0 == 0 {
     270              :             // usual LSN after basebackup
     271          187 :             Lsn(21623024)
     272              :         } else {
     273          153 :             lsn
     274              :         };
     275              : 
     276          340 :         WalProposer::launch_walproposer(self.ttid, self.sk_list.clone(), self.world.new_node(), lsn)
     277          340 :     }
     278              : 
     279              :     /// Execute the simulation for the specified duration.
     280          105 :     pub fn poll_for_duration(&self, duration: u64) {
     281          105 :         let time_limit = std::cmp::min(self.world.now() + duration, self.timeout);
     282         1762 :         while self.world.step() && self.world.now() < time_limit {}
     283          105 :     }
     284              : 
     285              :     /// Execute the simulation together with events defined in some schedule.
     286          504 :     pub fn run_schedule(&self, schedule: &Schedule) -> anyhow::Result<()> {
     287          504 :         // scheduling empty events so that world will stop in those points
     288          504 :         {
     289          504 :             let clock = self.world.clock();
     290          504 : 
     291          504 :             let now = self.world.now();
     292        26571 :             for (time, _) in schedule {
     293        26067 :                 if *time < now {
     294            0 :                     continue;
     295        26067 :                 }
     296        26067 :                 clock.schedule_fake(*time - now);
     297              :             }
     298              :         }
     299              : 
     300          504 :         let mut wp = self.launch_sync_safekeepers();
     301          504 : 
     302          504 :         let mut skipped_tx = 0;
     303          504 :         let mut started_tx = 0;
     304          504 : 
     305          504 :         let mut schedule_ptr = 0;
     306              : 
     307              :         loop {
     308        26966 :             if wp.sync_safekeepers && wp.thread.is_finished() {
     309          392 :                 let res = wp.thread.result();
     310          392 :                 if res.0 != 0 {
     311           55 :                     warn!("sync non-zero exitcode: {:?}", res);
     312           55 :                     debug!("restarting sync_safekeepers");
     313              :                     // restart the sync_safekeepers
     314           55 :                     wp = self.launch_sync_safekeepers();
     315           55 :                     continue;
     316          337 :                 }
     317          337 :                 let lsn = Lsn::from_str(&res.1)?;
     318          337 :                 debug!("sync_safekeepers finished at LSN {}", lsn);
     319          337 :                 wp = self.launch_walproposer(lsn);
     320          337 :                 debug!("walproposer started at thread {}", wp.thread.id());
     321        26574 :             }
     322              : 
     323        26911 :             let now = self.world.now();
     324        52978 :             while schedule_ptr < schedule.len() && schedule[schedule_ptr].0 <= now {
     325        26067 :                 if now != schedule[schedule_ptr].0 {
     326            0 :                     warn!("skipped event {:?} at {}", schedule[schedule_ptr], now);
     327        26067 :                 }
     328              : 
     329        26067 :                 let action = &schedule[schedule_ptr].1;
     330        26067 :                 match action {
     331         8802 :                     TestAction::WriteTx(size) => {
     332         8802 :                         if !wp.sync_safekeepers && !wp.thread.is_finished() {
     333          408 :                             started_tx += *size;
     334          408 :                             wp.write_tx(*size);
     335          408 :                             debug!("written {} transactions", size);
     336              :                         } else {
     337         8394 :                             skipped_tx += size;
     338         8394 :                             debug!("skipped {} transactions", size);
     339              :                         }
     340              :                     }
     341         8518 :                     TestAction::RestartSafekeeper(id) => {
     342         8518 :                         debug!("restarting safekeeper {}", id);
     343         8518 :                         self.servers[*id].restart();
     344              :                     }
     345              :                     TestAction::RestartWalProposer => {
     346         8747 :                         debug!("restarting sync_safekeepers");
     347         8747 :                         wp.stop();
     348         8747 :                         wp = self.launch_sync_safekeepers();
     349              :                     }
     350              :                 }
     351        26067 :                 schedule_ptr += 1;
     352              :             }
     353              : 
     354        26911 :             if schedule_ptr == schedule.len() {
     355          504 :                 break;
     356        26407 :             }
     357        26407 :             let next_event_time = schedule[schedule_ptr].0;
     358        26407 : 
     359        26407 :             // poll until the next event
     360        26407 :             if wp.thread.is_finished() {
     361          371 :                 while self.world.step() && self.world.now() < next_event_time {}
     362              :             } else {
     363       404081 :                 while self.world.step()
     364       404081 :                     && self.world.now() < next_event_time
     365       378109 :                     && !wp.thread.is_finished()
     366       377704 :                 {}
     367              :             }
     368              :         }
     369              : 
     370          504 :         debug!(
     371            0 :             "finished schedule, total steps: {}",
     372            0 :             self.world.get_thread_step_count()
     373              :         );
     374          504 :         debug!("skipped_tx: {}", skipped_tx);
     375          504 :         debug!("started_tx: {}", started_tx);
     376              : 
     377          504 :         Ok(())
     378          504 :     }
     379              : }
     380              : 
     381              : #[derive(Debug, Clone)]
     382              : pub enum TestAction {
     383              :     WriteTx(usize),
     384              :     RestartSafekeeper(usize),
     385              :     RestartWalProposer,
     386              : }
     387              : 
     388              : pub type Schedule = Vec<(u64, TestAction)>;
     389              : 
     390          502 : pub fn generate_schedule(seed: u64) -> Schedule {
     391          502 :     let mut rng = rand::rngs::StdRng::seed_from_u64(seed);
     392          502 :     let mut schedule = Vec::new();
     393          502 :     let mut time = 0;
     394          502 : 
     395          502 :     let cnt = rng.gen_range(1..100);
     396          502 : 
     397          502 :     for _ in 0..cnt {
     398        25952 :         time += rng.gen_range(0..500);
     399        25952 :         let action = match rng.gen_range(0..3) {
     400         8695 :             0 => TestAction::WriteTx(rng.gen_range(1..10)),
     401         8512 :             1 => TestAction::RestartSafekeeper(rng.gen_range(0..3)),
     402         8745 :             2 => TestAction::RestartWalProposer,
     403            0 :             _ => unreachable!(),
     404              :         };
     405        25952 :         schedule.push((time, action));
     406              :     }
     407              : 
     408          502 :     schedule
     409          502 : }
     410              : 
     411          502 : pub fn generate_network_opts(seed: u64) -> NetworkOptions {
     412          502 :     let mut rng = rand::rngs::StdRng::seed_from_u64(seed);
     413          502 : 
     414          502 :     let timeout = rng.gen_range(100..2000);
     415          502 :     let max_delay = rng.gen_range(1..2 * timeout);
     416          502 :     let min_delay = rng.gen_range(1..=max_delay);
     417          502 : 
     418          502 :     let max_fail_prob = rng.gen_range(0.0..0.9);
     419          502 :     let connect_fail_prob = rng.gen_range(0.0..max_fail_prob);
     420          502 :     let send_fail_prob = rng.gen_range(0.0..connect_fail_prob);
     421          502 : 
     422          502 :     NetworkOptions {
     423          502 :         keepalive_timeout: Some(timeout),
     424          502 :         connect_delay: Delay {
     425          502 :             min: min_delay,
     426          502 :             max: max_delay,
     427          502 :             fail_prob: connect_fail_prob,
     428          502 :         },
     429          502 :         send_delay: Delay {
     430          502 :             min: min_delay,
     431          502 :             max: max_delay,
     432          502 :             fail_prob: send_fail_prob,
     433          502 :         },
     434          502 :     }
     435          502 : }
        

Generated by: LCOV version 2.1-beta