rust/src/libsyntax/util/interner.rs

47 lines
1.5 KiB
Rust
Raw Normal View History

// An "interner" is a data structure that associates values with uint tags and
// allows bidirectional lookup; i.e. given a value, one can easily find the
// type, and vice versa.
import std::map;
2011-09-12 18:13:28 -05:00
import std::map::{hashmap, hashfn, eqfn};
2012-05-15 15:40:01 -05:00
import dvec::{dvec, extensions};
2012-07-17 13:22:11 -05:00
type hash_interner<T: const> =
{map: hashmap<T, uint>,
2012-05-15 15:40:01 -05:00
vect: dvec<T>,
hasher: hashfn<T>,
eqer: eqfn<T>};
2012-05-31 12:26:05 -05:00
fn mk<T: const copy>(hasher: hashfn<T>, eqer: eqfn<T>) -> interner<T> {
let m = map::hashmap::<T, uint>(hasher, eqer);
2012-07-17 13:22:11 -05:00
let hi: hash_interner<T> =
{map: m, vect: dvec(), hasher: hasher, eqer: eqer};
ret hi as interner::<T>;
}
2011-08-04 12:46:10 -05:00
2012-07-17 13:22:11 -05:00
/* when traits can extend traits, we should extend index<uint,T> to get [] */
iface interner<T: const copy> {
fn intern(T) -> uint;
pure fn get(uint) -> T;
fn len() -> uint;
}
2011-08-04 12:46:10 -05:00
2012-07-17 13:22:11 -05:00
impl <T: const copy> of interner<T> for hash_interner<T> {
fn intern(val: T) -> uint {
alt self.map.find(val) {
some(idx) { ret idx; }
none {
let new_idx = self.vect.len();
self.map.insert(val, new_idx);
self.vect.push(val);
ret new_idx;
}
}
}
2011-08-04 12:46:10 -05:00
2012-07-17 13:22:11 -05:00
// this isn't "pure" in the traditional sense, because it can go from
// failing to returning a value as items are interned. But for typestate,
// where we first check a pred and then rely on it, ceasing to fail is ok.
pure fn get(idx: uint) -> T { self.vect.get_elt(idx) }
2012-07-17 13:22:11 -05:00
fn len() -> uint { ret self.vect.len(); }
}