Search code examples
ocamlcyclic

checking whether mutable list has cycle in ocaml?


I'm trying to write a function to test whether a mutable list in Ocaml contains a cycle or not (that is, has a reference to itself and repeats continuously.

My list is defined as type 'a m_list = Nil | Cons of 'a * (('a m_list) ref).

So far, I have:

let is_cyclic list =
  let rec check xs = 
    match (!xs) with
     |Nil -> false
     |Cons(_,v) -> ((!v)==list)||check v in
  match list with
   |Nil -> false
   |Cons(_, x) -> check x ;;

but it's not quite right and I'm unsure how to proceed from here...thanks for any help!


Solution

  • There is a cycle in the list as soon as two Cons cells (found at different depths in the list) are the same. Your example code only checks if the first Cons cell appears again down in the list. One way to check for cycles is to remember all the Cons cells you have visited going down the list, and to compare each new cell to all the previous ones.

    I'm not going to write the entire function, but it may look like this:

    let rec is_cyclic list already_visited =
      match list with
        Nil -> false
      | Cons(h, { contents = t }) -> 
        if List.memq list already_visited
        then (* list was traversed before *)
          ...
        else
          ...