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