Yet another aptly-named Hidden-Markov Model library for Rust.
generic_const_exprs
. For now, usage of this crate is limited to use with the nightly
Rust channel.sh
cargo add hmmmm --features derive
To create a Hmm
, we first need two enums corresponding to the
states and observations of the hidden Markov model. This can be done
by using the #[derive(State)]
and #[derive(Observation)]
proc macros in the hmmmm_derive
crate:
```rust
enum Condition { Healthy, }
enum Feeling { Normal, Cold, Dizzy, } ```
Note that the attribute repr(u8)
is required for both enums
definitions, as we need to have the enums be: a) as small as
possible for efficient computation and b) easily cast between
itself and u8
/ usize
. The derive macros will throw a compilation
error if this attribute is not present on the enum.
A Hmm
requires 3 different probability matrices:
[f64; N]
[[f64; N]; N]
[[f64; M]; N]
...where N
is the number of possible states and O
is the
number of possible observations.
These can be:
rust
let pr_initial: [f64; 2] = [0.6, 0.4]; // [Healthy, Fever]
- Declared via the methods in hmmmm::utils
, e.g.:
rust
let pr_initial: [f64; 2] = pr_i(|cond| match cond {
Condition::Healthy => 0.6,
Condition::Fever => 0.4,
});
Now that we have our states, observations, and corresponding
probability matrices we can construct our Hmm
:
```rust let prinitial: [f64; 2] = [0.6, 0.4]; let prtransition: [[f64; 2]; 2] = [ [0.7, 0.3], [0.4, 0.6] ]; let pr_emission: [[f64; 3]; 2] = [ [0.5, 0.4, 0.1], [0.1, 0.3, 0.6] ]
let hmm = Hmm::
The Viterbi algorithm obtains the maximum a posteriori estimate (MAP) of the most likely sequence of hidden states given an input sequence of observations.
Input: the sequence of observations - &Vec<O>
Output: a tuple containing the log (base 2) probability of the MAP hidden state sequence and the corresponding hidden state sequence - (f64, Vec<S>)
Example:
``rust
/* Using the HMM
hmm` from the previous section */
let signal = vec![Feeling::Normal, Feeling::Cold, Feeling::Dizzy];
let (pr, sequence) = hmm.map_estimate::
/*
pr = −6.04739805022 sequence = [Condition::Healthy, Condition::Healthy, Condition::Fever]
*/ ```