-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathday14.js
67 lines (54 loc) · 2.01 KB
/
day14.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
const initializationProgram = require('./entries/day14.js').default.split('\n');
const { sum, stringReduce } = require('./utils/reducers');
const formatMask = mask => mask.split(' = ')[1].trim();
const isMask = line => !!line.match(/^mask =/);
const formatOperation = operation => {
const [, address, value] = operation.match(/^mem\[(\d+)\] = (\d+)$/);
return {
address: parseInt(address),
value: parseInt(value, 10),
};
};
const formatToBinary = v => v.toString(2).padStart(mask.length, '0');
let memory = {};
// PART 1
const applyMaskToValue = (mask, value) => {
const binaryVal = formatToBinary(value);
let finalValueString = stringReduce(mask, (acc, m, i) => acc + (m === 'X' ? binaryVal[i] : m));
return parseInt(finalValueString, 2);
};
memory = {};
let mask = null;
initializationProgram.forEach(line => {
if (isMask(line)) {
mask = formatMask(line);
} else {
let { address, value } = formatOperation(line);
memory[address] = applyMaskToValue(mask, value);
}
});
console.log(Object.values(memory).reduce(sum));
// PART 2
const computeAllPotentialMasks = mask => {
if (!mask.includes('X')) return mask;
return [computeAllPotentialMasks(mask.replace('X', '0')), computeAllPotentialMasks(mask.replace('X', '1'))].flat();
};
const applyMaskToAddress = (mask, value, originMask) => {
const binaryAddr = formatToBinary(value);
let finalAddressString = stringReduce(mask, (acc, m, i) => acc + (originMask[i] === '0' ? binaryAddr[i] : m));
return parseInt(finalAddressString, 2);
};
memory = {};
let originMask = null;
let potentialMasks = [];
initializationProgram.forEach(line => {
if (isMask(line)) {
originMask = formatMask(line);
potentialMasks = computeAllPotentialMasks(originMask);
} else {
let { address, value } = formatOperation(line);
let decodedAddresses = potentialMasks.map(mask => applyMaskToAddress(mask, address, originMask));
decodedAddresses.forEach(decodedAddress => (memory[decodedAddress] = value));
}
});
console.log(Object.values(memory).reduce(sum));