Advent of Code 2024 Day 7
Part 1
First recursion of the year
At least that's how I intend to earn one gold star today:
- Start with the full list
- Check both addition and multiplication
- For each result, continue with the remainder of the list
- Until I have either exceeded or matched the total
The difficulty will be in the details.
Let's do this!
Crafting my algorithm
First, I need to parse each line into a list of numbers:
let eqs = input.split('\n').map(line => { return [...line.matchAll(/\d+/g)].map(el => +el[0]) })
The first element is the desired total.
The rest are the ordered operands of the equation.
I'll need to account for this in my recursive function.
Here's my recursive function:
function eqChecker(operands, amount, test) { if (amount > test) { return false } else if (amount == test && operands.length == 0) { return true } else if (operands.length) { let copy = operands.slice() let first = copy.shift() return eqChecker(copy, amount + first, test) || eqChecker(copy, amount * first, test) } }
And here is the reduce that uses it:
let part1 = eqs.reduce((count, eq) => { if (eqChecker(eq.slice(2), eq[1], eq[0])) { count += eq[0] } return count }, 0)
As I hoped but never expect, it generates the correct answer for the example input!
Will it finish processing my puzzle input?
And if so, will it generate the correct answer?
I'm honestly not sure...
IT DID!!!
Woah!!!
As excited as I am, I fear that the next part will either add more operators, or require some advanced CS to make recursion no longer a viable solution.
Part 2
Totally unexpected! And way more difficult
How am I even going to do this?
...
A few days later...
A recap of my thought process:
- Is it as simple as adding a third clause to my return condition? Nope
- Is my Part 1 recursive function even configured correctly for success? Nope
- Oh no, is it even feasible to accrue an amount that's a result of prior operations? Nope
- Am I really going to have to approach this with a new strategy? Yup
Considering all new variations
For this equation:
292: 11 6 16 20
These are all possible equations given the three operators:
11 11+6 11+6+16 11+6+16+20 11+6+16*20 11+6+1620 11+6*16 11+6*16+20 11+6*16*20 11+6*1620 11+616 11*6 11*6+16 11*6+16+20 11*6+16*20 11*6+1620 11*6*16 11*616 116 116+16 116+16+20 116+16*20 116+1620 116*16 11616
Perhaps I can build up a string of each equation and manually evaluate it inside my recursive function.
For instance:
I start with an empty string in the outer-most function call:
""
From there, I create three variations using the next number:
"" + "+N" "" + "*N" "" + "N"
Hmm, but this won't work for the first number.
I need to start my first function call with the first number, not an empty string:
"N"
Same thing from there:
"N" + "+N" "N" + "*N" "N" + "N"
Ya, that should work.
By the end, I'll have these sample variations, all evaluable:
let eqs = input.split('\n').map(line => { return [...line.matchAll(/\d+/g)].map(el => +el[0]) })
Skip to: I coded it...and discovered a bigger issue
I wrote code that successfully generates all variations of equation.
function eqChecker(operands, amount, test) { if (amount > test) { return false } else if (amount == test && operands.length == 0) { return true } else if (operands.length) { let copy = operands.slice() let first = copy.shift() return eqChecker(copy, amount + first, test) || eqChecker(copy, amount * first, test) } }
- i is used to walk down the list of numbers
- The last clause only proceeds if i is before or at the second-to-last index
The function gets four values:
- A copy of the list of numbers, minus the expected total
- The next index
- The equation string with one of three strings concatenated to it
- The same test number
I call the function using nearly the same signature as in Part 1:
let part1 = eqs.reduce((count, eq) => { if (eqChecker(eq.slice(2), eq[1], eq[0])) { count += eq[0] } return count }, 0)
The difference is in what I pass as arguments:
- The list without the expected total amount
- Start at index 0
- A string containing the first number
- The expected total amount
Great news:
- It generates all equation variations
Bad news:
- It evaluates all equations using PEMDAS, not left-to-right
I should have known better...that the built-in JavaScript evaluator would default to the correct order of operations, not left-to-right.
This really throws an even bigger wrench into my algorithm:
- I'm going to have to break each equation apart and evaluate it portion-by-portion
Uggghhh.
Thankfully, I think I know just how to do that.
Doing maths manually
I need to get JavaScript to evaluate an equation like this:
292: 11 6 16 20
In this order:
11 11+6 11+6+16 11+6+16+20 11+6+16*20 11+6+1620 11+6*16 11+6*16+20 11+6*16*20 11+6*1620 11+616 11*6 11*6+16 11*6+16+20 11*6+16*20 11*6+1620 11*6*16 11*616 116 116+16 116+16+20 116+16*20 116+1620 116*16 11616
I'd like to split that equation into its parts:
""
The only way I see how is with this triple-chained expression:
"" + "+N" "" + "*N" "" + "N"
I pad each operator with white space only to use it as a separator.
A fact about this list of equation parts:
- It will always contain an odd amount of items that is 3 or greater
How can I leverage that fact in some loop that iterates through each operand-operator-operand pair?
Here's my idea:
- Remove the first three items
- Join them as a string and evaluate that as a math expression
- Reattach the result at the beginning of the equation list
- Repeat until the equation list is empty
Here's to hoping it works!
My working math simulator in JavaScript:
"N"
Great news:
- It's showing me the expected computed values
Bad news:
- I'm still not getting the correct answer for one equation in the example input
The example answer can't be wrong...can it??
The answer I keep generating is about 7k short of the expected answer.
That makes me think my algorithm isn't identifying this equation as correct:
let eqs = input.split('\n').map(line => { return [...line.matchAll(/\d+/g)].map(el => +el[0]) })
In the explanation of the example input, this is the winning equation:
function eqChecker(operands, amount, test) { if (amount > test) { return false } else if (amount == test && operands.length == 0) { return true } else if (operands.length) { let copy = operands.slice() let first = copy.shift() return eqChecker(copy, amount + first, test) || eqChecker(copy, amount * first, test) } }
My algorithm evaluates that equation and generates this outcome:
let part1 = eqs.reduce((count, eq) => { if (eqChecker(eq.slice(2), eq[1], eq[0])) { count += eq[0] } return count }, 0)
That's because my algorithm runs like this:
292: 11 6 16 20
I don't see how it could be any other number.
So...I Google'd.
And I found my answer, which was hiding in plain site in the explanation, as always:
All operators are still evaluated left-to-right.
I was pre-concatenating values with each recursive function call.
Instead, my algorithm should be doing this:
11 11+6 11+6+16 11+6+16+20 11+6+16*20 11+6+1620 11+6*16 11+6*16+20 11+6*16*20 11+6*1620 11+616 11*6 11*6+16 11*6+16+20 11*6+16*20 11*6+1620 11*6*16 11*616 116 116+16 116+16+20 116+16*20 116+1620 116*16 11616
Now that I understand what's supposed to happen, can I adjust my algorithm to match that processing behavior?
Left-to-right...for real this time
Thankfully, adjusting my algorithm was relatively easy.
I added a replaceAll() clause to account for ||.
The new while loop where I process every three items looks like this:
""
And I adjusted my return statement's || clause to include those characters, instead of instantly-concatenating the two numbers.
Testing and re-testing
I ran the algorithm on the example input.
It finally generated the correct answer!!
What a relief!!
I wonder if it will finish running and generate the correct answer on my puzzle input.
Pressing run...
...
...
I got an answer!
It's huge, so that's probably a good sign.
Is it the correct answer?
...
No. Too high.
Bummer.
Am I missing an edge case?
My condition for a winning equation is simply that the processed math equals the test amount.
But, what if one of the variant equations allows for a subset of numbers to generate a correct answer?
To catch and exclude this scenario, I updated my if condition to include one more clause:
"" + "+N" "" + "*N" "" + "N"
This way, only if all numbers are processed and the resulting amount equals the test number, will the equation be counted.
The big question:
- Does this change the answer I get?
Pressing run again...
...
Hmm, it sure still looks like the same answer.
Oh, wait, there are two digits near the end that are different!
My new answer is exactly 80 less than before.
Is there an equation with 80 as the expected amount?
Yes!
"N"
Is there a way to make 80 without using all the numbers?
Yes!
"N" + "+N" "N" + "*N" "N" + "N"
Was this the sole edge case that I needed to exclude?
Submitting my new answer...
IT'S CORRECT!!!
Woohoo!!!
I did it!!!
That. Was. Exhausting. And exhilarating. And really run. And challenging.
And every reason why I love doing these puzzles.
Onward to the next one!
The above is the detailed content of Bridge Repair. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undress AI Tool
Undress images for free

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

