Nashville Weather Changes: Spring Yesterday, Winter Today

Brian’s fitness journal after a brain stroke

True to the forecast, the temperature dropped 40 degrees since yesterday. This is classic Nashville behavior. Our weather doesn’t transition—it teleports. One day you’re contemplating spring allergies, the next you’re questioning your glove choices.

Just yesterday, it felt so warm that we spotted early spring flowers on the trees. My wife’s allergies immediately noticed. Apparently, pollen doesn’t wait for official permission. Spring showed up briefly, caused chaos, and left.

The shift happened fast. It stayed warm through the evening, but around 10 p.m., the wind started howling like it had a personal vendetta. The temperature plunged, and for a while, I was mildly concerned about losing electricity. My wife, meanwhile, slept soundly through it all—completely unaware of the weather drama unfolding outside.

To be fair, she had already checked today’s temperature before bed. She always does. Her running clothes are selected and staged based on the forecast, prepared calmly in advance like a seasoned field commander.

This morning, I waited for the day to reach its warmest point—which was still just below freezing—then reluctantly pulled on my gloves and headed out for my run. I was annoyed, but annoyance is practically a Tennessee weather survival skill.

Sometime overnight, a large branch snapped off a tree behind our house. I’m fairly certain I heard it crack. The tree itself survived, thankfully—it chose to sacrifice an arm rather than topple over onto our deck or house. Strategic, if unfortunate.

In the daylight, the damage was clear. The tree lost its largest limb and now looks thoroughly defeated. It was already struggling against neighboring trees, and since the one next to it fell last year, the ground may be too disturbed for it to stay upright much longer. This is likely a conversation I’ll need to have with my wife later.

On a brighter note, her Christmas present finally arrived today. I wrapped it up so it’ll be ready when she gets home—a small victory amid the wind, cold, and fallen branches.

So yes:
  • Yesterday: spring
  • Today: winter
  • Tomorrow: who knows

That’s Nashville. And somehow, we keep running anyway.

Graphing My Way Through the Library

Day 52 of 100 Days Coding Challenge: Python

You know you’ve reached a new level of coding attachment when you start treating your genre list like a prized bonsai tree—snipping here, trimming there, fussing over every little branch of logic. After revamping the program so it could accept new genres and pretty colors via a palette (very fancy, I know), I realized there was no graceful way to unmake a genre. What if I added “Historicl Fiction” by mistake? What if I picked a color so hideous that even my pie chart looked like it wanted to gag?
Today was all about giving myself the power to fix those flubs. Rename it, delete it, clean up my genre garden—snip snip! Because frankly, if I don’t like the color, the genre might just have to go.

Today’s Motivation / Challenge

Every great coder hits that moment where they scream at the screen, “Why can I add but not delete?!” It’s like buying furniture without knowing how to return it. I wanted my program to feel flexible, like a well-organized closet—not a hoarder’s storage unit of genre typos and duplicate categories. And let’s be honest, sometimes “Fantasy” and “Science Fiction” are just playing dress-up in each other’s clothes. Merge, rename, delete, repeat.

Purpose of the Code (Object)

This update lets users do a little genre housekeeping. You can now clean up your list by renaming genres (in case of typos or re-categorizing) or deleting them completely. It helps keep your visualizations tidy and your data organized—without diving into the JSON file manually. Think of it like giving your genre system a tiny admin panel without the drama.

AI Prompt:


Add a feature to let users rename or delete genres from the saved genre-color dictionary and persist it using JSON.

Functions & Features

Add a new genre and assign it a color using a color picker
Save all genres and colors to a JSON file automatically
Rename existing genres in case of typos or reclassification
Delete genres that are no longer wanted
Keep your pie charts and reports squeaky clean

Requirements / Setup

Install required library: pip install matplotlib pandas
Python 3.9 or later recommended for date handling and plotting.
No external JSON library needed—just the built-in json and os modules
tkinter (comes with Python standard library)

Minimal Code Sample

