import threading
# Создание структуры данных лабиринта
MAZE = [
"#######################################################################",
"#S# # # # # # # # # #",
"# ##### ######### # ### ### # # # # ### # # ##### # ### # # ##### # ###",
"# # # # # # # # # # # # # # # # # # # #",
"# # # ##### # ########### ### # ##### ##### ######### # # ##### ### # #",
"# # # # # # # # # # # # # # # # #",
"######### # # # ##### # ### # ########### ####### # # ##### ##### ### #",
"# # # # # # # # # # # # # # # # # #",
"# # ##### # # ### # # ####### # # # # # # # ##### ### ### ######### # #",
"# # # # # # # # # # # # # # # # # # #",
"### # # # # ### # # ##### ####### ########### # ### # ##### ##### ### #",
"# # # # # # # # # # # # # # # # #",
"# ### ####### ##### ### ### ####### ##### # ######### ### ### ##### ###",
"# # # # # # # # # # # # # # # # #",
"### ########### # ####### ####### ### # ##### # # ##### # # ### # ### #",
"# # # # # # # # # # # # # # # # # #",
"# ### # # ####### # ### ##### # ####### ### ### # # ####### # # # ### #",
"# # # # # # # # # E#",
"#######################################################################"
]
EMPTY = ' '
START = 'S'
EXIT = 'E'
PATH = '.'
# Получаем высоту и ширину лабиринта:
HEIGHT = len(MAZE)
WIDTH = max(len(row) for row in MAZE)
# Преобразуем лабиринт в двумерный список:
maze = [list(row.ljust(WIDTH, EMPTY)) for row in MAZE]
maze_lock = threading.Lock()
def print_maze():
with maze_lock:
for row in maze:
print(''.join(row))
print()
def find_start():
for y in range(HEIGHT):
for x in range(WIDTH):
if maze[y][x] == START:
return x, y
return -1, -1 # Не найдено
def solve_maze(x, y, visited):
if maze[y][x] == EXIT:
return True # Найден выход
with maze_lock:
if maze[y][x] == EMPTY or maze[y][x] == START:
maze[y][x] = PATH # Отмечаем путь
visited[y][x] = True
threads = []
path_found = [False]
# Проверяем соседние клетки (север, юг, восток, запад)
if y + 1 < HEIGHT and (maze[y + 1][x] == EMPTY or maze[y + 1][x] == EXIT) and not visited[y + 1][x]:
thread = threading.Thread(target=solve_maze_thread, args=(x, y + 1, visited, path_found))
threads.append(thread)
thread.start()
if y - 1 >= 0 and (maze[y - 1][x] == EMPTY or maze[y - 1][x] == EXIT) and not visited[y - 1][x]:
thread = threading.Thread(target=solve_maze_thread, args=(x, y - 1, visited, path_found))
threads.append(thread)
thread.start()
if x + 1 < WIDTH and (maze[y][x + 1] == EMPTY or maze[y][x + 1] == EXIT) and not visited[y][x + 1]:
thread = threading.Thread(target=solve_maze_thread, args=(x + 1, y, visited, path_found))
threads.append(thread)
thread.start()
if x - 1 >= 0 and (maze[y][x - 1] == EMPTY or maze[y][x - 1] == EXIT) and not visited[y][x - 1]:
thread = threading.Thread(target=solve_maze_thread, args=(x - 1, y, visited, path_found))
threads.append(thread)
thread.start()
for thread in threads:
thread.join()
if not path_found[0]:
with maze_lock:
maze[y][x] = EMPTY # Восстанавливаем пустое пространство
return path_found[0]
def solve_maze_thread(x, y, visited, path_found):
if solve_maze(x, y, visited):
path_found[0] = True
def main():
print_maze()
start_x, start_y = find_start()
if start_x == -1 or start_y == -1:
print("Start point not found!")
return
visited = [[False] * WIDTH for _ in range(HEIGHT)]
if solve_maze(start_x, start_y, visited):
print("Path found:")
else:
print("No path found!")
print_maze()
if __name__ == "__main__":
main()
// Создание структуры данных лабиринта
const string MAZE[] = {
"#######################################################################",
"#S# # # # # # # # # #",
"# ##### ######### # ### ### # # # # ### # # ##### # ### # # ##### # ###",
"# # # # # # # # # # # # # # # # # # # #",
"# # # ##### # ########### ### # ##### ##### ######### # # ##### ### # #",
"# # # # # # # # # # # # # # # # #",
"######### # # # ##### # ### # ########### ####### # # ##### ##### ### #",
"# # # # # # # # # # # # # # # # # #",
"# # ##### # # ### # # ####### # # # # # # # ##### ### ### ######### # #",
"# # # # # # # # # # # # # # # # # # #",
"### # # # # ### # # ##### ####### ########### # ### # ##### ##### ### #",
"# # # # # # # # # # # # # # # # #",
"# ### ####### ##### ### ### ####### ##### # ######### ### ### ##### ###",
"# # # # # # # # # # # # # # # # #",
"### ########### # ####### ####### ### # ##### # # ##### # # ### # ### #",
"# # # # # # # # # # # # # # # # # #",
"# ### # # ####### # ### ##### # ####### ### ### # # ####### # # # ### #",
"# # # # # # # # # E#",
"#######################################################################"
};
const char EMPTY = ' ';
const char START = 'S';
const char EXIT = 'E';
const char PATH = '.';
// Получаем высоту и ширину лабиринта:
const int HEIGHT = sizeof(MAZE) / sizeof(MAZE[0]);
int WIDTH = 0;
// Преобразуем лабиринт в двумерный вектор:
vector> maze(HEIGHT);
mutex mazeMutex;
void initializeMaze() {
for (int i = 0; i < HEIGHT; i++) {
maze[i] = vector(MAZE[i].begin(), MAZE[i].end());
if (MAZE[i].length() > WIDTH) {
WIDTH = MAZE[i].length();
}
}
// Устанавливаем пустые символы для строк, длина которых меньше максимальной ширины
for (int i = 0; i < HEIGHT; i++) {
while (maze[i].size() < WIDTH) {
maze[i].push_back(EMPTY);
}
}
}
void printMaze() {
lock_guard lock(mazeMutex);
for (int y = 0; y < HEIGHT; y++) {
for (int x = 0; x < WIDTH; x++) {
cout << maze[y][x];
}
cout << endl;
}
cout << endl;
}
pair findStart() {
for (int y = 0; y < HEIGHT; y++) {
for (int x = 0; x < WIDTH; x++) {
if (maze[y][x] == START) {
return { x, y };
}
}
}
return { -1, -1 }; // Не найдено
}
bool solveMaze(int x, int y, vector>& visited) {
if (maze[y][x] == EXIT) {
return true; // Найден выход
}
{
lock_guard lock(mazeMutex);
maze[y][x] = PATH; // Отмечаем путь
visited[y][x] = true;
}
vector threads;
bool pathFound = false;
// Проверяем соседние клетки (север, юг, восток, запад)
if (y + 1 < HEIGHT && (maze[y + 1][x] == EMPTY || maze[y + 1][x] == EXIT) && !visited[y + 1][x]) {
threads.emplace_back([&, x, y]() {
if (solveMaze(x, y + 1, ref(visited))) {
pathFound = true;
}
});
}
if (y - 1 >= 0 && (maze[y - 1][x] == EMPTY || maze[y - 1][x] == EXIT) && !visited[y - 1][x]) {
threads.emplace_back([&, x, y]() {
if (solveMaze(x, y - 1, ref(visited))) {
pathFound = true;
}
});
}
if (x + 1 < WIDTH && (maze[y][x + 1] == EMPTY || maze[y][x + 1] == EXIT) && !visited[y][x + 1]) {
threads.emplace_back([&, x, y]() {
if (solveMaze(x + 1, y, ref(visited))) {
pathFound = true;
}
});
}
if (x - 1 >= 0 && (maze[y][x - 1] == EMPTY || maze[y][x - 1] == EXIT) && !visited[y][x - 1]) {
threads.emplace_back([&, x, y]() {
if (solveMaze(x - 1, y, ref(visited))) {
pathFound = true;
}
});
}
for (auto& t : threads) {
t.join();
}
if (!pathFound) {
lock_guard lock(mazeMutex);
maze[y][x] = EMPTY; // Восстанавливаем пустое пространство
}
return pathFound;
}
int main() {
initializeMaze();
printMaze();
auto [startX, startY] = findStart();
if (startX == -1 || startY == -1) {
cout << "Start point not found!" << endl;
return 1;
}
vector> visited(HEIGHT, vector(WIDTH, false));
if (solveMaze(startX, startY, visited)) {
cout << "Path found:" << endl;
}
else {
cout << "No path found!" << endl;
}
printMaze();
return 0;
}