2024-01-01 18:13:30 +01:00
|
|
|
#include <iostream>
|
|
|
|
#include <string>
|
|
|
|
#include <utility>
|
|
|
|
#include <vector>
|
|
|
|
|
|
|
|
#include "astar.hpp"
|
|
|
|
#include "bf.hpp"
|
|
|
|
#include "dijkstra.hpp"
|
|
|
|
#include "graph.hpp"
|
|
|
|
|
|
|
|
auto line_to_vector(const std::string& l) -> std::vector<char> {
|
|
|
|
return std::vector(l.begin(), l.end());
|
|
|
|
}
|
|
|
|
|
|
|
|
auto main() -> int {
|
|
|
|
graph g{std::vector{
|
|
|
|
line_to_vector(std::string("#############")),
|
|
|
|
line_to_vector(std::string("#..#..*.*.**#")),
|
|
|
|
line_to_vector(std::string("##***.....**#")),
|
|
|
|
line_to_vector(std::string("#..########.#")),
|
|
|
|
line_to_vector(std::string("#...###...#.#")),
|
|
|
|
line_to_vector(std::string("#..#...##.#.#")),
|
|
|
|
line_to_vector(std::string("#..#.*.#..#.#")),
|
|
|
|
line_to_vector(std::string("#....#....#.#")),
|
|
|
|
line_to_vector(std::string("########*.*.#")),
|
|
|
|
line_to_vector(std::string("#...........#")),
|
|
|
|
line_to_vector(std::string("#############")),
|
|
|
|
}};
|
|
|
|
std::cout << "Normal cost: " << g.normal_cost() << "\n";
|
|
|
|
std::cout << "Vortex cost: " << g.vortex_cost() << "\n";
|
|
|
|
std::cout << "Graph:\n" << g;
|
|
|
|
|
2024-01-01 18:21:24 +01:00
|
|
|
// finding the distances from the bottom left corner to the 2 rows above
|
|
|
|
auto cost = bf_finite(g, std::make_pair(1, 9), std::make_pair(1, 7));
|
|
|
|
std::cout << "[Finite BF] Cost: " << cost << "\n";
|
|
|
|
|
|
|
|
auto distances = bellman_ford(g, std::make_pair(1, 9));
|
|
|
|
std::cout << "[Bellman-Ford] Cost: " << distances[7][1] << "\n";
|
|
|
|
|
2024-01-03 12:50:29 +01:00
|
|
|
distances = dijkstra(g, std::make_pair(1, 9));
|
|
|
|
std::cout << "[Dijkstra] Cost: " << distances[7][1] << "\n";
|
|
|
|
|
2024-01-03 15:04:57 +01:00
|
|
|
distances = astar(g, std::make_pair(1, 9), [](const auto& u) {
|
|
|
|
auto [x, y] = u;
|
|
|
|
return std::abs(1 - x) + std::abs(7 - y);
|
|
|
|
});
|
|
|
|
std::cout << "[A*] Cost: " << distances[7][1] << "\n";
|
|
|
|
|
2024-01-01 18:13:30 +01:00
|
|
|
return 0;
|
|
|
|
}
|