This commit is contained in:
Eric Mertens 2022-11-04 19:59:35 -07:00
parent 29a840bdfc
commit 48808dab97
2 changed files with 95 additions and 0 deletions

View File

@ -0,0 +1,27 @@
#ifndef INTCODE_GRID_HPP_
#define INTCODE_GRID_HPP_
#include <ostream>
#include <map>
#include <tuple>
#include <intcode/Machine.hpp>
namespace intcode {
using Coord = std::pair<ValueType, ValueType>;
auto Draw(std::ostream & out, std::map<Coord, ValueType> image) -> void;
auto Up(Coord) -> Coord;
auto Down(Coord) -> Coord;
auto Left(Coord) -> Coord;
auto Right(Coord) -> Coord;
auto CW(Coord) -> Coord;
auto CCW(Coord) -> Coord;
auto Add(Coord, Coord) -> Coord;
} // namespace
#endif

68
lib/src/Grid.cpp Normal file
View File

@ -0,0 +1,68 @@
#include <intcode/Grid.hpp>
namespace intcode {
auto Draw(std::ostream & out, std::map<Coord, ValueType> image) -> void {
ValueType minX = 0, maxX = 0, minY = 0, maxY = 0;
for (auto&& [k, _] : image) {
auto [x,y] = k;
minX = std::min(minX, x);
maxX = std::max(maxX, x);
minY = std::min(minY, y);
maxY = std::max(maxY, y);
}
for (ValueType y = minY; y <= maxY; y++) {
for (ValueType x = minX; x <= maxX; x++) {
auto it = image.find({x,y});
if (image.end() == it) {
out << ".";
} else switch (it->second) {
case 0: out << ""; break;
case 1: out << ""; break;
case 2: out << "2"; break;
case 3: out << "3"; break;
case 4: out << "4"; break;
default: out << "!"; break;
}
}
out << "\n";
}
}
auto Up(Coord c) -> Coord {
c.second -= 1;
return c;
}
auto Down(Coord c) -> Coord {
c.second += 1;
return c;
}
auto Left(Coord c) -> Coord {
c.first -= 1;
return c;
}
auto Right(Coord c) -> Coord {
c.first += 1;
return c;
}
auto CW(Coord c) -> Coord {
std::swap(c.first, c.second);
c.first = -c.first;
return c;
}
auto CCW(Coord c) -> Coord {
std::swap(c.first, c.second);
c.second = -c.second;
return c;
}
auto Add(Coord x, Coord y) -> Coord {
return {x.first + y.first, x.second + y.second};
}
} // namespace