def rename_or_delete_genre(genre_color_dict):
print(“\nCurrent Genres:”)
for genre in genre_color_dict:
print(f”- {genre}”)

choice = input("\nRename or Delete? (r/d): ").strip().lower()
if choice == 'r':
    old = input("Old genre name: ")
    new = input("New genre name: ")
    if old in genre_color_dict:
        genre_color_dict[new] = genre_color_dict.pop(old)
        print(f"Renamed '{old}' to '{new}'.")
    else:
        print("Genre not found.")
elif choice == 'd':
    target = input("Genre to delete: ")
    if target in genre_color_dict:
        del genre_color_dict[target]
        print(f"Deleted '{target}'.")
    else:
        print("Genre not found.")
save_genre_colors(genre_color_dict)

This snippet shows how to let users clean up the genre-color dictionary and save the changes.

Book Tracker

Notes / Lessons Learned

This might sound like a small tweak, but it was a surgical upgrade. I tested, tweaked, and made backup copies like I was preparing to launch a space probe, not a genre menu. And wow—what a difference it made. Now if I want to merge “Thriller” into “Mystery,” I don’t need to panic about breaking anything.
It also got me thinking about naming in general. Genres are a bit like moods—they shift. So it helps to keep things tidy and editable. Pro tip? Rename before deleting, just in case you regret it five seconds later.
Also, I’m now officially annoyed that my function menu jumps from 7 to 11. Time to refactor. Naming may be hard, but numbering is… even harder?

Optional Ideas for Expansion

  • Add a feature to merge two genres into one, including updating past entries
  • Include a log file that records changes to genres for version control
  • Let users reorder the genre list manually so the menu stays tidy and satisfying

A Little Genre Surgery: Rename, Remove, Repeat

Day 51 of 100 Days Coding Challenge: Python

You know you’ve reached a new level of coding attachment when you start treating your genre list like a prized bonsai tree—snipping here, trimming there, fussing over every little branch of logic. After revamping the program so it could accept new genres and pretty colors via a palette (very fancy, I know), I realized there was no graceful way to unmake a genre. What if I added “Historicl Fiction” by mistake? What if I picked a color so hideous that even my pie chart looked like it wanted to gag?

Today was all about giving myself the power to fix those flubs. Rename it, delete it, clean up my genre garden—snip snip! Because frankly, if I don’t like the color, the genre might just have to go.

Today’s Motivation / Challenge

Every great coder hits that moment where they scream at the screen, “Why can I add but not delete?!” It’s like buying furniture without knowing how to return it. I wanted my program to feel flexible, like a well-organized closet—not a hoarder’s storage unit of genre typos and duplicate categories. And let’s be honest, sometimes “Fantasy” and “Science Fiction” are just playing dress-up in each other’s clothes. Merge, rename, delete, repeat.

Purpose of the Code (Object)

This update lets users do a little genre housekeeping. You can now clean up your list by renaming genres (in case of typos or re-categorizing) or deleting them completely. It helps keep your visualizations tidy and your data organized—without diving into the JSON file manually. Think of it like giving your genre system a tiny admin panel without the drama.

AI Prompt:

“Add a feature to let users rename or delete genres from the saved genre-color dictionary and persist it using JSON.”

Functions & Features

  • Add a new genre and assign it a color using a color picker
  • Save all genres and colors to a JSON file automatically
  • Rename existing genres in case of typos or reclassification
  • Delete genres that are no longer wanted
  • Keep your pie charts and reports squeaky clean

Requirements / Setup

pip install matplotlib pandas

(Also includes built-in modules like json and os, so no sweat there.)

Minimal Code Sample