Java and JavaScript are different programming languages, each suitable for different application scenarios. Java is used for large enterprise and mobile application development, while JavaScript is mainly used for web page development.

JavaScriptcommentsareessentialformaintaining,reading,andguidingcodeexecution.1)Single-linecommentsareusedforquickexplanations.2)Multi-linecommentsexplaincomplexlogicorprovidedetaileddocumentation.3)Inlinecommentsclarifyspecificpartsofcode.Bestpractic

The following points should be noted when processing dates and time in JavaScript: 1. There are many ways to create Date objects. It is recommended to use ISO format strings to ensure compatibility; 2. Get and set time information can be obtained and set methods, and note that the month starts from 0; 3. Manually formatting dates requires strings, and third-party libraries can also be used; 4. It is recommended to use libraries that support time zones, such as Luxon. Mastering these key points can effectively avoid common mistakes.

PlacingtagsatthebottomofablogpostorwebpageservespracticalpurposesforSEO,userexperience,anddesign.1.IthelpswithSEObyallowingsearchenginestoaccesskeyword-relevanttagswithoutclutteringthemaincontent.2.Itimprovesuserexperiencebykeepingthefocusonthearticl

JavaScriptispreferredforwebdevelopment,whileJavaisbetterforlarge-scalebackendsystemsandAndroidapps.1)JavaScriptexcelsincreatinginteractivewebexperienceswithitsdynamicnatureandDOMmanipulation.2)Javaoffersstrongtypingandobject-orientedfeatures,idealfor

