]> scripts.mit.edu Git - autoinstalls/mediawiki.git/blob - includes/api/ApiFormatYaml_spyc.php
MediaWiki 1.11.0
[autoinstalls/mediawiki.git] / includes / api / ApiFormatYaml_spyc.php
1 <?php
2   /** 
3    * Spyc -- A Simple PHP YAML Class
4    * @version 0.2.3 -- 2006-02-04
5    * @author Chris Wanstrath <chris@ozmm.org>
6    * @see http://spyc.sourceforge.net/
7    * @copyright Copyright 2005-2006 Chris Wanstrath
8    * @license http://www.opensource.org/licenses/mit-license.php MIT License
9    */
10
11   /** 
12    * A node, used by Spyc for parsing YAML.
13    * @addtogroup API
14    */
15   class YAMLNode {
16     /**#@+
17      * @access public
18      * @var string
19      */ 
20     var $parent;
21     var $id;
22     /**#@-*/
23     /** 
24      * @access public
25      * @var mixed
26      */
27     var $data;
28     /** 
29      * @access public
30      * @var int
31      */
32     var $indent;
33     /** 
34      * @access public
35      * @var bool
36      */
37     var $children = false;
38
39     /**
40      * The constructor assigns the node a unique ID.
41      * @access public
42      * @return void
43      */
44     function YAMLNode() {
45       $this->id = uniqid('');
46     }
47   }
48
49   /**
50    * The Simple PHP YAML Class.
51    *
52    * This class can be used to read a YAML file and convert its contents
53    * into a PHP array.  It currently supports a very limited subsection of
54    * the YAML spec.
55    *
56    * Usage:
57    * <code>
58    *   $parser = new Spyc;
59    *   $array  = $parser->load($file);
60    * </code>
61    * @addtogroup API
62    */
63   class Spyc {
64     
65     /**
66      * Load YAML into a PHP array statically
67      *
68      * The load method, when supplied with a YAML stream (string or file), 
69      * will do its best to convert YAML in a file into a PHP array.  Pretty 
70      * simple.
71      *  Usage: 
72      *  <code>
73      *   $array = Spyc::YAMLLoad('lucky.yml');
74      *   print_r($array);
75      *  </code>
76      * @access public
77      * @return array
78      * @param string $input Path of YAML file or string containing YAML
79      */
80     function YAMLLoad($input) {
81       $spyc = new Spyc;
82       return $spyc->load($input);
83     }
84     
85     /**
86      * Dump YAML from PHP array statically
87      *
88      * The dump method, when supplied with an array, will do its best
89      * to convert the array into friendly YAML.  Pretty simple.  Feel free to
90      * save the returned string as nothing.yml and pass it around.
91      *
92      * Oh, and you can decide how big the indent is and what the wordwrap
93      * for folding is.  Pretty cool -- just pass in 'false' for either if 
94      * you want to use the default.
95      *
96      * Indent's default is 2 spaces, wordwrap's default is 40 characters.  And
97      * you can turn off wordwrap by passing in 0.
98      *
99      * @access public
100      * @static
101      * @return string
102      * @param array $array PHP array
103      * @param int $indent Pass in false to use the default, which is 2 
104      * @param int $wordwrap Pass in 0 for no wordwrap, false for default (40)
105      */
106     public static function YAMLDump($array,$indent = false,$wordwrap = false) {
107       $spyc = new Spyc;
108       return $spyc->dump($array,$indent,$wordwrap);
109     }
110   
111     /**
112      * Load YAML into a PHP array from an instantiated object
113      *
114      * The load method, when supplied with a YAML stream (string or file path), 
115      * will do its best to convert the YAML into a PHP array.  Pretty simple.
116      *  Usage: 
117      *  <code>
118      *   $parser = new Spyc;
119      *   $array  = $parser->load('lucky.yml');
120      *   print_r($array);
121      *  </code>
122      * @access public
123      * @return array
124      * @param string $input Path of YAML file or string containing YAML
125      */
126     function load($input) {
127       // See what type of input we're talking about
128       // If it's not a file, assume it's a string
129       if (!empty($input) && (strpos($input, "\n") === false) 
130           && file_exists($input)) {
131         $yaml = file($input);
132       } else {
133         $yaml = explode("\n",$input);
134       }
135       // Initiate some objects and values
136       $base              = new YAMLNode;
137       $base->indent      = 0;
138       $this->_lastIndent = 0;
139       $this->_lastNode   = $base->id;
140       $this->_inBlock    = false;
141       $this->_isInline   = false;
142   
143       foreach ($yaml as $linenum => $line) {
144         $ifchk = trim($line);
145
146         // If the line starts with a tab (instead of a space), throw a fit.
147         if (preg_match('/^(\t)+(\w+)/', $line)) {
148           $err = 'ERROR: Line '. ($linenum + 1) .' in your input YAML begins'.
149                  ' with a tab.  YAML only recognizes spaces.  Please reformat.';
150           die($err);
151         }
152         
153         if ($this->_inBlock === false && empty($ifchk)) {
154           continue;
155         } elseif ($this->_inBlock == true && empty($ifchk)) {
156           $last =& $this->_allNodes[$this->_lastNode];
157           $last->data[key($last->data)] .= "\n";
158         } elseif ($ifchk{0} != '#' && substr($ifchk,0,3) != '---') {
159           // Create a new node and get its indent
160           $node         = new YAMLNode;
161           $node->indent = $this->_getIndent($line);
162           
163           // Check where the node lies in the hierarchy
164           if ($this->_lastIndent == $node->indent) {
165             // If we're in a block, add the text to the parent's data
166             if ($this->_inBlock === true) {
167               $parent =& $this->_allNodes[$this->_lastNode];
168               $parent->data[key($parent->data)] .= trim($line).$this->_blockEnd;
169             } else {
170               // The current node's parent is the same as the previous node's
171               if (isset($this->_allNodes[$this->_lastNode])) {
172                 $node->parent = $this->_allNodes[$this->_lastNode]->parent;
173               }
174             }
175           } elseif ($this->_lastIndent < $node->indent) {            
176             if ($this->_inBlock === true) {
177               $parent =& $this->_allNodes[$this->_lastNode];
178               $parent->data[key($parent->data)] .= trim($line).$this->_blockEnd;
179             } elseif ($this->_inBlock === false) {
180               // The current node's parent is the previous node
181               $node->parent = $this->_lastNode;
182               
183               // If the value of the last node's data was > or | we need to 
184               // start blocking i.e. taking in all lines as a text value until 
185               // we drop our indent.
186               $parent =& $this->_allNodes[$node->parent];
187               $this->_allNodes[$node->parent]->children = true;
188               if (is_array($parent->data)) {
189                 $chk = $parent->data[key($parent->data)];
190                 if ($chk === '>') {
191                   $this->_inBlock  = true;
192                   $this->_blockEnd = ' ';
193                   $parent->data[key($parent->data)] = 
194                         str_replace('>','',$parent->data[key($parent->data)]);
195                   $parent->data[key($parent->data)] .= trim($line).' ';
196                   $this->_allNodes[$node->parent]->children = false;
197                   $this->_lastIndent = $node->indent;
198                 } elseif ($chk === '|') {
199                   $this->_inBlock  = true;
200                   $this->_blockEnd = "\n";
201                   $parent->data[key($parent->data)] =               
202                         str_replace('|','',$parent->data[key($parent->data)]);
203                   $parent->data[key($parent->data)] .= trim($line)."\n";
204                   $this->_allNodes[$node->parent]->children = false;
205                   $this->_lastIndent = $node->indent;
206                 }
207               }
208             }
209           } elseif ($this->_lastIndent > $node->indent) {
210             // Any block we had going is dead now
211             if ($this->_inBlock === true) {
212               $this->_inBlock = false;
213               if ($this->_blockEnd = "\n") {
214                 $last =& $this->_allNodes[$this->_lastNode];
215                 $last->data[key($last->data)] = 
216                       trim($last->data[key($last->data)]);
217               }
218             }
219             
220             // We don't know the parent of the node so we have to find it
221             // foreach ($this->_allNodes as $n) {
222             foreach ($this->_indentSort[$node->indent] as $n) {
223               if ($n->indent == $node->indent) {
224                 $node->parent = $n->parent;
225               }
226             }
227           }
228         
229           if ($this->_inBlock === false) {
230             // Set these properties with information from our current node
231             $this->_lastIndent = $node->indent;
232             // Set the last node
233             $this->_lastNode = $node->id;
234             // Parse the YAML line and return its data
235             $node->data = $this->_parseLine($line);
236             // Add the node to the master list
237             $this->_allNodes[$node->id] = $node;
238             // Add a reference to the node in an indent array
239             $this->_indentSort[$node->indent][] =& $this->_allNodes[$node->id];
240             // Add a reference to the node in a References array if this node
241             // has a YAML reference in it.
242             if ( 
243               ( (is_array($node->data)) &&
244                 isset($node->data[key($node->data)]) &&
245                 (!is_array($node->data[key($node->data)])) )
246               &&
247               ( (preg_match('/^&([^ ]+)/',$node->data[key($node->data)])) 
248                 || 
249                 (preg_match('/^\*([^ ]+)/',$node->data[key($node->data)])) )
250             ) {
251                 $this->_haveRefs[] =& $this->_allNodes[$node->id];
252             } elseif (
253               ( (is_array($node->data)) &&
254                 isset($node->data[key($node->data)]) &&
255                  (is_array($node->data[key($node->data)])) )
256             ) {
257               // Incomplete reference making code.  Ugly, needs cleaned up.
258               foreach ($node->data[key($node->data)] as $d) {
259                 if ( !is_array($d) && 
260                   ( (preg_match('/^&([^ ]+)/',$d)) 
261                     || 
262                     (preg_match('/^\*([^ ]+)/',$d)) )
263                   ) {
264                     $this->_haveRefs[] =& $this->_allNodes[$node->id];
265                 }
266               }
267             }
268           }
269         }
270       }
271       unset($node);
272       
273       // Here we travel through node-space and pick out references (& and *)
274       $this->_linkReferences();
275       
276       // Build the PHP array out of node-space
277       $trunk = $this->_buildArray();
278       return $trunk;
279     }
280   
281     /**
282      * Dump PHP array to YAML
283      *
284      * The dump method, when supplied with an array, will do its best
285      * to convert the array into friendly YAML.  Pretty simple.  Feel free to
286      * save the returned string as tasteful.yml and pass it around.
287      *
288      * Oh, and you can decide how big the indent is and what the wordwrap
289      * for folding is.  Pretty cool -- just pass in 'false' for either if 
290      * you want to use the default.
291      *
292      * Indent's default is 2 spaces, wordwrap's default is 40 characters.  And
293      * you can turn off wordwrap by passing in 0.
294      *
295      * @access public
296      * @return string
297      * @param array $array PHP array
298      * @param int $indent Pass in false to use the default, which is 2 
299      * @param int $wordwrap Pass in 0 for no wordwrap, false for default (40)
300      */
301     function dump($array,$indent = false,$wordwrap = false) {
302       // Dumps to some very clean YAML.  We'll have to add some more features
303       // and options soon.  And better support for folding.
304
305       // New features and options.
306       if ($indent === false or !is_numeric($indent)) {
307         $this->_dumpIndent = 2;
308       } else {
309         $this->_dumpIndent = $indent;
310       }
311       
312       if ($wordwrap === false or !is_numeric($wordwrap)) {
313         $this->_dumpWordWrap = 40;
314       } else {
315         $this->_dumpWordWrap = $wordwrap;
316       }
317       
318       // New YAML document
319       $string = "---\n";
320       
321       // Start at the base of the array and move through it.
322       foreach ($array as $key => $value) {
323         $string .= $this->_yamlize($key,$value,0);
324       }
325       return $string;
326     }
327   
328     /**** Private Properties ****/
329     
330     /**#@+
331      * @access private
332      * @var mixed
333      */ 
334     var $_haveRefs;
335     var $_allNodes;
336     var $_lastIndent;
337     var $_lastNode;
338     var $_inBlock;
339     var $_isInline;
340     var $_dumpIndent;
341     var $_dumpWordWrap;
342     /**#@-*/
343
344     /**** Private Methods ****/
345     
346     /**
347      * Attempts to convert a key / value array item to YAML
348      * @access private
349      * @return string
350      * @param $key The name of the key
351      * @param $value The value of the item
352      * @param $indent The indent of the current node
353      */    
354     function _yamlize($key,$value,$indent) {
355       if (is_array($value)) {
356         // It has children.  What to do?
357         // Make it the right kind of item
358         $string = $this->_dumpNode($key,NULL,$indent);
359         // Add the indent
360         $indent += $this->_dumpIndent;
361         // Yamlize the array
362         $string .= $this->_yamlizeArray($value,$indent);
363       } elseif (!is_array($value)) {
364         // It doesn't have children.  Yip.
365         $string = $this->_dumpNode($key,$value,$indent);
366       }
367       return $string;
368     }
369     
370     /**
371      * Attempts to convert an array to YAML
372      * @access private
373      * @return string
374      * @param $array The array you want to convert
375      * @param $indent The indent of the current level
376      */ 
377     function _yamlizeArray($array,$indent) {
378       if (is_array($array)) {
379         $string = '';
380         foreach ($array as $key => $value) {
381           $string .= $this->_yamlize($key,$value,$indent);
382         }
383         return $string;
384       } else {
385         return false;
386       }
387     }
388   
389     /**
390      * Returns YAML from a key and a value
391      * @access private
392      * @return string
393      * @param $key The name of the key
394      * @param $value The value of the item
395      * @param $indent The indent of the current node
396      */ 
397     function _dumpNode($key,$value,$indent) {
398       // do some folding here, for blocks
399       if (strpos($value,"\n")) {
400         $value = $this->_doLiteralBlock($value,$indent);
401       } else {  
402         $value  = $this->_doFolding($value,$indent);
403       }
404       
405       $spaces = str_repeat(' ',$indent);
406
407       if (is_int($key)) {
408         // It's a sequence
409         $string = $spaces.'- '.$value."\n";
410       } else {
411         // It's mapped
412         $string = $spaces.$key.': '.$value."\n";
413       }
414       return $string;
415     }
416
417     /**
418      * Creates a literal block for dumping
419      * @access private
420      * @return string
421      * @param $value 
422      * @param $indent int The value of the indent
423      */ 
424     function _doLiteralBlock($value,$indent) {
425       $exploded = explode("\n",$value);
426       $newValue = '|';
427       $indent  += $this->_dumpIndent;
428       $spaces   = str_repeat(' ',$indent);
429       foreach ($exploded as $line) {
430         $newValue .= "\n" . $spaces . trim($line);
431       }
432       return $newValue;
433     }
434     
435     /**
436      * Folds a string of text, if necessary
437      * @access private
438      * @return string
439      * @param $value The string you wish to fold
440      */
441     function _doFolding($value,$indent) {
442       // Don't do anything if wordwrap is set to 0
443       if ($this->_dumpWordWrap === 0) {
444         return $value;
445       }
446       
447       if (strlen($value) > $this->_dumpWordWrap) {
448         $indent += $this->_dumpIndent;
449         $indent = str_repeat(' ',$indent);
450         $wrapped = wordwrap($value,$this->_dumpWordWrap,"\n$indent");
451         $value   = ">\n".$indent.$wrapped;
452       }
453       return $value;
454     }
455   
456     /* Methods used in loading */
457     
458     /**
459      * Finds and returns the indentation of a YAML line
460      * @access private
461      * @return int
462      * @param string $line A line from the YAML file
463      */
464     function _getIndent($line) {
465       $match = array();
466       preg_match('/^\s{1,}/',$line,$match);
467       if (!empty($match[0])) {
468         $indent = substr_count($match[0],' ');
469       } else {
470         $indent = 0;
471       }
472       return $indent;
473     }
474
475     /**
476      * Parses YAML code and returns an array for a node
477      * @access private
478      * @return array
479      * @param string $line A line from the YAML file
480      */
481     function _parseLine($line) {
482       $line = trim($line);  
483
484       $array = array();
485
486       if (preg_match('/^-(.*):$/',$line)) {
487         // It's a mapped sequence
488         $key         = trim(substr(substr($line,1),0,-1));
489         $array[$key] = '';
490       } elseif ($line[0] == '-' && substr($line,0,3) != '---') {
491         // It's a list item but not a new stream
492         if (strlen($line) > 1) {
493           $value   = trim(substr($line,1));
494           // Set the type of the value.  Int, string, etc
495           $value   = $this->_toType($value);
496           $array[] = $value;
497         } else {
498           $array[] = array();
499         }
500       } elseif (preg_match('/^(.+):/',$line,$key)) {
501         // It's a key/value pair most likely
502         // If the key is in double quotes pull it out
503         $matches = array();
504         if (preg_match('/^(["\'](.*)["\'](\s)*:)/',$line,$matches)) {
505           $value = trim(str_replace($matches[1],'',$line));
506           $key   = $matches[2];
507         } else {
508           // Do some guesswork as to the key and the value
509           $explode = explode(':',$line);
510           $key     = trim($explode[0]);
511           array_shift($explode);
512           $value   = trim(implode(':',$explode));
513         }
514
515         // Set the type of the value.  Int, string, etc
516         $value = $this->_toType($value);
517         if (empty($key)) {
518           $array[]     = $value;
519         } else {
520           $array[$key] = $value;
521         }
522       }
523       return $array;
524     }
525     
526     /**
527      * Finds the type of the passed value, returns the value as the new type.
528      * @access private
529      * @param string $value
530      * @return mixed
531      */
532     function _toType($value) {
533       $matches = array();
534       if (preg_match('/^("(.*)"|\'(.*)\')/',$value,$matches)) {        
535        $value = (string)preg_replace('/(\'\'|\\\\\')/',"'",end($matches));
536        $value = preg_replace('/\\\\"/','"',$value);
537       } elseif (preg_match('/^\\[(.+)\\]$/',$value,$matches)) {
538         // Inline Sequence
539
540         // Take out strings sequences and mappings
541         $explode = $this->_inlineEscape($matches[1]);
542         
543         // Propogate value array
544         $value  = array();
545         foreach ($explode as $v) {
546           $value[] = $this->_toType($v);
547         }
548       } elseif (strpos($value,': ')!==false && !preg_match('/^{(.+)/',$value)) {
549           // It's a map
550           $array = explode(': ',$value);
551           $key   = trim($array[0]);
552           array_shift($array);
553           $value = trim(implode(': ',$array));
554           $value = $this->_toType($value);
555           $value = array($key => $value);
556       } elseif (preg_match("/{(.+)}$/",$value,$matches)) {
557         // Inline Mapping
558
559         // Take out strings sequences and mappings
560         $explode = $this->_inlineEscape($matches[1]);
561
562         // Propogate value array
563         $array = array();
564         foreach ($explode as $v) {
565           $array = $array + $this->_toType($v);
566         }
567         $value = $array;
568       } elseif (strtolower($value) == 'null' or $value == '' or $value == '~') {
569         $value = NULL;
570       } elseif (ctype_digit($value)) {
571         $value = (int)$value;
572       } elseif (in_array(strtolower($value), 
573                   array('true', 'on', '+', 'yes', 'y'))) {
574         $value = TRUE;
575       } elseif (in_array(strtolower($value), 
576                   array('false', 'off', '-', 'no', 'n'))) {
577         $value = FALSE;
578       } elseif (is_numeric($value)) {
579         $value = (float)$value;
580       } else {
581         // Just a normal string, right?
582         $value = trim(preg_replace('/#(.+)$/','',$value));
583       }
584       
585       return $value;
586     }
587     
588     /**
589      * Used in inlines to check for more inlines or quoted strings
590      * @access private
591      * @return array
592      */
593     function _inlineEscape($inline) {
594       // There's gotta be a cleaner way to do this...
595       // While pure sequences seem to be nesting just fine,
596       // pure mappings and mappings with sequences inside can't go very
597       // deep.  This needs to be fixed.
598       
599       // Check for strings      
600       $regex = '/(?:(")|(?:\'))((?(1)[^"]+|[^\']+))(?(1)"|\')/';
601       $strings = array();
602       if (preg_match_all($regex,$inline,$strings)) {
603         $saved_strings[] = $strings[0][0];
604         $inline  = preg_replace($regex,'YAMLString',$inline); 
605       }
606       unset($regex);
607
608       // Check for sequences
609       $seqs = array();
610       if (preg_match_all('/\[(.+)\]/U',$inline,$seqs)) {
611         $inline = preg_replace('/\[(.+)\]/U','YAMLSeq',$inline);
612         $seqs   = $seqs[0];
613       }
614       
615       // Check for mappings
616       $maps = array();
617       if (preg_match_all('/{(.+)}/U',$inline,$maps)) {
618         $inline = preg_replace('/{(.+)}/U','YAMLMap',$inline);
619         $maps   = $maps[0];
620       }
621       
622       $explode = explode(', ',$inline);
623
624       // Re-add the strings
625       if (!empty($saved_strings)) {
626         $i = 0;
627         foreach ($explode as $key => $value) {
628           if (strpos($value,'YAMLString')) {
629             $explode[$key] = str_replace('YAMLString',$saved_strings[$i],$value);
630             ++$i;
631           }
632         }
633       }
634
635       // Re-add the sequences
636       if (!empty($seqs)) {
637         $i = 0;
638         foreach ($explode as $key => $value) {
639           if (strpos($value,'YAMLSeq') !== false) {
640             $explode[$key] = str_replace('YAMLSeq',$seqs[$i],$value);
641             ++$i;
642           }
643         }
644       }
645       
646       // Re-add the mappings
647       if (!empty($maps)) {
648         $i = 0;
649         foreach ($explode as $key => $value) {
650           if (strpos($value,'YAMLMap') !== false) {
651             $explode[$key] = str_replace('YAMLMap',$maps[$i],$value);
652             ++$i;
653           }
654         }
655       }
656
657       return $explode;
658     }
659   
660     /**
661      * Builds the PHP array from all the YAML nodes we've gathered
662      * @access private
663      * @return array
664      */
665     function _buildArray() {
666       $trunk = array();
667
668       if (!isset($this->_indentSort[0])) {
669         return $trunk;
670       }
671
672       foreach ($this->_indentSort[0] as $n) {
673         if (empty($n->parent)) {
674           $this->_nodeArrayizeData($n);
675           // Check for references and copy the needed data to complete them.
676           $this->_makeReferences($n);
677           // Merge our data with the big array we're building
678           $trunk = $this->_array_kmerge($trunk,$n->data);
679         }
680       }
681       
682       return $trunk;
683     }
684   
685     /**
686      * Traverses node-space and sets references (& and *) accordingly
687      * @access private
688      * @return bool
689      */
690     function _linkReferences() {
691       if (is_array($this->_haveRefs)) {
692         foreach ($this->_haveRefs as $node) {
693           if (!empty($node->data)) {
694             $key = key($node->data);
695             // If it's an array, don't check.
696             if (is_array($node->data[$key])) {  
697               foreach ($node->data[$key] as $k => $v) {
698                 $this->_linkRef($node,$key,$k,$v);
699               }
700             } else {
701               $this->_linkRef($node,$key);
702             }
703           }
704         } 
705       }
706       return true;
707     }
708     
709     function _linkRef(&$n,$key,$k = NULL,$v = NULL) {
710       if (empty($k) && empty($v)) {
711         // Look for &refs
712         $matches = array();
713         if (preg_match('/^&([^ ]+)/',$n->data[$key],$matches)) {
714           // Flag the node so we know it's a reference
715           $this->_allNodes[$n->id]->ref = substr($matches[0],1);
716           $this->_allNodes[$n->id]->data[$key] = 
717                    substr($n->data[$key],strlen($matches[0])+1);
718         // Look for *refs
719         } elseif (preg_match('/^\*([^ ]+)/',$n->data[$key],$matches)) {
720           $ref = substr($matches[0],1);
721           // Flag the node as having a reference
722           $this->_allNodes[$n->id]->refKey =  $ref;
723         }
724       } elseif (!empty($k) && !empty($v)) {
725         if (preg_match('/^&([^ ]+)/',$v,$matches)) {
726           // Flag the node so we know it's a reference
727           $this->_allNodes[$n->id]->ref = substr($matches[0],1);
728           $this->_allNodes[$n->id]->data[$key][$k] = 
729                               substr($v,strlen($matches[0])+1);
730         // Look for *refs
731         } elseif (preg_match('/^\*([^ ]+)/',$v,$matches)) {
732           $ref = substr($matches[0],1);
733           // Flag the node as having a reference
734           $this->_allNodes[$n->id]->refKey =  $ref;
735         }
736       }
737     }
738   
739     /**
740      * Finds the children of a node and aids in the building of the PHP array
741      * @access private
742      * @param int $nid The id of the node whose children we're gathering
743      * @return array
744      */
745     function _gatherChildren($nid) {
746       $return = array();
747       $node   =& $this->_allNodes[$nid];
748       foreach ($this->_allNodes as $z) {
749         if ($z->parent == $node->id) {
750           // We found a child
751           $this->_nodeArrayizeData($z);
752           // Check for references
753           $this->_makeReferences($z);
754           // Merge with the big array we're returning
755           // The big array being all the data of the children of our parent node
756           $return = $this->_array_kmerge($return,$z->data);
757         }
758       }
759       return $return;
760     }
761   
762     /**
763      * Turns a node's data and its children's data into a PHP array
764      *
765      * @access private
766      * @param array $node The node which you want to arrayize
767      * @return boolean
768      */
769     function _nodeArrayizeData(&$node) {
770       if (is_array($node->data) && $node->children == true) {
771         // This node has children, so we need to find them
772         $childs = $this->_gatherChildren($node->id);
773         // We've gathered all our children's data and are ready to use it
774         $key = key($node->data);
775         $key = empty($key) ? 0 : $key;
776         // If it's an array, add to it of course
777         if (is_array($node->data[$key])) {
778           $node->data[$key] = $this->_array_kmerge($node->data[$key],$childs);
779         } else {
780           $node->data[$key] = $childs;
781         }
782       } elseif (!is_array($node->data) && $node->children == true) {
783         // Same as above, find the children of this node
784         $childs       = $this->_gatherChildren($node->id);
785         $node->data   = array();
786         $node->data[] = $childs;
787       }
788
789       // We edited $node by reference, so just return true
790       return true;
791     }
792
793     /**
794      * Traverses node-space and copies references to / from this object.
795      * @access private
796      * @param object $z A node whose references we wish to make real
797      * @return bool
798      */
799     function _makeReferences(&$z) {
800       // It is a reference
801       if (isset($z->ref)) {
802         $key                = key($z->data);
803         // Copy the data to this object for easy retrieval later
804         $this->ref[$z->ref] =& $z->data[$key];
805       // It has a reference
806       } elseif (isset($z->refKey)) {
807         if (isset($this->ref[$z->refKey])) {
808           $key           = key($z->data);
809           // Copy the data from this object to make the node a real reference
810           $z->data[$key] =& $this->ref[$z->refKey];
811         }
812       }
813       return true;
814     }
815   
816
817     /**
818      * Merges arrays and maintains numeric keys.
819      *
820      * An ever-so-slightly modified version of the array_kmerge() function posted
821      * to php.net by mail at nospam dot iaindooley dot com on 2004-04-08.
822      *
823      * http://us3.php.net/manual/en/function.array-merge.php#41394
824      *
825      * @access private
826      * @param array $arr1
827      * @param array $arr2
828      * @return array
829      */
830     function _array_kmerge($arr1,$arr2) { 
831       if(!is_array($arr1)) 
832         $arr1 = array(); 
833
834       if(!is_array($arr2))
835         $arr2 = array(); 
836     
837       $keys1 = array_keys($arr1); 
838       $keys2 = array_keys($arr2); 
839       $keys  = array_merge($keys1,$keys2); 
840       $vals1 = array_values($arr1); 
841       $vals2 = array_values($arr2); 
842       $vals  = array_merge($vals1,$vals2); 
843       $ret   = array(); 
844
845       foreach($keys as $key) { 
846         list( /* unused */ ,$val) = each($vals);
847         // This is the good part!  If a key already exists, but it's part of a
848         // sequence (an int), just keep addin numbers until we find a fresh one.
849         if (isset($ret[$key]) and is_int($key)) {
850           while (array_key_exists($key, $ret)) {
851             $key++;
852           }
853         }  
854         $ret[$key] = $val; 
855       } 
856
857       return $ret; 
858     }
859   }
860