+
+std::shared_ptr<Step> find_path(const std::string& start, const std::string& goal) {
+ std::istringstream iss_start{start}, iss_goal{goal};
+ Board board_start, board_goal;
+ iss_start >> board_start;
+ iss_goal >> board_goal;
+ if (iss_start.fail() || !iss_start.eof()) {
+ throw std::runtime_error("Could not parse the start board: " + start);
+ }
+ if (iss_goal.fail() || !iss_goal.eof()) {
+ throw std::runtime_error("Could not parse the goal board: " + goal);
+ }
+ return find_path(board_start, board_goal);
+}
+
+std::shared_ptr<Step> find_path(const Board& start, const Board& goal) {
+ InvertedBoard invgoal = goal.invert();
+ auto heap_greater = [invgoal](const std::shared_ptr<Step>& a, const std::shared_ptr<Step>& b) {
+ return a->cost(invgoal) > b->cost(invgoal);
+ };
+ std::priority_queue<std::shared_ptr<Step>,
+ std::vector<std::shared_ptr<Step>>,
+ decltype(heap_greater)> todo(heap_greater);
+ std::set<Board> seen;
+
+ seen.emplace(start);
+ todo.push(std::make_shared<Step>(start, nullptr));
+ while (!todo.empty()) {
+ if (todo.top()->board == goal) {
+ return todo.top();
+ }
+ std::vector<std::shared_ptr<Step>> successors = todo.top()->successors(todo.top());
+ for (const std::shared_ptr<Step>& s : successors) {
+ if (seen.find(s->board) == seen.end()) {
+ seen.emplace(s->board);
+ todo.push(s);
+ if (seen.size() % 10000 == 0) {
+ std::cerr << "Examined " << seen.size() << " boards. " << todo.size()
+ << " waiting. Considering paths of length "
+ << todo.top()->cost(invgoal) << std::endl;
+ }
+ }
+ }
+ todo.pop();
+ }
+ throw std::runtime_error("No path from start to goal");
+}