Cycle detection by array reference

57 Views Asked by At

I have been searching for tree cycle detection and came by this PHP code:

/**
 * Takes an adjacency list: an array of parent/child relationships
 * array(array(1,2));
 */
function check_for_cycles($relationships) {
    $roots = array();
    foreach ($relationships as $row) {
    $parent = $row[0];
    $child = $row[1];

    /* this is the meat of the algorithm and makes
     * use of references to  put children into sets.
     * You could draw an analogy to disjoint set
     * forests here, but thanks to the magic of
     * references the hierarchy collapses much
     * more quickly
     */
    if (isset($roots[$parent])) {
        $roots[$child] =& $roots[$parent];
    } else {
        if (isset($roots[$child])) {
        $roots[$child] = $parent;
        $roots[$parent] =& $roots[$child];
        } else {
        $roots[$parent] = $parent;
        $roots[$child] =& $roots[$parent];
        }
    }
    if ($roots[$parent] == $child) {
        return array($parent, $child);
    }
    }
    return false;
}
/**
 * Test code
 */
$lists = array('1:2,2:3,3:4',
           '1:2,2:3,3:1',
           '1:2,2:3,4:1,3:4',
           '1:2,2:1');
foreach ($lists as $list) {
    $relationships = array();
    foreach (explode(',', $list) as $pair) {
    $relationships[] = explode(':', $pair);
    }
    if (check_for_cycles($relationships)) {
    echo "Found cycle in $list\n";
    }
}

Credits: https://gist.github.com/jmullan/450465/77bdaa2a57e73ecee8ca6d9449aad3f74b379ca5

This perfectly detects linear cycles in tree-like data structures, but I cannot manage to understand what algorithm it uses or how the code (array references) works.

Would anyone help by explaining or pointing out what algorithm it is?

Thanks.

0

There are 0 best solutions below