Event capture and bubble are two stages of event propagation in DOM. Capture is from the top layer to the target element, and bubble is from the target element to the top layer. 1. Event capture is implemented by setting the useCapture parameter of addEventListener to true; 2. Event bubble is the default behavior, useCapture is set to false or omitted; 3. Event propagation can be used to prevent event propagation; 4. Event bubbling supports event delegation to improve dynamic content processing efficiency; 5. Capture can be used to intercept events in advance, such as logging or error processing. Understanding these two phases helps to accurately control the timing and how JavaScript responds to user operations.

JavaScripthassevenfundamentaldatatypes:number,string,boolean,undefined,null,object,andsymbol.1)Numbersuseadouble-precisionformat,usefulforwidevaluerangesbutbecautiouswithfloating-pointarithmetic.2)Stringsareimmutable,useefficientconcatenationmethodsf

If JavaScript applications load slowly and have poor performance, the problem is that the payload is too large. Solutions include: 1. Use code splitting (CodeSplitting), split the large bundle into multiple small files through React.lazy() or build tools, and load it as needed to reduce the first download; 2. Remove unused code (TreeShaking), use the ES6 module mechanism to clear "dead code" to ensure that the introduced libraries support this feature; 3. Compress and merge resource files, enable Gzip/Brotli and Terser to compress JS, reasonably merge files and optimize static resources; 4. Replace heavy-duty dependencies and choose lightweight libraries such as day.js and fetch
