给定初始网格和单词(单词可以多次使用或根本不使用),我需要解决填字游戏。
初始网格如下所示:
++_+++
+____+
___+__
+_++_+
+____+
++_+++
这是一个示例单词列表:
pain
nice
pal
id
任务是填充占位符(长度> 1的水平或垂直),如下所示:
++p+++
+pain+
pal+id
+i++c+
+nice+
++d+++
任何正确的解决方案都是可以接受的,并且保证有解决方案。
为了开始解决问题,我将网格存储在 2-dim 中。char 数组,我将单词按它们的长度存储在集合列表中:List<Set<String>> words
,以便例如长度为 4 的单词可以通过words.get(4)
然后我从网格中提取所有占位符的位置并将它们添加到占位符列表(堆栈)中:
class Placeholder {
int x, y; //coordinates
int l; // the length
boolean h; //horizontal or not
public Placeholder(int x, int y, int l, boolean h) {
this.x = x;
this.y = y;
this.l = l;
this.h = h;
}
}
该算法的主要部分是solve()
方法:
char[][] solve (char[][] c, Stack<Placeholder> placeholders) {
if (placeholders.isEmpty())
return c;
Placeholder pl = placeholders.pop();
for (String word : words.get(pl.l)) {
char[][] possibleC = fill(c, word, pl); // description below
if (possibleC != null) {
char[][] ret = solve(possibleC, placeholders);
if (ret != null)
return ret;
}
}
return null;
}
函数fill(c, word, pl)
只返回一个新的填字游戏,当前单词写在当前占位符pl上。如果word与pl不兼容,则函数返回 null。
char[][] fill (char[][] c, String word, Placeholder pl) {
if (pl.h) {
for (int i = pl.x; i < pl.x + pl.l; i++)
if (c[pl.y][i] != '_' && c[pl.y][i] != word.charAt(i - pl.x))
return null;
for (int i = pl.x; i < pl.x + pl.l; i++)
c[pl.y][i] = word.charAt(i - pl.x);
return c;
} else {
for (int i = pl.y; i < pl.y + pl.l; i++)
if (c[i][pl.x] != '_' && c[i][pl.x] != word.charAt(i - pl.y))
return null;
for (int i = pl.y; i < pl.y + pl.l; i++)
c[i][pl.x] = word.charAt(i - pl.y);
return c;
}
}
这是Rextester的完整代码。
问题是我的回溯算法效果不佳。假设这是我的初始网格:
++++++
+____+
++++_+
++++_+
++++_+
++++++
这是单词列表:
pain
nice
我的算法会将单词pain
垂直放置,但是当意识到这是一个错误的选择时,它会回溯,但是到那时初始网格已经改变并且占位符的数量将会减少。您认为该算法如何修复?