假设我有以下Haskell树类型,其中“State”是一个简单的包装器:
data Tree a = Branch (State a) [Tree a]
| Leaf (State a)
deriving (Eq, Show)
我还有一个函数“expand :: Tree a - > Tree a”,它接受一个叶子节点, 并将其扩展为分支,或者采用分支并且不加改变地返回它。此树类型表示N元搜索树。
搜索深度优先是一种浪费,因为搜索空间显然是无限的,因为我可以通过在树的所有叶节点上使用展开来轻松地继续扩展搜索空间,并且可能会意外地错过目标状态是巨大的...因此唯一的解决方案是广度优先搜索,在here上实现相当不错,如果它存在,它将找到解决方案。
我想要生成的内容是遍历到找到解决方案的树。 这是一个问题,因为我只知道如何执行深度优先,这可以通过在第一个子节点上一次又一次地简单地调用“expand”函数来完成......直到找到目标状态。 (这实际上不会产生任何其他令人不舒服的列表。)
任何人都可以给我任何关于如何做到这一点(或整个算法)的暗示,或者判断它是否可能具有相当复杂性的判断? (或者是这方面的任何消息来源,因为我找到的很少。)
答案 0 :(得分:10)
你看过Chris Okasaki的"Breadth-First Numbering: Lessons from a Small Exercise in Algorithm Design"吗? Data.Tree
模块包含一个名为unfoldTreeM_BF
的monadic树构建器,它使用从该文件改编的算法。
以下是我认为与你正在做的事情相对应的一个例子:
假设我想搜索一个字符串的无限二叉树,其中所有左子节点都是父字符串加上“a”,右边的子节点是父节点加“bb”。我可以使用unfoldTreeM_BF
搜索树广度优先并将搜索到的树返回到解决方案:
import Control.Monad.State
import Data.Tree
children :: String -> [String]
children x = [x ++ "a", x ++ "bb"]
expand query x = do
found <- get
if found
then return (x, [])
else do
let (before, after) = break (==query) $ children x
if null after
then return (x, before)
else do
put True
return (x, before ++ [head after])
searchBF query = (evalState $ unfoldTreeM_BF (expand query) []) False
printSearchBF = drawTree . searchBF
这不是很漂亮,但它确实有效。如果我搜索“aabb”,我就会得到我想要的东西:
|
+- a
| |
| +- aa
| | |
| | +- aaa
| | |
| | `- aabb
| |
| `- abb
|
`- bb
|
+- bba
|
`- bbbb
如果这是你所描述的那种东西,那么你的树型就不应该很难适应。
更新:这是expand
的免费版本,如果你遇到这种情况:
expand q x = liftM ((,) x) $ get >>= expandChildren
where
checkChildren (before, []) = return before
checkChildren (before, t:_) = put True >> return (before ++ [t])
expandChildren True = return []
expandChildren _ = checkChildren $ break (==q) $ children x
(感谢camccann促使我远离旧的控制结构习惯。我希望这个版本更容易接受。)
答案 1 :(得分:5)
我很好奇为什么你需要expand
函数 - 为什么不简单地递归构造整个树并执行你想要的任何搜索?
如果您使用expand
来跟踪搜索检查的节点,那么随时构建列表似乎更简单,甚至是第二个树结构。
这是一个快速示例,只返回找到的第一个结果,删除了伪Leaf
构造函数:
data State a = State { getState :: a } deriving (Eq, Show)
data Tree a = Branch {
state :: State a,
children :: [Tree a]
} deriving (Eq, Show)
breadth ts = map (getState . state) ts ++ breadth (concatMap children ts)
search f t = head $ filter f (breadth [t])
mkTree n = Branch (State n) (map mkTree [n, 2*n .. n*n])
testTree = mkTree 2
在GHCi中尝试:
> search (== 24) testTree
24
相比之下,这是一个天真的深度优先搜索:
depth (Branch (State x) ts) = x : (concatMap depth ts)
dSearch f t = head $ filter f (depth t)
...当用(== 24)
搜索时,当然无法终止,因为最左边的分支是2个无穷无尽的系列。