2019-12-14 17:05:43 -06:00
|
|
|
#include "Day2Solution.h"
|
2019-12-14 04:10:44 -06:00
|
|
|
#include <fstream>
|
2019-12-14 17:05:43 -06:00
|
|
|
#include <iostream>
|
|
|
|
|
|
|
|
void Day2Solution::run()
|
|
|
|
{
|
|
|
|
std::string line;
|
|
|
|
std::ifstream input_file("../input/day2.txt");
|
|
|
|
std::vector<int> program;
|
|
|
|
|
|
|
|
if (input_file.is_open()) {
|
|
|
|
while (getline(input_file, line, ',')) {
|
|
|
|
program.push_back(std::stoi(line));
|
|
|
|
}
|
|
|
|
|
|
|
|
auto result1 = run_program(program, 12, 2);
|
|
|
|
std::cout << "Part 1 Answer: " << result1 << std::endl;
|
|
|
|
|
|
|
|
auto result2 = search_program(program, 19690720);
|
|
|
|
std::cout << "Part 2 Answer: " << result2 << std::endl;
|
|
|
|
|
|
|
|
input_file.close();
|
|
|
|
}
|
|
|
|
}
|
2019-12-14 04:10:44 -06:00
|
|
|
|
2019-12-14 17:05:43 -06:00
|
|
|
int Day2Solution::run_program(std::vector<int> program, int noun, int verb)
|
2019-12-14 04:10:44 -06:00
|
|
|
{
|
2019-12-14 17:05:43 -06:00
|
|
|
auto program_counter = 0;
|
|
|
|
auto running = true;
|
2019-12-14 04:10:44 -06:00
|
|
|
program[1] = noun;
|
|
|
|
program[2] = verb;
|
2019-12-14 17:05:43 -06:00
|
|
|
while (running) {
|
2019-12-14 04:10:44 -06:00
|
|
|
auto opcode = program[program_counter++];
|
|
|
|
auto val1 = program[program[program_counter++]];
|
|
|
|
auto val2 = program[program[program_counter++]];
|
|
|
|
|
2019-12-14 17:05:43 -06:00
|
|
|
switch (opcode) {
|
2019-12-14 04:10:44 -06:00
|
|
|
case 1: // addition
|
|
|
|
program[program[program_counter++]] = val1 + val2;
|
|
|
|
break;
|
|
|
|
case 2: // multiplication
|
|
|
|
program[program[program_counter++]] = val1 * val2;
|
|
|
|
break;
|
|
|
|
case 99: // halt
|
|
|
|
default: // unhandled
|
|
|
|
running = false;
|
|
|
|
break;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return program[0];
|
|
|
|
}
|
|
|
|
|
2019-12-14 17:05:43 -06:00
|
|
|
int Day2Solution::search_program(std::vector<int> program, int expected_value)
|
2019-12-14 04:10:44 -06:00
|
|
|
{
|
2019-12-14 17:05:43 -06:00
|
|
|
for (auto noun = 0; noun < 99; noun++) {
|
|
|
|
for (auto verb = 0; verb < 99; verb++) {
|
2019-12-14 04:10:44 -06:00
|
|
|
auto value = run_program(program, noun, verb);
|
2019-12-14 17:05:43 -06:00
|
|
|
if (value == expected_value) {
|
2019-12-14 04:10:44 -06:00
|
|
|
return 100 * noun + verb;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return -1;
|
|
|
|
}
|