use mixnet::reply_manager::ReplyContext;
use std::{cmp::Ordering, collections::BinaryHeap, time::Instant};
struct DelayedExtrinsic<E> {
deadline: Instant,
extrinsic: E,
reply_context: ReplyContext,
}
impl<E> PartialEq for DelayedExtrinsic<E> {
fn eq(&self, other: &Self) -> bool {
self.deadline == other.deadline
}
}
impl<E> Eq for DelayedExtrinsic<E> {}
impl<E> PartialOrd for DelayedExtrinsic<E> {
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
Some(self.cmp(other))
}
}
impl<E> Ord for DelayedExtrinsic<E> {
fn cmp(&self, other: &Self) -> Ordering {
self.deadline.cmp(&other.deadline).reverse()
}
}
pub struct ExtrinsicQueue<E> {
capacity: usize,
queue: BinaryHeap<DelayedExtrinsic<E>>,
next_deadline_changed: bool,
}
impl<E> ExtrinsicQueue<E> {
pub fn new(capacity: usize) -> Self {
Self { capacity, queue: BinaryHeap::with_capacity(capacity), next_deadline_changed: false }
}
pub fn next_deadline(&self) -> Option<Instant> {
self.queue.peek().map(|extrinsic| extrinsic.deadline)
}
pub fn next_deadline_changed(&mut self) -> bool {
let changed = self.next_deadline_changed;
self.next_deadline_changed = false;
changed
}
pub fn has_space(&self) -> bool {
self.queue.len() < self.capacity
}
pub fn insert(&mut self, deadline: Instant, extrinsic: E, reply_context: ReplyContext) {
debug_assert!(self.has_space());
let prev_deadline = self.next_deadline();
self.queue.push(DelayedExtrinsic { deadline, extrinsic, reply_context });
if self.next_deadline() != prev_deadline {
self.next_deadline_changed = true;
}
}
pub fn pop(&mut self) -> Option<(E, ReplyContext)> {
self.next_deadline_changed = true;
self.queue.pop().map(|extrinsic| (extrinsic.extrinsic, extrinsic.reply_context))
}
}