def rename_or_delete_genre(genre_color_dict):

    print(“\nCurrent Genres:”)

    for genre in genre_color_dict:

        print(f”- {genre}”)

    choice = input(“\nRename or Delete? (r/d): “).strip().lower()

    if choice == ‘r’:

        old = input(“Old genre name: “)

        new = input(“New genre name: “)

        if old in genre_color_dict:

            genre_color_dict[new] = genre_color_dict.pop(old)

            print(f”Renamed ‘{old}’ to ‘{new}’.”)

        else:

            print(“Genre not found.”)

    elif choice == ‘d’:

        target = input(“Genre to delete: “)

        if target in genre_color_dict:

            del genre_color_dict[target]

            print(f”Deleted ‘{target}’.”)

        else:

            print(“Genre not found.”)

    save_genre_colors(genre_color_dict)

This snippet shows how to let users clean up the genre-color dictionary and save the changes.

Book Tracker

Notes / Lessons Learned

This might sound like a small tweak, but it was a surgical upgrade. I tested, tweaked, and made backup copies like I was preparing to launch a space probe, not a genre menu. And wow—what a difference it made. Now if I want to merge “Thriller” into “Mystery,” I don’t need to panic about breaking anything.

It also got me thinking about naming in general. Genres are a bit like moods—they shift. So it helps to keep things tidy and editable. Pro tip? Rename before deleting, just in case you regret it five seconds later.

Also, I’m now officially annoyed that my function menu jumps from 7 to 11. Time to refactor. Naming may be hard, but numbering is… even harder?

Optional Ideas for Expansion

  • Add a feature to merge two genres into one, including updating past entries
  • Include a log file that records changes to genres for version control
  • Let users reorder the genre list manually so the menu stays tidy and satisfying

Running After Poor Sleep and Even Less Patience

Brian’s fitness journal after a brain stroke

Some days, sleep simply refuses to cooperate. Last night was one of them.

I woke up around 1 a.m. and stayed awake for hours, staring into the darkness while my brain ran its own unsolicited marathon. By morning, my body made it very clear that it had not signed up for this level of sleep deprivation.

Fridays come with their own fixed set of chores, and today was no exception. My wife took the day off—strategically—because she needs to work an extra day next week. She had already been up for hours, moving briskly through chores she scheduled a month ago. That’s just how she operates. Planning is her superpower.

Despite feeling tired down to my bones, I got up at my normal time. Routine has a way of carrying you when energy doesn’t. After breakfast, I felt marginally more human and decided to go for my run. This was not enthusiasm—it was willpower.

My wife, already finished with her morning exercise, cheerfully reported how wonderful it was outside. And she was right. By the time I stepped out, it was already above 65°F—shockingly warm for winter in Tennessee. She’s thoroughly enjoying this mild American winter, having lived in Canada long enough to expect a white Christmas.

I remember Canadian winters vividly. One year, we shoveled nearly a foot of snow. If you live in the snow belt, snow removal becomes a lifestyle choice.

Today’s run felt great weather-wise. Shorts made another appearance. Speed, however, did not. I didn’t hit my target pace, and I’m placing full responsibility on poor sleep and lingering exhaustion.

My wife mentioned the other day—backed by her usual deep dive into nearly 100 academic journals—that sleep quality has a direct impact on cardio and resistance training performance. She doesn’t repeat common wisdom; she verifies it. That level of professional skepticism likely comes from her accounting background. Admirable? Yes. Exhausting? Also yes.

Despite the fatigue, I managed to complete everything on today’s to-do list. Still, there was a quiet sense of dread hovering over the day—the kind that only poor sleep can bring.

Now that it’s early evening, I’m nearly caught up. Once I finish my pullovers, I’ll officially be in the clear. The hope is simple: better sleep tonight, a stronger run tomorrow, and fewer arguments with my pillow.

One tired day down. Tomorrow gets another shot.

Fifty Shades of Hue: Letting the User Pick the Palette

Day 50 of 100 Days Coding Challenge: Python

Some people know the names of colors the way sommeliers know wines—by region, undertone, and emotional baggage. I am not one of those people. The other day, I misspelled a color name while trying to assign it to a new genre. I expected a big angry error message. Instead? Python shrugged and picked something. It was a shade, I suppose, but not the one I had in mind. That’s when I realized: if I’m going to survive this genre-color dance, I need more than luck. I need a color picker.

