作为一个练习,我一直在尝试在 python 中构建一个非 GUI boggle 类型的游戏。到目前为止,用户可以输入板尺寸(4x4、5x5 等)。字母“数组”出现,然后用户可以输入他们认为是有效选项的单词。
我想通过使用递归函数检查输入的单词是否有效。在小板上,我的解决方案似乎工作正常。然而,在较大的板上,具有相似开头和多个路径的单词不会注册。我有一种感觉,这是因为如果当前路径在没有找到正确单词的情况下结束,我的函数的最后一部分就无法后退足够远。
这是我到目前为止所拥有的:
def isAdjacent(word, wordLetter, possibleStarts, arrayDict, currWord, start):
#'word' is the word entered. 'wordLetter' is the current letter being looked for.
#'possibleStarts' is a list of tuples of the possible starting locations and subsequent positions of each found letter.
#'arrayDict' is a dictionary associating each position ((0,1), etc) with a game letter.
#'currWord' is used to check whether or not a word has been found.
#'start' is the tuple in possibleStarts that should be used.
if currWord == word:
return 1
x = possibleStarts[start][0]
y = possibleStarts[start][1]
arrayDict[x,y] = 0
optionsList = [(x - 1, y - 1), (x - 1, y), (x - 1, y + 1), (x, y - 1), (x, y + 1), (x + 1, y - 1), (x + 1, y), (x + 1, y + 1)]
newStarts = []
count = 0
count2 = 0
for option in optionsList:
count += 1
if option in arrayDict:
if arrayDict[option] == word[wordLetter]:
if count2 < 1:
currWord += word[wordLetter]
arrayDict[option] = 0
count2 += 1
newStarts.append(option)
if count == 8 and newStarts:
return isAdjacent(word, wordLetter + 1, newStarts, arrayDict, currWord, start)
try:
if currWord != word:
if wordLetter > 2:
return isAdjacent(word, wordLetter - 1, possibleStarts, arrayDict, currWord[:-1], start - 1)
else:
return isAdjacent(word, wordLetter, possibleStarts, arrayDict, currWord, start - 1)
except:
pass
我相信至少部分问题在于函数末尾的 try 块。如果单词不太长或者没有太多可能性,它就可以工作。例如,尝试在以下内容中查找 'raws' 将不起作用,即使它存在:
W T S V
A X A H
S R T S
A B A W
我确信这可以通过一个相当简单的递归函数来完成,但是几个小时后,我迷路了。哦,我宁愿不预先生成所有可能的单词。这样做的目的是使用递归来查找输入的单词。
任何帮助是极大的赞赏!