Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

DO NOT MERGE: simplistic edge buffering example #555

Draft
wants to merge 7 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -58,3 +58,6 @@ rustdoc-args = ["--cfg", "doc_cfg"]
# Not run during tests
[[example]]
name = "tree_traversals"

[[example]]
name = "haploid_wright_fisher_simple_edge_buffer"
198 changes: 198 additions & 0 deletions examples/haploid_wright_fisher_simple_edge_buffer.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,198 @@
// This is a rust implementation of the example
// found in tskit-c

use std::collections::HashMap;

use anyhow::Result;
use clap::Parser;
#[cfg(test)]
use rand::distributions::Distribution;
use rand::prelude::*;
use rand::SeedableRng;

#[derive(Debug)]
struct Edge {
left: tskit::Position,
right: tskit::Position,
child: tskit::NodeId,
previous: Option<usize>,
}

#[derive(Default)]
struct EdgeBuffer {
parent: Vec<tskit::NodeId>,
last: HashMap<tskit::NodeId, usize>,
edges: Vec<Edge>,
}

impl EdgeBuffer {
fn buffer_edge(
&mut self,
left: tskit::Position,
right: tskit::Position,
parent: tskit::NodeId,
child: tskit::NodeId,
) {
let mut previous = None;
if let Some(last) = self.last.get_mut(&parent) {
previous = Some(*last);
*last = self.edges.len();
} else {
self.last.insert(parent, self.edges.len());
self.parent.push(parent);
}
self.edges.push(Edge {
left,
right,
child,
previous,
});
}

fn clear(&mut self) {
self.parent.clear();
self.last.clear();
self.edges.clear();
}
}

fn liftover_buffered_edges(
bookmark: &tskit::types::Bookmark,
buffer: &mut EdgeBuffer,
tables: &mut tskit::TableCollection,
) -> Result<()> {
for &parent in buffer.parent.iter().rev() {
let mut last = buffer.last.get(&parent).cloned();
while let Some(previous) = last {
let edge = &buffer.edges[previous];
tables.add_edge(edge.left, edge.right, parent, edge.child)?;
last = edge.previous;
}
}
buffer.clear();
rotate_edges(bookmark, tables);
Ok(())
}

fn rotate_edges(bookmark: &tskit::types::Bookmark, tables: &mut tskit::TableCollection) {
let num_edges = tables.edges().num_rows().as_usize();
let left =
unsafe { std::slice::from_raw_parts_mut((*tables.as_mut_ptr()).edges.left, num_edges) };
let right =
unsafe { std::slice::from_raw_parts_mut((*tables.as_mut_ptr()).edges.right, num_edges) };
let parent =
unsafe { std::slice::from_raw_parts_mut((*tables.as_mut_ptr()).edges.parent, num_edges) };
let child =
unsafe { std::slice::from_raw_parts_mut((*tables.as_mut_ptr()).edges.child, num_edges) };
let mid = bookmark.edges().as_usize();
left.rotate_left(mid);
right.rotate_left(mid);
parent.rotate_left(mid);
child.rotate_left(mid);
}

// ANCHOR: haploid_wright_fisher
fn simulate(
seed: u64,
popsize: usize,
num_generations: i32,
simplify_interval: i32,
) -> Result<tskit::TreeSequence> {
if popsize == 0 {
return Err(anyhow::Error::msg("popsize must be > 0"));
}
if num_generations == 0 {
return Err(anyhow::Error::msg("num_generations must be > 0"));
}
if simplify_interval == 0 {
return Err(anyhow::Error::msg("simplify_interval must be > 0"));
}
let mut tables = tskit::TableCollection::new(1.0)?;

// create parental nodes
let mut parents_and_children = {
let mut temp = vec![];
let parental_time = f64::from(num_generations);
for _ in 0..popsize {
let node = tables.add_node(0, parental_time, -1, -1)?;
temp.push(node);
}
temp
};

// allocate space for offspring nodes
parents_and_children.resize(2 * parents_and_children.len(), tskit::NodeId::NULL);

// Construct non-overlapping mutable slices into our vector.
let (mut parents, mut children) = parents_and_children.split_at_mut(popsize);

let parent_picker = rand::distributions::Uniform::new(0, popsize);
let breakpoint_generator = rand::distributions::Uniform::new(0.0, 1.0);
let mut rng = rand::rngs::StdRng::seed_from_u64(seed);
let mut bookmark = tskit::types::Bookmark::default();

let mut buffer = EdgeBuffer::default();
for birth_time in (0..num_generations).rev() {
for c in children.iter_mut() {
let bt = f64::from(birth_time);
let child = tables.add_node(0, bt, -1, -1)?;
let left_parent = parents
.get(parent_picker.sample(&mut rng))
.ok_or_else(|| anyhow::Error::msg("invalid left_parent index"))?;
let right_parent = parents
.get(parent_picker.sample(&mut rng))
.ok_or_else(|| anyhow::Error::msg("invalid right_parent index"))?;
let breakpoint = breakpoint_generator.sample(&mut rng);
buffer.buffer_edge(0_f64.into(), breakpoint.into(), *left_parent, child);
buffer.buffer_edge(breakpoint.into(), 1_f64.into(), *right_parent, child);
*c = child;
}

if birth_time % simplify_interval == 0 {
liftover_buffered_edges(&bookmark, &mut buffer, &mut tables)?;
if let Some(idmap) =
tables.simplify(children, tskit::SimplificationOptions::default(), true)?
{
// remap child nodes
for o in children.iter_mut() {
*o = idmap[usize::try_from(*o)?];
}
}
bookmark.set_edges(tables.edges().num_rows());
}
std::mem::swap(&mut parents, &mut children);
}

tables.build_index()?;
let treeseq = tables.tree_sequence(tskit::TreeSequenceFlags::default())?;

Ok(treeseq)
}
// ANCHOR_END: haploid_wright_fisher

#[derive(Clone, clap::Parser)]
struct SimParams {
seed: u64,
popsize: usize,
num_generations: i32,
simplify_interval: i32,
treefile: Option<String>,
#[clap(short, long, help = "Use bookmark to avoid sorting entire edge table.")]
bookmark: bool,
}

fn main() -> Result<()> {
let params = SimParams::parse();
let treeseq = simulate(
params.seed,
params.popsize,
params.num_generations,
params.simplify_interval,
)?;

if let Some(treefile) = &params.treefile {
treeseq.dump(treefile, 0)?;
}

Ok(())
}
2 changes: 1 addition & 1 deletion subprojects/tskit/tskit/tables.c
Original file line number Diff line number Diff line change
Expand Up @@ -9609,7 +9609,7 @@ simplifier_init(simplifier_t *self, const tsk_id_t *samples, tsk_size_t num_samp
* tests to ensure we're doing sensible things with duplicate sites.
* (Particularly, re TSK_SIMPLIFY_REDUCE_TO_SITE_TOPOLOGY.) */
ret_id = tsk_table_collection_check_integrity(tables,
TSK_CHECK_EDGE_ORDERING | TSK_CHECK_SITE_ORDERING | TSK_CHECK_SITE_DUPLICATES);
TSK_CHECK_SITE_ORDERING | TSK_CHECK_SITE_DUPLICATES);
if (ret_id != 0) {
ret = (int) ret_id;
goto out;
Expand Down
Loading