So today’s upgrade is all about seeing what you’re getting. No more guessing if “slateblue” is dusty or deep, no more typing out names like “lightgoldenrodyellow” with trembling fingers. Now I just click, pick, and go. Call it coding for the colorblindly optimistic.

Today’s Motivation / Challenge

Because naming colors from memory is a trap. Unless you moonlight as a paint chip designer at Benjamin Moore, chances are you don’t know your cornflower from your cadet blue. Adding a visual color picker turns the guessing game into a satisfying click-and-smile experience. Think of it as your genre’s fashion stylist—choosing just the right outfit without you typing the wrong thing.

Purpose of the Code (Object)

This project adds a GUI color picker to the genre customization tool. Now, when you want to assign a new color to a genre, a little window pops up and lets you see your options—no spelling errors, no surprises. Once you choose your color, the code saves it so your pie charts remain stylish and sensible across runs.

AI Prompt:

Create a visual color picker for assigning genre colors in a book tracking program using tkinter. Make sure the selection is saved and reused.

Functions & Features

  • Add new genres with customized colors
  • Pick colors visually using a color palette window
  • Automatically save selected colors to a persistent JSON file
  • Load colors each time the program starts—no hardcoding needed
  • Keeps your genre pie charts looking consistent and fabulous

Requirements / Setup

 Built-in modules only—no pip installs needed!
Just make sure you’re using:

  • Python 3.x
  • tkinter (comes with Python standard library)

Minimal Code Sample

def choose_color_gui():

    import tkinter as tk

    from tkinter import colorchooser

    root = tk.Tk()

    root.withdraw()

    return colorchooser.askcolor(title=”Choose a Color”)[1]

This little window lets you visually pick a HEX color without typing anything.

Book Tracker

Notes / Lessons Learned

Adding a color picker was smoother than expected—until I realized the pop-up window was hiding behind my active screen. Cue two minutes of wondering if the code was broken, followed by an “aha!” moment on screen two. Also, as always, I backed up my program first. Rule #1 of coding anything visual: back up, test, and be ready for the ghost windows that pop up in the digital shadows. But once I found it, the tool worked beautifully. For someone like me—who thinks in color families, not exact swatches—this is a game changer.

Optional Ideas for Expansion

  • Add a “preview pie chart” before saving the color to test how it looks
  • Suggest complementary or contrasting colors based on your selection
  • Group similar genres with similar shades for aesthetic cohesion

The Case of the Missing Genre: Solved by JSON

Day 49 of 100 Days Coding Challenge: Python

One day, you’re happily adding a shiny new genre—Mystery—and the next day it’s gone, vanished like a plot twist in an Agatha Christie novel. No “goodbye,” no note, not even a hint of suspense music. I had proudly added a function yesterday to introduce new genres and assign them pretty colors. But today? That color-coded Mystery entry was MIA.

It turns out I was adding it, but… nowhere permanent. The program was as forgetful as I am without caffeine. So, I rolled up my digital sleeves and decided it was time to get serious. Enter: the humble JSON file. My mission? To build a system where genres and their colors stick around—even after the script shuts down. This also meant rewriting a lot of the functions that were still clinging to the old hardcoded dictionary, like it was a safety blanket. It was a minor genre revolution.

Today’s Motivation / Challenge

Why bother with persistent data? Well, imagine creating something you’re proud of—then watching it vanish the next time you open the program. Frustrating, right? This project reminded me of learning to save Word documents the first time you write them. This was about teaching my Python script to remember what I told it… like a well-trained assistant, not a goldfish.

Purpose of the Code (Object)

This update allows the program to permanently remember newly added genres and their colors. Instead of living only in memory (and disappearing the moment you close your terminal), your genres are now safely stored in a JSON file—ready to return every time you open the app. It’s like giving your code a diary… and making sure it actually writes in it.

AI Prompt

Able to save newly added genres and their colors.

