aranya_runtime/sync/requester.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
use alloc::vec;
use aranya_buggy::BugExt;
use aranya_crypto::Csprng;
use heapless::Vec;
use serde::{Deserialize, Serialize};
use super::{
responder::SyncResponseMessage, PeerCache, SyncCommand, SyncError, COMMAND_RESPONSE_MAX,
COMMAND_SAMPLE_MAX, PEER_HEAD_MAX, REQUEST_MISSING_MAX,
};
use crate::{
storage::{Segment, Storage, StorageError, StorageProvider},
Address, Command, GraphId, Location,
};
// TODO: Use compile-time args. This initial definition results in this clippy warning:
// https://rust-lang.github.io/rust-clippy/master/index.html#large_enum_variant.
// As the buffer consts will be compile-time variables in the future, we will be
// able to tune these buffers for smaller footprints. Right now, this enum is not
// suitable for small devices (`SyncRequest` is 6512 bytes).
/// Messages sent from the requester to the responder.
#[derive(Serialize, Deserialize, Debug)]
#[allow(clippy::large_enum_variant)]
pub enum SyncRequestMessage {
/// Initiate a new Sync
SyncRequest {
/// A new random value produced by a cryptographically secure RNG.
session_id: u128,
/// Specifies the graph to be synced.
storage_id: GraphId,
/// Specifies the maximum number of bytes worth of commands that
/// the requester wishes to receive.
max_bytes: u64,
/// Sample of the commands held by the requester. The responder should
/// respond with any commands that the requester may not have based on
/// the provided sample. When sending commands ancestors must be sent
/// before descendents.
commands: Vec<Address, COMMAND_SAMPLE_MAX>,
},
/// Sent by the requester if it deduces a `SyncResponse` message has been
/// dropped.
RequestMissing {
/// A random-value produced by a cryptographically secure RNG
/// corresponding to the `session_id` in the initial `SyncRequest`.
session_id: u128,
/// `SyncResponse` indexes that the requester has not received.
indexes: Vec<u64, REQUEST_MISSING_MAX>,
},
/// Message to request the responder resumes sending `SyncResponse`s
/// following the specified message. This may be sent after a requester
/// timeout or after a `SyncEnd` has been sent.
SyncResume {
/// A random-value produced by a cryptographically secure RNG
/// corresponding to the `session_id` in the initial `SyncRequest`.
session_id: u128,
/// Indicates the last response message the requester received.
response_index: u64,
/// Updates the maximum number of bytes worth of commands that
/// the requester wishes to receive.
max_bytes: u64,
},
/// Message sent by either requester or responder to indicate the session
/// has been terminated or the `session_id` is no longer valid.
EndSession { session_id: u128 },
}
impl SyncRequestMessage {
pub fn session_id(&self) -> u128 {
match self {
Self::SyncRequest { session_id, .. } => *session_id,
Self::RequestMissing { session_id, .. } => *session_id,
Self::SyncResume { session_id, .. } => *session_id,
Self::EndSession { session_id, .. } => *session_id,
}
}
}
#[derive(Clone, Debug, PartialEq, Eq)]
pub enum SyncRequesterState {
New,
Start,
Waiting,
Idle,
Closed,
Resync,
PartialSync,
Reset,
}
// The length of the Out Of Order buffer
const OOO_LEN: usize = 4;
pub struct SyncRequester<'a> {
session_id: u128,
storage_id: GraphId,
state: SyncRequesterState,
max_bytes: u64,
next_index: u64,
#[allow(unused)] // TODO(jdygert): Figure out what this is for...
ooo_buffer: [Option<&'a [u8]>; OOO_LEN],
}
impl SyncRequester<'_> {
/// Create a new [`SyncRequester`] with a random session ID.
pub fn new<R: Csprng>(storage_id: GraphId, rng: &mut R) -> Self {
// Randomly generate session id.
let mut dst = [0u8; 16];
rng.fill_bytes(&mut dst);
let session_id = u128::from_le_bytes(dst);
SyncRequester {
session_id,
storage_id,
state: SyncRequesterState::New,
max_bytes: 0,
next_index: 0,
ooo_buffer: core::array::from_fn(|_| None),
}
}
/// Returns true if [`Self::poll`] would produce a message.
pub fn ready(&self) -> bool {
use SyncRequesterState as S;
match self.state {
S::New | S::Resync | S::Reset => true,
S::Start | S::Waiting | S::Idle | S::Closed | S::PartialSync => false,
}
}
/// Write a sync message in to the target buffer. Returns the number
/// of bytes written and the number of commands sent in the sample.
pub fn poll(
&mut self,
target: &mut [u8],
provider: &mut impl StorageProvider,
heads: &mut PeerCache,
) -> Result<(usize, usize), SyncError> {
use SyncRequesterState as S;
let result = match self.state {
S::Start | S::Waiting | S::Idle | S::Closed | S::PartialSync => {
return Err(SyncError::NotReady)
}
S::New => {
self.state = S::Start;
self.start(self.max_bytes, target, provider, heads)?
}
S::Resync => self.resume(self.max_bytes, target)?,
S::Reset => {
self.state = S::Closed;
self.end_session(target)?
}
};
Ok(result)
}
/// Receive a sync message. Returns parsed sync commands.
pub fn receive<'a>(
&mut self,
data: &'a [u8],
) -> Result<Option<Vec<SyncCommand<'a>, COMMAND_RESPONSE_MAX>>, SyncError> {
let (message, remaining): (SyncResponseMessage, &'a [u8]) =
postcard::take_from_bytes(data)?;
if message.session_id() != self.session_id {
return Err(SyncError::SessionMismatch);
}
let result = match message {
SyncResponseMessage::SyncResponse {
index, commands, ..
} => {
if !matches!(
self.state,
SyncRequesterState::Start | SyncRequesterState::Waiting
) {
return Err(SyncError::SessionState);
}
if index != self.next_index {
self.state = SyncRequesterState::Resync;
return Err(SyncError::MissingSyncResponse);
}
self.next_index = self
.next_index
.checked_add(1)
.assume("next_index + 1 mustn't overflow")?;
self.state = SyncRequesterState::Waiting;
let mut result = Vec::new();
let mut start: usize = 0;
for meta in commands {
let policy_len = meta.policy_length as usize;
let policy = match policy_len == 0 {
true => None,
false => {
let end = start
.checked_add(policy_len)
.assume("start + policy_len mustn't overflow")?;
let policy = &remaining[start..end];
start = end;
Some(policy)
}
};
let len = meta.length as usize;
let end = start
.checked_add(len)
.assume("start + len mustn't overflow")?;
let payload = &remaining[start..end];
start = end;
let command = SyncCommand {
id: meta.id,
priority: meta.priority,
parent: meta.parent,
policy,
data: payload,
max_cut: meta.max_cut,
};
result
.push(command)
.ok()
.assume("commands is not larger than result")?;
}
Some(result)
}
SyncResponseMessage::SyncEnd { max_index, .. } => {
if !matches!(
self.state,
SyncRequesterState::Start | SyncRequesterState::Waiting
) {
return Err(SyncError::SessionState);
}
if max_index
!= self
.next_index
.checked_sub(1)
.assume("next_index must be positive")?
{
self.state = SyncRequesterState::Resync;
return Err(SyncError::MissingSyncResponse);
}
self.state = SyncRequesterState::PartialSync;
None
}
SyncResponseMessage::Offer { .. } => {
if self.state != SyncRequesterState::Idle {
return Err(SyncError::SessionState);
}
self.state = SyncRequesterState::Resync;
None
}
SyncResponseMessage::EndSession { .. } => {
self.state = SyncRequesterState::Closed;
None
}
};
Ok(result)
}
fn write(target: &mut [u8], msg: SyncRequestMessage) -> Result<usize, SyncError> {
Ok(postcard::to_slice(&msg, target)?.len())
}
fn end_session(&mut self, target: &mut [u8]) -> Result<(usize, usize), SyncError> {
Ok((
Self::write(
target,
SyncRequestMessage::EndSession {
session_id: self.session_id,
},
)?,
0,
))
}
fn resume(&mut self, max_bytes: u64, target: &mut [u8]) -> Result<(usize, usize), SyncError> {
if !matches!(
self.state,
SyncRequesterState::Resync | SyncRequesterState::Idle
) {
return Err(SyncError::SessionState);
}
self.state = SyncRequesterState::Waiting;
let message = SyncRequestMessage::SyncResume {
session_id: self.session_id,
response_index: self
.next_index
.checked_sub(1)
.assume("next_index must be positive")?,
max_bytes,
};
Ok((Self::write(target, message)?, 0))
}
fn start(
&mut self,
max_bytes: u64,
target: &mut [u8],
provider: &mut impl StorageProvider,
heads: &mut PeerCache,
) -> Result<(usize, usize), SyncError> {
if !matches!(
self.state,
SyncRequesterState::Start | SyncRequesterState::New
) {
self.state = SyncRequesterState::Reset;
return Err(SyncError::SessionState);
}
self.state = SyncRequesterState::Start;
self.max_bytes = max_bytes;
let mut commands: Vec<Address, COMMAND_SAMPLE_MAX> = Vec::new();
match provider.get_storage(self.storage_id) {
Err(StorageError::NoSuchStorage) => (),
Err(err) => {
return Err(SyncError::Storage(err));
}
Ok(storage) => {
let mut command_locations: Vec<Location, PEER_HEAD_MAX> = Vec::new();
for address in heads.heads() {
command_locations
.push(
storage
.get_location(*address)?
.assume("location must exist")?,
)
.ok()
.assume("command locations should not be full")?;
if commands.len() < COMMAND_SAMPLE_MAX {
commands
.push(*address)
.map_err(|_| SyncError::CommandOverflow)?;
}
}
let head = storage.get_head()?;
let mut current = vec![head];
// Here we just get the first command from the most reaseant
// COMMAND_SAMPLE_MAX segments in the graph. This is probbly
// not the best strategy as if you are far enough ahead of
// the other client they will just send you everything they have.
while commands.len() < COMMAND_SAMPLE_MAX && !current.is_empty() {
let mut next = vec::Vec::new(); //BUG not constant memory
'current: for &location in ¤t {
let segment = storage.get_segment(location)?;
let head = segment.head()?;
let head_address = head.address()?;
for loc in &command_locations {
if loc.segment == location.segment {
continue 'current;
}
}
commands
.push(head_address)
.map_err(|_| SyncError::CommandOverflow)?;
next.extend(segment.prior());
if commands.len() >= COMMAND_SAMPLE_MAX {
break 'current;
}
}
current = next.to_vec();
}
}
}
let sent = commands.len();
let message = SyncRequestMessage::SyncRequest {
session_id: self.session_id,
storage_id: self.storage_id,
max_bytes,
commands,
};
Ok((Self::write(target, message)?, sent))
}
}