use alloc::vec::Vec;
use core::cell::RefCell;
use serde::{Deserialize, Serialize};
use crate::{
corpus::{Corpus, Testcase},
inputs::Input,
Error,
};
#[derive(Default, Serialize, Deserialize, Clone, Debug)]
#[serde(bound = "I: serde::de::DeserializeOwned")]
pub struct InMemoryCorpus<I>
where
I: Input,
{
entries: Vec<RefCell<Testcase<I>>>,
current: Option<usize>,
}
impl<I> Corpus<I> for InMemoryCorpus<I>
where
I: Input,
{
#[inline]
fn count(&self) -> usize {
self.entries.len()
}
#[inline]
fn add(&mut self, testcase: Testcase<I>) -> Result<usize, Error> {
self.entries.push(RefCell::new(testcase));
Ok(self.entries.len() - 1)
}
#[inline]
fn replace(&mut self, idx: usize, testcase: Testcase<I>) -> Result<Testcase<I>, Error> {
if idx >= self.entries.len() {
return Err(Error::key_not_found(format!("Index {idx} out of bounds")));
}
Ok(self.entries[idx].replace(testcase))
}
#[inline]
fn remove(&mut self, idx: usize) -> Result<Option<Testcase<I>>, Error> {
if idx >= self.entries.len() {
Ok(None)
} else {
Ok(Some(self.entries.remove(idx).into_inner()))
}
}
#[inline]
fn get(&self, idx: usize) -> Result<&RefCell<Testcase<I>>, Error> {
Ok(&self.entries[idx])
}
#[inline]
fn current(&self) -> &Option<usize> {
&self.current
}
#[inline]
fn current_mut(&mut self) -> &mut Option<usize> {
&mut self.current
}
}
impl<I> InMemoryCorpus<I>
where
I: Input,
{
#[must_use]
pub fn new() -> Self {
Self {
entries: vec![],
current: None,
}
}
}
#[cfg(feature = "python")]
pub mod pybind {
use pyo3::prelude::*;
use serde::{Deserialize, Serialize};
use crate::{
corpus::{pybind::PythonCorpus, InMemoryCorpus},
inputs::BytesInput,
};
#[pyclass(unsendable, name = "InMemoryCorpus")]
#[derive(Serialize, Deserialize, Debug, Clone)]
pub struct PythonInMemoryCorpus {
pub inner: InMemoryCorpus<BytesInput>,
}
#[pymethods]
impl PythonInMemoryCorpus {
#[new]
fn new() -> Self {
Self {
inner: InMemoryCorpus::new(),
}
}
fn as_corpus(slf: Py<Self>) -> PythonCorpus {
PythonCorpus::new_in_memory(slf)
}
}
pub fn register(_py: Python, m: &PyModule) -> PyResult<()> {
m.add_class::<PythonInMemoryCorpus>()?;
Ok(())
}
}