Functions & Features

  • Load genre-color pairs from a JSON file at startup
  • Add new genres with custom colors on the fly
  • Automatically save those updates so nothing gets lost
  • Replaces hardcoded dictionaries with dynamic loading

Requirements / Setup

  • Python 3.6+
  • pandas, matplotlib
  • No external JSON library needed—just the built-in json and os modules

Install if needed:

pip install pandas matplotlib

Minimal Code Sample

import json

import os

GENRE_FILE = “genre_colors.json”

def load_genre_colors():

    if os.path.exists(GENRE_FILE):

        with open(GENRE_FILE, ‘r’) as f:

            return json.load(f)

    return {

        “Fiction”: “gray”,

        “Fantasy”: “purple”

    }

def save_genre_colors(genre_color_dict):

    with open(GENRE_FILE, ‘w’) as f:

        json.dump(genre_color_dict, f, indent=4)

# Use these to load and update your color map

genre_color_dict = load_genre_colors()

This snippet loads and saves your genre-color dictionary using a JSON file instead of hardcoded values.

Book Tracker

Notes / Lessons Learned

This was actually a significant overhaul of the existing programming. I was so nervous I triple-checked every line and even cloned my file before making changes—just in case things went full chaos mode. First, I had to import json and os, then create a file path for my new JSON genre diary. Next, I rewired the loading function to pull from this file, and rewrote add_new_genre_color() to actually save the additions (not just pretend).

Then came the big cleanup: my program was still using GENRE_COLORS all over the place like it was 2022. Every instance had to be swapped with genre_color_dict to work with my new system. That part? Not glamorous. But when I ran the script and everything held together—and Mystery stayed put—it felt like winning a game of digital Clue.

Optional Ideas for Expansion

  • Add a user input menu to pick a color visually from a palette (instead of typing ‘slateblue’)
  • Add a “reset to default” feature if your JSON file ever gets out of hand
  • Include tooltips in the visualization showing genre + average page counts

Running in Shorts on Warm Christmas Eve (and Other Seasonal Confusions)

Brian’s fitness journal after a brain stroke

It’s eerily warm this Christmas Eve—warm enough that I ran in shorts. Seasonally inappropriate, yes. Thermodynamically accurate, also yes.

When I woke up, my nose felt congested. After one decisive blow, it started bleeding. Festive. I’m blaming the unusually low humidity we’ve had over the past few weeks. My skin has also been itchy enough to qualify as a minor distraction, though lotion keeps things from escalating.

This Christmas in Nashville has been strange. One day we hit the high 60s Fahrenheit, which immediately reminded me of Vancouver, where we lived briefly. Vancouver summers rarely go above 72–73°F, so a nearly 70-degree day there feels like a heatwave. Today had that same confused energy—winter pretending to be spring.

I did pause to worry about the nosebleed. These days, anything involving blood earns a moment of concern. Nosebleeds can signal high blood pressure, but after checking, mine was fine. Dryness seems to be the real culprit.

My wife, ever the source of oddly specific medical trivia, once told me she used to get nosebleeds from eating too much chocolate. She also had frequent nosebleeds during sudden temperature or pressure changes—so frequent, in fact, that she had the nasal veins cauterized in her teens. She hasn’t had a nosebleed since, though she remains cautious around chocolate and rapid weather shifts.

I worry more than I used to. Knowledge does that to you. Once you know what could be wrong, your brain insists on checking every possibility.

Unfortunately, my run didn’t go particularly well either. I felt distracted and held back, partly because I was worried my nose might start bleeding again if I pushed too hard. Running in shorts usually feels like an automatic speed boost, but not today.

Still, it wasn’t a total loss. I matched Monday’s pace, which means there’s at least some improvement from earlier this week. And with three more runs before the week ends, I still have chances to hit my target pace.

So:

  • Warm Christmas Eve ✔️
  • Shorts in December ✔️
  • Festive nosebleed ✖️
  • Perfect run ❌

Not ideal—but manageable. And on Christmas Eve, that’s good enough.

