小程序应该打印出通过迷宫的所有可能路线,其中入口/起点总是从左上角向下一个,所有可能的出口总是在右墙上。它从文本文件中检索迷宫。
迷宫实际上只是一堆文字。迷宫由一个 nxn 网格组成,该网格由作为墙壁的“#”符号和代表可步行区域/路径的各种字母 [a...z] 组成。字母可以重复,但永远不能并排。
迷宫是 15x15。
大写的 S 始终标记入口,位于第二高点的左墙上。一条可能的路径只能通过字母 - 你不能在 # 符号上行走。右边墙上的任何字母都代表出口。
例如,
######
Sa#hln
#bdp##
##e#ko
#gfij#
######
是一个可能的迷宫。我的小程序应该在读取实际包含迷宫的文本文件后打印出所有可能的路线。
对该程序的调用将在屏幕上生成以下输出:
Path 1: S,a,b,d,e,f,i,j,k,o
Path 2: S,a,b,d,p,h,l,n
2 total paths
我会怎么做?我不需要完整的代码答案,我只需要一些有关如何解决此问题的指导。
到目前为止,除了递归检查相邻方块以查看您是否可以在它们上行走的实际算法本身之外,我已经完成了所有工作,而且我不知道如何在多条路径上工作。
这是我到目前为止所拥有的(我知道我的路径检查是错误的,但我不知道还能做什么):
#include <iostream>
#include <fstream>
#include <string>
#include <vector>
#include <sstream>
#include <cstdio>
using namespace std;
ifstream file("maze.txt");
vector<char> vec(istreambuf_iterator<char>(file), (istreambuf_iterator<char>())); // Imports characters from file
vector<char> path; // Declares path as the vector storing the characters from the file
int x = 18; // Declaring x as 18 so I can use it with recursion below
char entrance = vec.at(16); // 'S', the entrance to the maze
char firstsquare = vec.at(17); // For the first walkable square next to the entrance
vector<char> visited; // Squares that we've walked over already
int main()
{
if (file) {
path.push_back(entrance); // Store 'S', the entrance character, into vector 'path'
path.push_back(firstsquare); // Store the character of the square to the right of the entrance
// into vector 'path'.
while (isalpha(vec.at(x)))
{
path.push_back(vec.at(x));
x++;
}
cout << "Path is: "; // Printing to screen the first part of our statement
// This loop to print to the screen all the contents of the vector 'path'.
for(vector<char>::const_iterator i = path.begin(); i != path.end(); ++i) //
{
std::cout << *i << ' ';
}
cout << endl;
system ("pause"); // Keeps the black box that pops up, open, so we can see results.
return 0;
}
}
谢谢!