Line data Source code
1 : //! Safekeeper communication endpoint to WAL proposer (compute node).
2 : //! Gets messages from the network, passes them down to consensus module and
3 : //! sends replies back.
4 :
5 : use std::{collections::HashMap, sync::Arc, time::Duration};
6 :
7 : use anyhow::{bail, Result};
8 : use bytes::{Bytes, BytesMut};
9 : use camino::Utf8PathBuf;
10 : use desim::{
11 : executor::{self, PollSome},
12 : network::TCP,
13 : node_os::NodeOs,
14 : proto::{AnyMessage, NetEvent, NodeEvent},
15 : };
16 : use http::Uri;
17 : use safekeeper::{
18 : safekeeper::{ProposerAcceptorMessage, SafeKeeper, UNKNOWN_SERVER_VERSION},
19 : state::{TimelinePersistentState, TimelineState},
20 : timeline::TimelineError,
21 : wal_storage::Storage,
22 : SafeKeeperConf,
23 : };
24 : use safekeeper_api::ServerInfo;
25 : use tracing::{debug, info_span, warn};
26 : use utils::{
27 : id::{NodeId, TenantId, TenantTimelineId, TimelineId},
28 : lsn::Lsn,
29 : };
30 :
31 : use super::safekeeper_disk::{DiskStateStorage, DiskWALStorage, SafekeeperDisk, TimelineDisk};
32 :
33 : struct SharedState {
34 : sk: SafeKeeper<DiskStateStorage, DiskWALStorage>,
35 : disk: Arc<TimelineDisk>,
36 : }
37 :
38 : struct GlobalMap {
39 : timelines: HashMap<TenantTimelineId, SharedState>,
40 : conf: SafeKeeperConf,
41 : disk: Arc<SafekeeperDisk>,
42 : }
43 :
44 : impl GlobalMap {
45 : /// Restores global state from disk.
46 9930 : fn new(disk: Arc<SafekeeperDisk>, conf: SafeKeeperConf) -> Result<Self> {
47 9930 : let mut timelines = HashMap::new();
48 :
49 9930 : for (&ttid, disk) in disk.timelines.lock().iter() {
50 7462 : debug!("loading timeline {}", ttid);
51 7462 : let state = disk.state.lock().clone();
52 7462 :
53 7462 : if state.server.wal_seg_size == 0 {
54 0 : bail!(TimelineError::UninitializedWalSegSize(ttid));
55 7462 : }
56 7462 :
57 7462 : if state.server.pg_version == UNKNOWN_SERVER_VERSION {
58 0 : bail!(TimelineError::UninitialinzedPgVersion(ttid));
59 7462 : }
60 7462 :
61 7462 : if state.commit_lsn < state.local_start_lsn {
62 0 : bail!(
63 0 : "commit_lsn {} is smaller than local_start_lsn {}",
64 0 : state.commit_lsn,
65 0 : state.local_start_lsn
66 0 : );
67 7462 : }
68 7462 :
69 7462 : let control_store = DiskStateStorage::new(disk.clone());
70 7462 : let wal_store = DiskWALStorage::new(disk.clone(), &control_store)?;
71 :
72 7462 : let sk = SafeKeeper::new(TimelineState::new(control_store), wal_store, conf.my_id)?;
73 7462 : timelines.insert(
74 7462 : ttid,
75 7462 : SharedState {
76 7462 : sk,
77 7462 : disk: disk.clone(),
78 7462 : },
79 7462 : );
80 : }
81 :
82 9930 : Ok(Self {
83 9930 : timelines,
84 9930 : conf,
85 9930 : disk,
86 9930 : })
87 9930 : }
88 :
89 1456 : fn create(&mut self, ttid: TenantTimelineId, server_info: ServerInfo) -> Result<()> {
90 1456 : if self.timelines.contains_key(&ttid) {
91 0 : bail!("timeline {} already exists", ttid);
92 1456 : }
93 1456 :
94 1456 : debug!("creating new timeline {}", ttid);
95 :
96 1456 : let commit_lsn = Lsn::INVALID;
97 1456 : let local_start_lsn = Lsn::INVALID;
98 :
99 1456 : let state =
100 1456 : TimelinePersistentState::new(&ttid, server_info, vec![], commit_lsn, local_start_lsn)?;
101 :
102 1456 : let disk_timeline = self.disk.put_state(&ttid, state);
103 1456 : let control_store = DiskStateStorage::new(disk_timeline.clone());
104 1456 : let wal_store = DiskWALStorage::new(disk_timeline.clone(), &control_store)?;
105 :
106 1456 : let sk = SafeKeeper::new(
107 1456 : TimelineState::new(control_store),
108 1456 : wal_store,
109 1456 : self.conf.my_id,
110 1456 : )?;
111 :
112 1456 : self.timelines.insert(
113 1456 : ttid,
114 1456 : SharedState {
115 1456 : sk,
116 1456 : disk: disk_timeline,
117 1456 : },
118 1456 : );
119 1456 : Ok(())
120 1456 : }
121 :
122 28215 : fn get(&mut self, ttid: &TenantTimelineId) -> &mut SharedState {
123 28215 : self.timelines.get_mut(ttid).expect("timeline must exist")
124 28215 : }
125 :
126 19721 : fn has_tli(&self, ttid: &TenantTimelineId) -> bool {
127 19721 : self.timelines.contains_key(ttid)
128 19721 : }
129 : }
130 :
131 : /// State of a single connection to walproposer.
132 : struct ConnState {
133 : tcp: TCP,
134 :
135 : greeting: bool,
136 : ttid: TenantTimelineId,
137 : flush_pending: bool,
138 :
139 : runtime: tokio::runtime::Runtime,
140 : }
141 :
142 9930 : pub fn run_server(os: NodeOs, disk: Arc<SafekeeperDisk>) -> Result<()> {
143 9930 : let _enter = info_span!("safekeeper", id = os.id()).entered();
144 9930 : debug!("started server");
145 9930 : os.log_event("started;safekeeper".to_owned());
146 9930 : let conf = SafeKeeperConf {
147 9930 : workdir: Utf8PathBuf::from("."),
148 9930 : my_id: NodeId(os.id() as u64),
149 9930 : listen_pg_addr: String::new(),
150 9930 : listen_http_addr: String::new(),
151 9930 : no_sync: false,
152 9930 : broker_endpoint: "/".parse::<Uri>().unwrap(),
153 9930 : broker_keepalive_interval: Duration::from_secs(0),
154 9930 : heartbeat_timeout: Duration::from_secs(0),
155 9930 : remote_storage: None,
156 9930 : max_offloader_lag_bytes: 0,
157 9930 : wal_backup_enabled: false,
158 9930 : listen_pg_addr_tenant_only: None,
159 9930 : advertise_pg_addr: None,
160 9930 : availability_zone: None,
161 9930 : peer_recovery_enabled: false,
162 9930 : backup_parallel_jobs: 0,
163 9930 : pg_auth: None,
164 9930 : pg_tenant_only_auth: None,
165 9930 : http_auth: None,
166 9930 : sk_auth_token: None,
167 9930 : current_thread_runtime: false,
168 9930 : walsenders_keep_horizon: false,
169 9930 : partial_backup_timeout: Duration::from_secs(0),
170 9930 : disable_periodic_broker_push: false,
171 9930 : enable_offload: false,
172 9930 : delete_offloaded_wal: false,
173 9930 : control_file_save_interval: Duration::from_secs(1),
174 9930 : partial_backup_concurrency: 1,
175 9930 : eviction_min_resident: Duration::ZERO,
176 9930 : };
177 :
178 9930 : let mut global = GlobalMap::new(disk, conf.clone())?;
179 9930 : let mut conns: HashMap<usize, ConnState> = HashMap::new();
180 :
181 9930 : for (&_ttid, shared_state) in global.timelines.iter_mut() {
182 7462 : let flush_lsn = shared_state.sk.wal_store.flush_lsn();
183 7462 : let commit_lsn = shared_state.sk.state.commit_lsn;
184 7462 : os.log_event(format!("tli_loaded;{};{}", flush_lsn.0, commit_lsn.0));
185 7462 : }
186 :
187 9930 : let node_events = os.node_events();
188 9930 : let mut epoll_vec: Vec<Box<dyn PollSome>> = vec![];
189 9930 : let mut epoll_idx: Vec<usize> = vec![];
190 :
191 : // TODO: batch events processing (multiple events per tick)
192 : loop {
193 75114 : epoll_vec.clear();
194 75114 : epoll_idx.clear();
195 75114 :
196 75114 : // node events channel
197 75114 : epoll_vec.push(Box::new(node_events.clone()));
198 75114 : epoll_idx.push(0);
199 :
200 : // tcp connections
201 258898 : for conn in conns.values() {
202 258898 : epoll_vec.push(Box::new(conn.tcp.recv_chan()));
203 258898 : epoll_idx.push(conn.tcp.connection_id());
204 258898 : }
205 :
206 : // waiting for the next message
207 75114 : let index = executor::epoll_chans(&epoll_vec, -1).unwrap();
208 75114 :
209 75114 : if index == 0 {
210 : // got a new connection
211 25438 : match node_events.must_recv() {
212 25438 : NodeEvent::Accept(tcp) => {
213 25438 : conns.insert(
214 25438 : tcp.connection_id(),
215 25438 : ConnState {
216 25438 : tcp,
217 25438 : greeting: false,
218 25438 : ttid: TenantTimelineId::empty(),
219 25438 : flush_pending: false,
220 25438 : runtime: tokio::runtime::Builder::new_current_thread().build()?,
221 : },
222 : );
223 : }
224 0 : NodeEvent::Internal(_) => unreachable!(),
225 : }
226 25438 : continue;
227 49676 : }
228 49676 :
229 49676 : let connection_id = epoll_idx[index];
230 49676 : let conn = conns.get_mut(&connection_id).unwrap();
231 49676 : let mut next_event = Some(conn.tcp.recv_chan().must_recv());
232 :
233 : loop {
234 89950 : let event = match next_event {
235 50443 : Some(event) => event,
236 39507 : None => break,
237 : };
238 :
239 50443 : match event {
240 35969 : NetEvent::Message(msg) => {
241 35969 : let res = conn.process_any(msg, &mut global);
242 35969 : if res.is_err() {
243 10169 : let e = res.unwrap_err();
244 10169 : let estr = e.to_string();
245 10169 : if !estr.contains("finished processing START_REPLICATION") {
246 9930 : warn!("conn {:?} error: {:?}", connection_id, e);
247 0 : panic!("unexpected error at safekeeper: {:#}", e);
248 239 : }
249 239 : conns.remove(&connection_id);
250 239 : break;
251 25800 : }
252 : }
253 14474 : NetEvent::Closed => {
254 14474 : // TODO: remove from conns?
255 14474 : }
256 : }
257 :
258 40274 : next_event = conn.tcp.recv_chan().try_recv();
259 : }
260 :
261 166571 : conns.retain(|_, conn| {
262 166571 : let res = conn.flush(&mut global);
263 166571 : if res.is_err() {
264 0 : debug!("conn {:?} error: {:?}", conn.tcp, res);
265 166571 : }
266 166571 : res.is_ok()
267 166571 : });
268 : }
269 0 : }
270 :
271 : impl ConnState {
272 : /// Process a message from the network. It can be START_REPLICATION request or a valid ProposerAcceptorMessage message.
273 26039 : fn process_any(&mut self, any: AnyMessage, global: &mut GlobalMap) -> Result<()> {
274 26039 : if let AnyMessage::Bytes(copy_data) = any {
275 26039 : let repl_prefix = b"START_REPLICATION ";
276 26039 : if !self.greeting && copy_data.starts_with(repl_prefix) {
277 239 : self.process_start_replication(copy_data.slice(repl_prefix.len()..), global)?;
278 239 : bail!("finished processing START_REPLICATION")
279 25800 : }
280 :
281 25800 : let msg = ProposerAcceptorMessage::parse(copy_data)?;
282 25800 : debug!("got msg: {:?}", msg);
283 25800 : self.process(msg, global)
284 : } else {
285 0 : bail!("unexpected message, expected AnyMessage::Bytes");
286 : }
287 26039 : }
288 :
289 : /// Process START_REPLICATION request.
290 239 : fn process_start_replication(
291 239 : &mut self,
292 239 : copy_data: Bytes,
293 239 : global: &mut GlobalMap,
294 239 : ) -> Result<()> {
295 : // format is "<tenant_id> <timeline_id> <start_lsn> <end_lsn>"
296 239 : let str = String::from_utf8(copy_data.to_vec())?;
297 :
298 239 : let mut parts = str.split(' ');
299 239 : let tenant_id = parts.next().unwrap().parse::<TenantId>()?;
300 239 : let timeline_id = parts.next().unwrap().parse::<TimelineId>()?;
301 239 : let start_lsn = parts.next().unwrap().parse::<u64>()?;
302 239 : let end_lsn = parts.next().unwrap().parse::<u64>()?;
303 :
304 239 : let ttid = TenantTimelineId::new(tenant_id, timeline_id);
305 239 : let shared_state = global.get(&ttid);
306 239 :
307 239 : // read bytes from start_lsn to end_lsn
308 239 : let mut buf = vec![0; (end_lsn - start_lsn) as usize];
309 239 : shared_state.disk.wal.lock().read(start_lsn, &mut buf);
310 239 :
311 239 : // send bytes to the client
312 239 : self.tcp.send(AnyMessage::Bytes(Bytes::from(buf)));
313 239 : Ok(())
314 239 : }
315 :
316 : /// Get or create a timeline.
317 19721 : fn init_timeline(
318 19721 : &mut self,
319 19721 : ttid: TenantTimelineId,
320 19721 : server_info: ServerInfo,
321 19721 : global: &mut GlobalMap,
322 19721 : ) -> Result<()> {
323 19721 : self.ttid = ttid;
324 19721 : if global.has_tli(&ttid) {
325 18265 : return Ok(());
326 1456 : }
327 1456 :
328 1456 : global.create(ttid, server_info)
329 19721 : }
330 :
331 : /// Process a ProposerAcceptorMessage.
332 25800 : fn process(&mut self, msg: ProposerAcceptorMessage, global: &mut GlobalMap) -> Result<()> {
333 25800 : if !self.greeting {
334 19721 : self.greeting = true;
335 19721 :
336 19721 : match msg {
337 19721 : ProposerAcceptorMessage::Greeting(ref greeting) => {
338 19721 : tracing::info!(
339 0 : "start handshake with walproposer {:?} {:?}",
340 : self.tcp,
341 : greeting
342 : );
343 19721 : let server_info = ServerInfo {
344 19721 : pg_version: greeting.pg_version,
345 19721 : system_id: greeting.system_id,
346 19721 : wal_seg_size: greeting.wal_seg_size,
347 19721 : };
348 19721 : let ttid = TenantTimelineId::new(greeting.tenant_id, greeting.timeline_id);
349 19721 : self.init_timeline(ttid, server_info, global)?
350 : }
351 : _ => {
352 0 : bail!("unexpected message {msg:?} instead of greeting");
353 : }
354 : }
355 6079 : }
356 :
357 25800 : let tli = global.get(&self.ttid);
358 25800 :
359 25800 : match msg {
360 2616 : ProposerAcceptorMessage::AppendRequest(append_request) => {
361 2616 : self.flush_pending = true;
362 2616 : self.process_sk_msg(
363 2616 : tli,
364 2616 : &ProposerAcceptorMessage::NoFlushAppendRequest(append_request),
365 2616 : )?;
366 : }
367 23184 : other => {
368 23184 : self.process_sk_msg(tli, &other)?;
369 : }
370 : }
371 :
372 25800 : Ok(())
373 25800 : }
374 :
375 : /// Process FlushWAL if needed.
376 166571 : fn flush(&mut self, global: &mut GlobalMap) -> Result<()> {
377 166571 : // TODO: try to add extra flushes in simulation, to verify that extra flushes don't break anything
378 166571 : if !self.flush_pending {
379 164395 : return Ok(());
380 2176 : }
381 2176 : self.flush_pending = false;
382 2176 : let shared_state = global.get(&self.ttid);
383 2176 : self.process_sk_msg(shared_state, &ProposerAcceptorMessage::FlushWAL)
384 166571 : }
385 :
386 : /// Make safekeeper process a message and send a reply to the TCP
387 27976 : fn process_sk_msg(
388 27976 : &mut self,
389 27976 : shared_state: &mut SharedState,
390 27976 : msg: &ProposerAcceptorMessage,
391 27976 : ) -> Result<()> {
392 27976 : let mut reply = self.runtime.block_on(shared_state.sk.process_msg(msg))?;
393 27976 : if let Some(reply) = &mut reply {
394 : // TODO: if this is AppendResponse, fill in proper hot standby feedback and disk consistent lsn
395 :
396 24736 : let mut buf = BytesMut::with_capacity(128);
397 24736 : reply.serialize(&mut buf)?;
398 :
399 24736 : self.tcp.send(AnyMessage::Bytes(buf.into()));
400 3240 : }
401 27976 : Ok(())
402 27976 : }
403 : }
404 :
405 : impl Drop for ConnState {
406 25410 : fn drop(&mut self) {
407 25410 : debug!("dropping conn: {:?}", self.tcp);
408 25410 : if !std::thread::panicking() {
409 239 : self.tcp.close();
410 25171 : }
411 : // TODO: clean up non-fsynced WAL
412 25410 : }
413 : }
|