Adding a Splash of Genre Flair

Day 48 of 100 Days Coding Challenge: Python

After days of tinkering with this book tracker like a mad librarian with a barcode scanner, I realized something important: I don’t want to be the poor soul manually updating the genre-color dictionary every time I read something new. Let’s face it—“User-friendly” doesn’t mean much when the only user is me, and I still find myself muttering, “Why isn’t this thing purple?” every time I forget to update the genre list.

So today’s quest? Build a feature that lets me add new genres and assign them pretty little colors on the fly—without breaking the whole program or sending myself into a debugging spiral. It’s not just about aesthetics. It’s about freedom. Genre freedom. Color-coded, quarter-sorted, reader-powered freedom.

Today’s Motivation / Challenge

Sometimes, your biggest obstacle is your past self—the one who hardcoded things thinking they’d never change. Past Me didn’t expect Present Me to branch out from Fantasy and Sci-Fi. But here we are, reading historical dramas and the occasional poem. Rather than letting my program judge me for my evolving tastes, I figured it was time to teach it some manners. Today’s challenge was about flexibility: giving my tracker the power to grow as my reading list does.

Purpose of the Code (Object)

This update makes the book tracker more interactive and adaptable. Instead of manually editing the genre-color dictionary every time I pick up a new type of book, I can now add a new genre and assign it a color from within the program itself. It’s one small line of code for me, one giant leap for my sanity.

AI Prompt:

“Add a function that allows the user to update the genre-color dictionary during runtime without editing the code directly.”

Functions & Features

  • Add and assign a new genre with a custom color
  • Auto-updated pie and bar charts include the new genre
  • Prevents duplicate genres by checking existing entries
  • Keeps your genre list as fresh as your reading habits

Requirements / Setup

You’ll need:

pip install matplotlib pandas

Python 3.8+ is recommended, but it should work on most modern versions.

Minimal Code Sample

def add_new_genre_color(genre_color_dict, new_genre, new_color):

    if new_genre in genre_color_dict:

        print(f”{new_genre} already exists with color {genre_color_dict[new_genre]}.”)

    else:

        genre_color_dict[new_genre] = new_color

        print(f”Added new genre: {new_genre} with color {new_color}.”)

This simple function updates the dictionary in real time, without opening the script file.

Book Tracker

Notes / Lessons Learned

One of the biggest challenges I’m facing now is the trail of code left behind by my earlier, less organized self. Back then, I hardcoded colors like a kid with a new box of crayons and zero aesthetic restraint. The result? A genre list that doesn’t always match my pie chart, or my mood.

Today, I tested the new feature by adding “Mystery” as a genre. I even fabricated a “Mystery Book” just to make sure it worked. Spoiler: it did. And yes, it showed up beautifully in the pie chart too. Eventually, I might scrap the rigid GENRE_COLORS dictionary altogether and switch to a fully dynamic model—one that builds as I read. One genre at a time.

Optional Ideas for Expansion

  • Save updated genres and colors to a JSON file so they persist after the script closes
  • Add a feature to suggest random colors if the user can’t pick one
  • Let users rename or delete genres via a menu option

Quarterly Exhaustion: Which Genres Drain Your Brain?

Day 47 of 100 Days Coding Challenge: Python

I read for all kinds of reasons—personal growth, research, curiosity, or just to escape reality for a few hundred pages. And because of that, my bookshelf looks like it belongs to someone with multiple personalities. I’ve always known that I gravitate toward science fiction and fantasy (Stormlight Archive, anyone?), but lately I’ve had a sneaking suspicion: fantasy books might secretly be way longer than anything else.

So today, I decided to test that theory by adding a feature to calculate the average number of pages per genre per quarter. If fantasy is the literary equivalent of leg day, I want to know. And if I’m dragging by the end of Q3, it’s probably Brandon Sanderson’s fault.

Today’s Motivation / Challenge

