Created
          August 4, 2014 11:43 
        
      - 
      
- 
        Save blahah/f30517b50b1cb693bed0 to your computer and use it in GitHub Desktop. 
    Markov chain generator in Julia
  
        
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
  | # Type representing a Markov chain generator. | |
| # It stores an array of the possible states in the chain, | |
| # and a transition matrix defining the probabilities | |
| # of moving from one state to another. | |
| type MarkovGenerator | |
| states::Array{Int} | |
| transmat::Array{Float64} | |
| end | |
| # Given the current state, get the next state of a Markov chain | |
| function next(generator::MarkovGenerator, state::Int64) | |
| col = findfirst(generator.states, state) | |
| probs = generator.transmat[:,col] | |
| cumprob = 0.0 | |
| stop = rand() | |
| current = 0 | |
| for prob in probs | |
| current += 1 | |
| limit = cumprob + prob | |
| if stop <= limit | |
| return generator.states[current] | |
| end | |
| cumprob = limit | |
| end | |
| return generator.states[current] | |
| end | |
| # Generate a sequence of states of length `len` using the | |
| # MarkovGenerator. | |
| function generate(generator::MarkovGenerator, len::Int64) | |
| state::Int64 = ceil(rand() * length(generator.states)) | |
| chain::Array{Int64} = zeros(Int64, len) | |
| for i in 1:len | |
| nextstate = next(generator, state) | |
| chain[i] = nextstate | |
| state = nextstate | |
| end | |
| return chain | |
| end | |
| # demo of use | |
| states = [1, 2, 3] | |
| transitions = [ | |
| 0.4 0.2 0.5; | |
| 0.6 0.3 0.5; | |
| 0.0 0.2 0.0 | |
| ] | |
| m = MarkovGenerator(states, transitions) | |
| chain = generate(m, 20) | 
  
    Sign up for free
    to join this conversation on GitHub.
    Already have an account?
    Sign in to comment