/**
* Solver for Day 4 of Advent of Code 2025
*
* To use this solver:
* 1. Implement the solve function below
* 2. The function receives the puzzle input as a string
* 3. Return the solution (can be a string, number, or object)
*/
function mergeRanges(ranges: Array<[number, number]>): Array<[number, number]> {
if (ranges.length === 0) {
return []
}
// Sort by start position
const sortedRanges = [...ranges].sort((a, b) => a[0] - b[0])
const merged: Array<[number, number]> = [sortedRanges[0]]
for (let i = 1; i < sortedRanges.length; i++) {
const [start, end] = sortedRanges[i]
const lastIdx = merged.length - 1
const [lastStart, lastEnd] = merged[lastIdx]
// If current range overlaps or is adjacent to last range
if (start <= lastEnd + 1) {
// Extend the last range if needed
merged[lastIdx] = [lastStart, Math.max(lastEnd, end)]
} else {
// No overlap, add as new range
merged.push([start, end])
}
}
return merged
}
function binarySearchIsFresh(
id: number,
mergedRanges: Array<[number, number]>,
): boolean {
let left = 0
let right = mergedRanges.length - 1
let result = -1
// Find the rightmost range that starts at or before id
while (left <= right) {
const mid = Math.floor((left + right) / 2)
if (mergedRanges[mid][0] <= id) {
result = mid
left = mid + 1
} else {
right = mid - 1
}
}
if (result >= 0) {
const [start, end] = mergedRanges[result]
return start <= id && id <= end
}
return false
}
function countFreshIngredientsFast(
ranges: Array<[number, number]>,
ingredientIds: Array<number>,
): number {
const merged = mergeRanges(ranges)
return ingredientIds.filter((id) => binarySearchIsFresh(id, merged)).length
}
export function solve(input: string): Promise<string | number | object> {
const [rangesStr, numbersStr] = input.split('\n\n')
// Filter out blank lines when parsing ranges
const ranges = rangesStr
.split('\n')
.filter((line) => line.trim() !== '')
.map((line) => {
const [start, end] = line.split('-').map(Number)
return [start, end] as [number, number]
})
.sort((a, b) => a[0] - b[0])
// Filter out blank lines when parsing numbers
const numbers = numbersStr
.split('\n')
.filter((line) => line.trim() !== '')
.map(Number)
const merged = mergeRanges(ranges)
// pt 1
const freshCount = countFreshIngredientsFast(ranges, numbers)
// pt 2
const totalRange = merged.reduce(
(acc, [start, end]) => acc + (end - start + 1),
0,
)
return Promise.resolve({
part1: freshCount,
part2: totalRange,
})
}
Create a file at src/solvers/day05.ts with the following structure:
export async function solve(input: string): Promise<string | number | object> {
// Your solution here
// The input parameter contains the puzzle input as a string
// Example:
const lines = input.trim().split('\n');
// Process and return your answer
return 'Your answer here';
}Then, import it in src/solvers/index.ts and add it to the solvers object:
import * as day05 from './day05'
export const solvers = {
// ... existing solvers
'05': day05,
}The solver function will receive the puzzle input as a string and should return the solution (string, number, or object).
As the forklifts break through the wall, the Elves are delighted to discover that there was a cafeteria on the other side after all.
You can hear a commotion coming from the kitchen. "At this rate, we won't have any time left to put the wreaths up in the dining hall!" Resolute in your quest, you investigate.
"If only we hadn't switched to the new inventory management system right before Christmas!" another Elf exclaims. You ask what's going on.
The Elves in the kitchen explain the situation: because of their complicated new inventory management system, they can't figure out which of their ingredients are fresh and which are spoiled. When you ask how it works, they give you a copy of their database (your puzzle input).
The database operates on ingredient IDs. It consists of a list of fresh ingredient ID ranges, a blank line, and a list of available ingredient IDs. For example:
3-5
10-14
16-20
12-18
1
5
8
11
17
32
The fresh ID ranges are inclusive: the range 3-5 means that ingredient IDs 3, 4, and 5 are all fresh. The ranges can also overlap; an ingredient ID is fresh if it is in any range.
The Elves are trying to determine which of the available ingredient IDs are fresh. In this example, this is done as follows:
1 is spoiled because it does not fall into any range.5 is fresh because it falls into range 3-5.8 is spoiled.11 is fresh because it falls into range 10-14.17 is fresh because it falls into range 16-20 as well as range 12-18.32 is spoiled.So, in this example, 3 of the available ingredient IDs are fresh.
Process the database file from the new inventory management system. How many of the available ingredient IDs are fresh?
To begin, get your puzzle input.
Answer:
You can also [Shareon Bluesky Twitter Mastodon] this puzzle.