You know that feeling when you finish a 900-page fantasy tome and think, “Why am I so tired?” Well, data can tell you why. Today’s challenge was to turn that vague feeling into a measurable trend. Think of it like a quarterly report—but instead of sales revenue, we’re analyzing book-induced fatigue.

Purpose of the Code (Object)

This code analyzes your reading log and breaks down the average number of pages you’ve read per genre, grouped by quarter. It helps you discover seasonal trends in your reading habits—like whether you go hard on historical fiction in spring or slow-burn through sci-fi during winter.

AI Prompt:

Add the function to calculate the average page count per Genre, grouped by quarter.

Functions & Features

  • Calculates average page count per genre, grouped by quarter
  • Displays the data in both printed table form and as a bar chart
  • Helps you discover which genres are “page-heavy” per season
  • Adds one more analytical layer to your personal book dashboard

Requirements / Setup

pip install pandas matplotlib

Minimal Code Sample

df[‘Quarter’] = df[‘Date Finished’].dt.to_period(‘Q’)

avg_pages = df.groupby([‘Quarter’, ‘Genre’])[‘Pages’].mean().unstack().fillna(0)

avg_pages.round(1).plot(kind=’bar’)

This snippet groups books by quarter and genre, calculates the average pages, and plots a bar chart.

Book Tracker

Notes / Lessons Learned

I’m officially over my fear of virtual environments—no more mysterious typos or wondering why the environment won’t activate. Adding this new function was pretty smooth. One thing I still find slightly annoying is juggling the menu options. Now that “exit” is option 7 and this new analysis is 8, my orderly brain twitches a little. But hey, renumbering is just cosmetic, right?

Honestly, the more I work on this program, the more I feel like it’s becoming mine. I’m not just learning Python anymore—I’m building something I actually want to use. That’s got to be the most rewarding part. Well, that and finally proving that fantasy books are absolute beasts.

Optional Ideas for Expansion

  • Let users filter by author to see who writes the longest tomes
  • Export the genre-per-quarter averages to a CSV file for archiving
  • Add a “reading fatigue index” based on total pages per week

Holiday Baking for Family, and the Quiet Joy of Making Pie

Brian’s fitness journal after a brain stroke

Today’s most important task wasn’t glamorous—but it was meaningful:
I peeled, sliced, and macerated apples for tomorrow’s apple pie.

We’re heading to my sister’s house for a Christmas party, and my official contribution is two pies: one apple, one pumpkin. Sadly, my mother won’t be able to come this year because she has the flu and doesn’t want to share it with the rest of us. That’s disappointing—but also considerate. Germs are not festive.

I was still excited, though. I used this same apple-pie process for Thanksgiving, and my brother-in-law—a genuinely excellent cook—complimented it. That is high praise. When someone who regularly feeds everyone beautifully enjoys something you made, it hits differently.

So yes, I’m happily attempting a repeat performance.

I always prep pies two days ahead. Pies, like good ideas, improve with a little patience. The day before baking, I macerate the apples—letting sugar and spices pull out their juices and soften them overnight. Tomorrow, all I have to do is assemble and bake.

The pumpkin pie required a small compromise this year. We didn’t make our own pumpkin purée like usual. Everyone was too busy, and even applesauce didn’t happen. So we bought purée from the store. Is it as romantic? No. Is it acceptable? Absolutely.

I love baking for family gatherings. It’s how I show up. I’ve loved baking since I was a teenager, and after my brain stroke—when I couldn’t even draw a proper clock—I still baked my wife a birthday cake with my father’s help. Baking gave me structure, sequencing, and purpose. In a very real way, it became part of my rehabilitation.

There’s something deeply grounding about measuring, mixing, waiting, and watching something become whole.

I can’t believe the year is almost over. The best parts of the holidays are still ahead. My wife is already excited to see her niece—she only gets that chance during family gatherings because life is so busy for everyone.

For now, I’m content with bowls of spiced apples resting quietly in the fridge, doing their slow magic.

It feels good to contribute something made with care to people I care about—even if it’s just pie.