cgc is generational copying garbage collector.
This branch implements signle-threaded version that does not have anything to deal with concurrency and synchronization.
cgc uses semispace garbage collection to keep GC simple and generations to improve GC latency.
cgc supports logging. To alloc printing trace add feature trace-gc
to features and to pring GC timings
add trace-gc-timings
feature.
Advantages of broom
:
- Less dependencies (depends only on one crate hashbrown
).
- Very small & simple implementation.
Disadvantages of broom
:
- Mark'n Sweep algorithm. Mark&sweep may be really slow on huge heaps.
- No memory defragmentation and generations. Without memory defragmentation it is really slow to allocate memory when heap is fragmented
and without generations collections may be really slow since GC will collect entire heap.
- No concurrent garbage collection support.
Advantages of gc
:
- No dependencies
- Easy to make GC object,just use #[derive(Trace)]
.
Disadvantages of gc
:
gc
crate has the same disadvantages as broom
crate, it uses mark'n sweep and does not have any memory defragmentation.
cgc is simple to use all you have to do is implement Traceable
and Finalizer
for your type and you now have GC object!
```rust
extern crate cgcsinglethreaded as cgc;
use cgc::api::*;
// Simple linked list.
struct Foo(Option
impl Traceable for Foo { fn tracewith(&self, tracer: &mut Tracer) { self.0.tracewith(tracer); } }
impl Finalizer for Foo { fn finalize(&mut self) { println!("GCed"); } }
fn main() { let mut heap = cgc::heap::Heap::new(1024, 2048); // 1kb new space,2kb old space. { let value = heap.allocate(Foo(None)); let value2 = heap.allocate(Foo(Some(value.to_heap()))); println!("{:?}", value2); } heap.collect(); // value and value2 is GCed.
} ```