data:image/s3,"s3://crabby-images/434f2/434f2f372f6572658dadc4039f6c6bf6c2c1dc3a" alt="在这里插入图片描述" 方法1 ,BFS法(单向),通过添加虚拟结点建图 如下图所示,虚线框中便是添加的虚拟结点,由于添加了虚拟结点,最后求出的最短路径要除2,再加上首结点的贡献1,如hit-》hot ,最短路径为2, 但因为虚拟结点的存在,变成 2 / 2 + 1 data:image/s3,"s3://crabby-images/43717/43717bdf7ae28eb51951af83bc9e5896278d982f" alt="在这里插入图片描述"
class Solution {
private $mpWord2inx = [];
private $mpIdx2Edge = [];
private $cntWords = -1;
function ladderLength($beginWord, $endWord, $wordList) {
if (count($wordList) == 0) {
return 0;
}
foreach ($wordList as $word) {
$this->addWord($word);
$indexWord = $this->mpWord2inx[$word];
$this->addEdge($word, $indexWord);
}
if (!array_key_exists($endWord, $this->mpWord2inx)) {
return 0;
}
$this->addWord($beginWord);
$indexBgn = $this->mpWord2inx[$beginWord];
$this->addEdge($beginWord, $indexBgn);
$roadCnt = array_fill(0, $this->cntWords+1, -1);
$roadCnt[$indexBgn] = 0;
$queue = new SplQueue();
$queue->enqueue($indexBgn);
$indexEnd = $this->mpWord2inx[$endWord];
while (!$queue->isEmpty()) {
$curIdx = $queue->dequeue();
if ($curIdx == $indexEnd) {
return $roadCnt[$curIdx] / 2 + 1;
}
foreach ($this->mpIdx2Edge[$curIdx] as $idx => $flg) {
if ($roadCnt[$idx] === -1) {
$roadCnt[$idx] = $roadCnt[$curIdx] + 1;
$queue->enqueue($idx);
}
}
}
return 0;
}
private function addEdge($word, $index) {
$this->mpIdx2Edge[$index] = array();
$strLen = strlen($word);
while ($strLen-- > 0) {
$charTemp = $word[$strLen];
$word[$strLen] = '*';
$this->addWord($word);
$indexNew = $this->mpWord2inx[$word];
$this->mpIdx2Edge[$indexNew][$index] = 1;
$this->mpIdx2Edge[$index][$indexNew] = 1;
$word[$strLen] = $charTemp;
}
}
private function addWord($word) {
if (!array_key_exists($word, $this->mpWord2inx)) {
$this->mpWord2inx[$word] = ++$this->cntWords;
}
}
}
提交结果如下: data:image/s3,"s3://crabby-images/34e32/34e32bea499f75d094f55e7c4508006e5c7c53f5" alt="在这里插入图片描述"
|