summaryrefslogtreecommitdiff
path: root/aoc_2022/day-09/part_1.ts
diff options
context:
space:
mode:
authorElizabeth Hunt <elizabeth.hunt@simponic.xyz>2023-12-02 14:16:56 -0700
committerElizabeth Hunt <elizabeth.hunt@simponic.xyz>2023-12-02 14:16:56 -0700
commitcfd970e21663c3278f6e01d356690789225b6b56 (patch)
treea868659cc8425cc47ba1cd02509b3fe80632039c /aoc_2022/day-09/part_1.ts
parent118fc144884f0d716cc03e877aa85f83d289cec8 (diff)
downloadaoc-cfd970e21663c3278f6e01d356690789225b6b56.tar.gz
aoc-cfd970e21663c3278f6e01d356690789225b6b56.zip
2022 day 9 and add utils
Diffstat (limited to 'aoc_2022/day-09/part_1.ts')
-rw-r--r--aoc_2022/day-09/part_1.ts75
1 files changed, 75 insertions, 0 deletions
diff --git a/aoc_2022/day-09/part_1.ts b/aoc_2022/day-09/part_1.ts
new file mode 100644
index 0000000..b255aca
--- /dev/null
+++ b/aoc_2022/day-09/part_1.ts
@@ -0,0 +1,75 @@
+import { JSONSet } from "@/utils";
+
+type Point = {
+ x: number;
+ y: number;
+};
+
+const distance = (p1: Point, p2: Point) =>
+ Math.sqrt(Math.pow(p2.x - p1.x, 2) + Math.pow(p2.y - p1.y, 2));
+
+const isDiagAdj = (p1: Point, p2: Point) => distance(p1, p2) <= Math.sqrt(2);
+
+export const main = async (lines: string[]): Promise<number | string> => {
+ const knots: Point[] = Array(2)
+ .fill(null)
+ .map(() => ({ x: 0, y: 0 }));
+
+ const visited: JSONSet<Point> = new JSONSet();
+ visited.add(knots[0]);
+
+ for (const step of lines) {
+ const [dir, steps_s] = step.split(" ");
+ const steps = parseInt(steps_s);
+
+ for (let i = 0; i < steps; ++i) {
+ if (dir === "U") knots[0].y += 1;
+ if (dir === "L") knots[0].x -= 1;
+ if (dir === "R") knots[0].x += 1;
+ if (dir === "D") knots[0].y -= 1;
+
+ for (let knotidx = 1; knotidx < knots.length; knotidx++) {
+ const [head, tail] = [knots[knotidx - 1], knots[knotidx]];
+ if (!isDiagAdj(head, tail)) {
+ if (dir === "U") {
+ tail.x = head.x;
+ tail.y = head.y - 1;
+ }
+ if (dir === "L") {
+ tail.x = head.x + 1;
+ tail.y = head.y;
+ }
+ if (dir === "R") {
+ tail.x = head.x - 1;
+ tail.y = head.y;
+ }
+ if (dir === "D") {
+ tail.x = head.x;
+ tail.y = head.y + 1;
+ }
+ visited.add(tail);
+ }
+ }
+ }
+ }
+
+ return visited.size;
+};
+
+//
+
+const isrun = process.argv.length > 1 && process.argv[1] === import.meta.path;
+if (isrun) {
+ const file = Bun.file("./problem.txt");
+ const text = await file.text();
+ const lines = text.split("\n").filter((x) => x && x.length);
+
+ console.log("=== COMPUTATION ===\n");
+
+ const answer = await main(lines);
+
+ console.log("\n=== /COMPUTATION ===\n");
+
+ console.log("=== ANSWER TO P1 ===");
+ console.log(answer);
+}