除了好玩之外,我沒有任何理由今天實施了Trie。目前它支持add()和search(),remove()也應該被實現,但我認爲這很簡單。優化Trie實施
它功能完善,但填充數據需要一點點太多,我的口味。我使用這個列表作爲數據源:http://www.isc.ro/lists/twl06.zip(在SO的其他地方找到)。加載需要大約11秒。我最初的實施花了15秒左右,所以我已經給它一個很好的性能提升,但我仍然不滿意:)
我的問題是:還有什麼可以給我一個(大幅)的性能提升?我不受這種設計的約束,可以接受徹底的檢修。
class Trie
{
private $trie;
public function __construct(TrieNode $trie = null)
{
if($trie !== null) $this->trie = $trie;
else $this->trie = new TrieNode();
$this->counter = 0;
}
public function add($value, $val = null)
{
$str = '';
$trie_ref = $this->trie;
foreach(str_split($value) as $char)
{
$str .= $char;
$trie_ref = $trie_ref->addNode($str);
}
$trie_ref->value = $val;
return true;
}
public function search($value, $only_words = false)
{
if($value === '') return $this->trie;
$trie_ref = $this->trie;
$str = '';
foreach(str_split($value) as $char)
{
$str .= $char;
if($trie_ref = $trie_ref->getNode($str))
{
if($str === $value) return ($only_words ? $this->extractWords($trie_ref) : new self($trie_ref));
continue;
}
return false;
}
return false;
}
public function extractWords(TrieNode $trie)
{
$res = array();
foreach($trie->getChildren() as $child)
{
if($child->value !== null) $res[] = $child->value;
if($child->hasChildren()) $res = array_merge($res, $this->extractWords($child));
}
return $res;
}
}
class TrieNode
{
public $value;
protected $children = array();
public function addNode($index)
{
if(isset($this->children[$index])) return $this->children[$index];
return $this->children[$index] = new self();
}
public function getNode($index)
{
return (isset($this->children[$index]) ? $this->children[$index] : false);
}
public function getChildren()
{
return $this->children;
}
public function hasChildren()
{
return count($this->children)>0;
}
}
您是否已經成型使用[XHProf的](http://pecl.php.net/package/xhprof)的代碼或[Xdebug的](HTTP:// PECL .php.net /包/ Xdebug的)? – Charles 2010-07-20 17:38:03
我還沒有,很好的電話。我明天會! – 2010-07-20 18:55:59