遞迴 問題:一個樓梯有n個台階,每次上一個或兩個台階,共有多少種上法, 每種走法的步驟是什麼樣的?
這個簡單問題,我們通常的方法是寫一個遞迴調用,簡單明了。但是,這裡通過類的疊加來實現,雖然本身沒有太大的意義,但是這種設計的用途還是滿多的,可以自己考慮考慮。
<?php
//一個樓梯有n個台階,每次上一個或兩個台階,共有多少種上法, 每種走法的步驟是什麼樣的.
define('TOTLE_STEP', 10);
$p = '';
$obj = new step($p, 0, 0);
$obj->go();
class step{
var $parent;
var $count;
var $step;
var $son1;
var $son2;
function step(&$parent, $step, $count){
$this->parent = &$parent;
$this->step = $step;
$this->count = $count + $step;
}
function go(){
if($this->count==TOTLE_STEP)
$this->callback();
if($this->count<=TOTLE_STEP-1){
$this->son1 = new step($this, 1, $this->count);
$this->son1->go();
}
if($this->count<=TOTLE_STEP-2){
$this->son2 = new step($this, 2, $this->count);
$this->son2->go();
}
}
function callback($str=''){
if($this->parent!=null){
$str = $this->step.$str;
$this->parent->callback('--'.$str);
}else{
echo $str.'<br>';
}
}
}
?>