Running in Ice and Snow: Saving My 100-Week Streak Against the Weather

Brian’s fitness journal after a brain stroke

Today, my running app delivered a quiet but deeply threatening message:
“Two more days to log a run before your 100+ week streak is interrupted.”

Nothing motivates quite like the possibility of digital judgment.

Normally, I would not panic. My plan was simple—run tomorrow, maintain the streak, and continue life as a responsible and consistent human being. However, winter had other narrative ambitions.

A quick glance at tomorrow’s forecast revealed snow, thunder, and temperatures about ten degrees colder. In other words, the weather equivalent of saying, “Perhaps stay inside and reconsider your life choices.”

The recent bad weather has already disrupted my running schedule. After the ice storm just a few days ago, the ground is still suspiciously slippery in places. I had hoped tomorrow would be my triumphant return, but the forecast strongly suggested otherwise.

So, in a rare plot twist, I chose to run today—an unusual running day—purely out of strategic necessity. When the weather becomes unpredictable, flexibility becomes a survival skill.

Meanwhile, my wife continues exercising as if icy conditions are merely a mild inconvenience. She owns an extreme cold-weather running jacket imported from Canada, where winters apparently function as advanced training environments. Compared to that, Tennessee’s ice probably feels like a beginner level.

Inspired (and slightly pressured by my own running streak), I prepared for battle:
new warm pants, gloves, a hat, and a cautious mindset.

Road conditions after the ice storm persists

Stepping outside felt like entering a carefully disguised obstacle course. Some areas were clear, others were icy traps waiting patiently for overconfidence. I slowed down in several spots, prioritizing dignity and bone preservation over speed. Falling would have been memorable, but not in a good way.

Surprisingly, the run went exceptionally well.
Not only did I avoid falling, but I also completed my third-fastest 5K.

At that moment, victory felt less like athletic excellence and more like a successful negotiation with winter. The streak remains intact, which is perhaps the most satisfying outcome of all. Consistency, after all, is built on small decisions made under inconvenient conditions.

I do hope the ice disappears soon. These lingering icy patches have been quietly restricting our outdoor activities and daily plans. Even appointments have surrendered to the weather. The recent operation was postponed due to storm-related issues, possibly including power concerns, and rescheduled for Presidents’ Day.

My wife’s dentist appointment was also moved to the same day. Fortunately, she is off that day, which means no PTO required—a rare administrative win courtesy of bad weather.

So while the ice has delayed routines, altered schedules, and turned sidewalks into tactical zones, it has not defeated the running streak. For now, I will consider that a successful week: no falls, a fast 5K, a preserved streak, and a respectful truce with winter.

I Built a Civilization Overlap Detection Graph in My Timeline App

Day 84 of 100 Days Coding Challenge: Python

Today I taught my app a new trick: showing which civilizations overlapped in time. Now, when you open a civilization’s detail page, you not only get its story, but also a handy list of its “neighbors” and even a small network graph that shows how timelines intersect.

Why bother? Because civilizations rarely lived in a vacuum. They bumped into each other constantly—sometimes trading spices and inventions, other times trading insults and spears. Think about paper or gunpowder leaving China and changing the world, or the ripple effect of Rome’s conversion to Christianity. Overlaps tell us who was around to witness (or resist) those changes. It’s a reminder that history is less about isolated silos and more about crowded dinner tables where everyone argues over who invented noodles first.

Today’s Motivation / Challenge

Looking at a single civilization is fine, but history really comes alive when you see what else was happening at the same time. Were they sharing trade routes? Fighting over borders? Borrowing each other’s gods and gadgets? By showing overlaps, the app gives us a quick peek into those messy, fascinating interactions. It’s like flipping to the “crossovers” episode in your favorite TV universe.

Purpose of the Code (Object)

The code checks which civilizations were active during the same time period. If their timelines overlap, it records the connection. On the detail page, these overlaps are displayed as a list of neighbors and a small graph where nodes are civilizations and edges are overlaps. Pick any two civilizations, and you’ll know instantly whether they were contemporaries—or whether one was long gone before the other showed up.

AI Prompt

I want to add the following functions:

  • Compute overlaps between civilizations.
  • Show the list of neighbors on the civ detail page.
  • Add a small network graph of overlapping civilizations.
  • Accept: picking any two civilizations and showing overlap or no overlap.

Functions & Features

  • Calculate whether two civilizations’ date ranges overlap.
  • Display a list of overlapping civilizations on the detail page.
  • Render a simple network graph showing connections.
  • Keep filters (years, tags, regions) consistent across both timeline and overlap view.

Requirements / Setup

You’ll need:

  • Python 3.11

Installs:

pip install plotly networkx

Minimal Code Sample

def overlaps(civ1, civ2):

    return civ1.start_year <= civ2.end_year and civ2.start_year <= civ1.end_year

neighbors = [c for c in all_civs if overlaps(civ, c) and c.id != civ.id]

This simple function checks if two civilizations’ timelines overlap.

The Civilization Timeline Builder

Notes / Lessons Learned

At first, I thought everything was smooth. Then I ran Poetry, and poof—my event dots vanished from the sidebar. The culprit? I’d placed the event-dots block outside _build_timeline_bands(…). Order matters, and mine was a mess. It reminded me of my first brush with Visual Basic decades ago, when I was scolded endlessly about naming conventions and comments. Turns out, old habits save you: my comments helped me track down the rogue block quickly.

Another wrinkle: filtering by a single tag caused some civilizations to disappear entirely. The fix was adding conds.append(or_(*preds)) so the query could handle multiple possibilities gracefully. That way, selecting “tech” doesn’t mean losing all the civilizations that had tech and culture in the same event.

After some code shuffling, a rerun, and a sigh of relief, everything worked: overlapping civilizations lit up both as lists and in the graph, while event dots stayed loyally in place.

Optional Ideas for Expansion

  • Add hover tooltips in the network graph with details like duration of overlap.
  • Weight the graph edges by the length of overlap (longer overlaps = thicker lines).
  • Let users toggle “overlap mode” to see only civilizations that shared at least 100 years.

How I Color-Coded Historical Events in My Timeline Builder

Day 83 of 100 Days Coding Challenge: Python

I’ve loved history for as long as I can remember. By fourth grade, I was devouring children’s versions of The Histories by Herodotus while other kids were still stuck on Goosebumps. My parents’ library was my playground, and I spent hours flipping through volumes that smelled faintly of dust and mystery. By the time school took history seriously in high school, I was already knee-deep in maps and timelines.

Back then, I didn’t know the word “mind mapping,” but that’s essentially what I was doing. I’d draw crude maps, sketch arrows, and connect civilizations like I was building my own analog version of Wikipedia. Today’s task reminded me of that hobby: giving my timeline builder a taxonomy of event kinds—wars, dynasties, tech, culture, economy, religion—so that I can glance at a timeline and instantly know what kind of drama unfolded. Think of it as giving history not just a shape, but also a color palette.

Today’s Motivation / Challenge

Why bother with taxonomies? Because not all events are created equal. A war feels very different from an invention, and a dynasty change isn’t the same as a religious reform. By categorizing events and slapping on colors and icons, the app becomes more than a list of “things that happened.” It becomes a visual storybook where you can spot patterns at a glance—wars clustering together, bursts of culture, or dynasties toppling like dominoes.

Purpose of the Code (Object)

The code assigns each event a category (“kind”) and gives it a color and icon. When you view a civilization’s timeline, events appear as dots along its bar, each colored by type. A neat legend ties it all together, letting you see not just when things happened, but what kind of things they were. It’s like adding subtitles to history.

AI Prompt

Today is the day 8 of this project. Please add the following script:
Day 8 — Event types & icons

  • Kind taxonomy (war/dynasty/tech/culture/economy/religion).
  • Accept: legend renders; event dots color by kind.

Functions & Features

  • Define taxonomy of event types (war, dynasty, tech, culture, economy, religion, other).
  • Assign each taxonomy a color and icon for clarity.
  • Display event dots along timeline bars, grouped and color-coded by type.
  • Add a clean legend so users know exactly what each dot means.

Requirements / Setup

You’ll need:

  • Python 3.11

Installs:

pip install plotly streamlit

Minimal Code Sample

KIND_COLORS = {

    “war”: “red”, “dynasty”: “blue”, “tech”: “green”,

    “culture”: “purple”, “economy”: “orange”, “religion”: “gold”

}

for kind, group in grouped_events.items():

    fig.add_scatter(

        x=group[“year”], y=group[“civ”],

        mode=”markers”, name=kind.capitalize(),

        marker=dict(color=KIND_COLORS.get(kind, “gray”))

    )

Each event type gets its own scatter trace with a color-coded legend.

The Civilization Timeline Builder

Notes / Lessons Learned

We started by defining the taxonomy—deciding which categories mattered most. I learned from yesterday’s naming mishap that consistency is everything, so I double-checked each description to keep it tidy. Each taxonomy got a color, and if an event didn’t fit, we just shoved it into “Other.” Practical and honest.

One fun surprise: Python 3.11’s str | None is cleaner than Optional[str], though you may see both depending on your version. Reddit was full of debates about this, but personally, I like the shorthand.

The real magic came when we modified the build_time_band function to group events by kind and add scatter traces only if there were points. That way, the legend didn’t become cluttered with empty categories. Now the timelines look like candy-colored storylines, dotted with wars, dynasties, and cultural sparks. The result? A clean legend across the top and timelines that actually feel alive.

Optional Ideas for Expansion

  • Add tiny event icons (like swords for wars or scrolls for culture) alongside the dots.
  • Let users filter the timeline by event kind (e.g., “Show me only tech”).
  • Stack events into mini-bands under each civ for an even clearer breakdown.

After the Ice Storm: Melting Roads, Returning Power, and a Careful Return to Routine

Brian’s fitness journal after a brain stroke

At last, the ice has begun its slow and reluctant retreat.

Today’s temperature rose about fifteen degrees compared to yesterday, which in winter logic qualifies as “practically tropical.” It is still cold, of course, but no longer the kind of cold that feels personally offended by your existence. Instead, it has settled into something far more reasonable—if winter can ever truly be called reasonable.

My wife, meanwhile, has taken it upon herself to conduct unofficial neighborhood inspections. While most people cautiously peer out from their windows, she ventures outside like a field researcher documenting the aftermath of a frozen experiment. She reports that although our power returned after several hours, many of our neighbors are still living in the candlelight era.

Our area is densely wooded, which is wonderful in spring, poetic in autumn, and deeply problematic during ice storms. Ice accumulates, branches snap, cables fall, and electricity quietly exits the conversation. Nature, it seems, prefers dramatic chain reactions.

According to her morning observations, the neighborhood at dawn is almost pitch dark. With no street lights functioning in several sections, it looks less like a suburban street and more like the setting of a philosophical novel about resilience. Curiously, if you walk just a few houses north, power returns as if nothing happened. Entire rows remain powerless, except for two mysteriously fortunate houses whose power lines are connected to a different street. Fate, it appears, also plays favorites in infrastructure.

To be fair, this is not a matter of incompetence. Tennessee rarely experiences this kind of ice storm, and the crews have been working long shifts to restore power under genuinely difficult conditions. Extreme weather does not politely follow regional expectations. It simply arrives, unannounced and unapologetic.

We still remember when a tornado hit north of Nashville several years ago and we lost power for days. Back then, it was near spring, so the cold was manageable. This time, however, the cold is far less forgiving. When the power went out, the temperature inside the house dropped noticeably, reminding us very quickly that electricity is not just convenience—it is survival. Shelters opened the very day the outages began, which speaks volumes about how serious prolonged cold can be.

My wife also discovered the most obvious culprit: fallen trees. In one section of the road, nearly a third of the path is occupied by broken branches and debris, with power lines dragged down alongside them. It is less a mystery and more a very visible cause-and-effect demonstration courtesy of physics and ice.

Thankfully, progress is visible. Roads are gradually being cleared, which is especially encouraging since my wife is planning to drive to the office tomorrow. Civilization, one cleared road at a time.

As for me, I may finally return to my running schedule tomorrow—assuming the road visible from our front window passes the safety inspection. It will still be cold, naturally, but no longer the extreme, bone-chilling cold of yesterday. In winter recovery, expectations are simple:
melting ice, stable power, clear roads, and perhaps—if fortune is especially generous—a fully normal routine returning without further dramatic weather plot twists.

Mapping Civilizations with Plotly in the Timeline App

Day 82 of 100 Days Coding Challenge: Python

Today’s quest was to give my civilizations a home on the globe. The idea was simple: accept the centroid latitude and longitude so I could finally see where each empire sat. Yesterday’s Poetry setup was already in place, so I dove straight into app/models/civilization.py and added two nullable float columns. Import section checked—no duplicates this time (lesson learned from yesterday’s chaos).

After migrating the database, I seeded some coordinates via a shiny new CSV file in data/seeds/civ_centroids. I even wrote a quick one-off script to update rows by slug. Feeling clever, I turned to streamlit_app.py, wiring it to fetch centroids and display them in the Civilization view. The beauty here? Both the timeline and map shared the same filters, so when I adjusted one, the other politely followed along.

Everything looked great—until I noticed two glaring absences. Rome and Sumer were missing, as if they’d been conquered all over again. The culprit? My seed data. Apparently, I’d named one “Rome” instead of “Roman,” and completely skipped Sumer. Maps don’t forgive typos, but at least the debugging process made me laugh instead of cry.

Today’s Motivation / Challenge

Maps are where timelines come to life. You can talk all day about Rome ,stretching from 509 BCE to 476 CE, but seeing it light up on a globe makes it real. Adding centroids is like putting pins on a giant corkboard of history—suddenly you’re not just reading about civilizations, you’re traveling to them.

Purpose of the Code (Object)

The code links civilizations to a pair of coordinates and plots them on a map. Each civilization becomes a marker you can hover over to see details. The magic lies in syncing the map with the timeline filters—change the years or regions, and both the chart and the map update in unison. It’s like history’s own GPS.

AI Prompt

Today, I would like to do the following:

  • Add centroid latitude/longitude for each civilization.
  • Plot them as markers with Plotly.
  • Accept: changing filters updates both the timeline and the map consistently; hover shows useful info.

Functions & Features

  • Add latitude and longitude columns to civilization records.
  • Plot civilizations on an interactive map with Plotly.
  • Hover over markers to reveal civilization details.
  • Sync map and timeline filters for a seamless view.

Requirements / Setup

You’ll need:

  • Python 3.11

Installs:

pip install plotly streamlit

Minimal Code Sample

fig = px.scatter_geo(

    data_frame=items,

    lat=”lat”,

    lon=”lon”,

    text=”name”

)

st.plotly_chart(fig, use_container_width=True)

Each civilization gets a marker on the map; hover reveals its name.

The Civilization Timeline Builder

Notes / Lessons Learned

So, what exactly went wrong? My CSV file was missing Sumer entirely, and instead of “Roman,” I had typed “Rome.” The app wasn’t confused—it was just being literal. Civilization slugs don’t do nicknames.

The funny part is that I was meticulously following the process, confident that everything was fine. It wasn’t until I noticed a strangely empty Mediterranean that I realized something was off. Double-checking with the API showed the slug as “roman,” which didn’t match my sloppy CSV entry.

In the end, nothing was wrong with the Python script at all—the bug was in my data. A good reminder that sometimes the problem isn’t your code, it’s the breadcrumbs you fed it. All told, it took about 1.75 hours, but now every civilization is exactly where it belongs.

Optional Ideas for Expansion

  • Add pop-up info windows with key facts (years, tags, a fun trivia line).
  • Layer in event markers so battles and inventions appear on the map too.
  • Color-code civilizations by region for instant visual grouping.

Adding a Function to Visualize History with Plotly Timeline Bars

Day 81 of 100 Days Coding Challenge: Python

Today’s mission was to finally put some clothes on our bare-bones timeline—specifically, horizontal bars that show civilizations stretching across the years like colorful ribbons. Picture this: you pick a range of years in the sidebar, and voilà, a neat bar chart unfurls, each line representing a civilization strutting across history.

Ever since kicking off this Civilization Timeline project, I’ve been living in a constant state of “overwhelmed but learning.” Every day brings a new tool, a new library, or a new way to break my code. But at its core, it’s still Python—the same familiar friend in a slightly fancier suit.

The tricky part? Each new feature has to be inserted into just the right place. Add it too early, and it vanishes; too late, and it breaks everything. It’s like threading a needle in the dark: satisfying when it works, frustrating when it doesn’t.

Today’s Motivation / Challenge

Why add bars? Because walls of text are fine for a history book, but if you really want to see civilizations rise and fall, you need visuals. Bars turn abstract dates into something tangible. Instead of saying, “The Han Dynasty lasted four centuries,” you can see its line stretching across the timeline, rubbing shoulders with Rome. It’s like putting history on a conveyor belt and watching empires roll past.

Purpose of the Code (Object)

The code adds timeline bands—horizontal bars that show how long each civilization lasted within the years you’ve selected. You pick a date range, and the app maps the civilizations that overlap with it. Hover over a bar, and you’ll see its start and end dates. It’s history turned into a chart you can actually play with.

AI Prompt

Please add the following function to the existing script:
Day 6 — Timeline bands

  • Horizontal bars per civ within selected range (Plotly).
  • Accept: bars scale correctly; hover shows dates & duration.

Functions & Features

  • Draw horizontal timeline bars for civilizations in the selected year range.
  • Hover tooltips show start and end dates plus duration.
  • Single-civilization band on the detail page for close-up analysis.

Requirements / Setup

You’ll need:

  • Python 3.11

Installs:

pip install plotly

Minimal Code Sample

fig = px.timeline(

    x_start=[c[“start_year”] for c in items],

    x_end=[c[“end_year”] for c in items],

    y=[c[“name”] for c in items]

)

fig.update_yaxes(autorange=”reversed”)

st.plotly_chart(fig, use_container_width=True)

Each bar stretches across its start and end years—Plotly handles the drawing magic.

The Civilization Timeline Builder

Notes / Lessons Learned

The day began with installing Plotly, which immediately felt like unlocking a new superpower: interactive graphs! At first, I only wanted to create multi-civilization bars on the main page, but then I thought, “Why stop there?” So I snuck in a single-civ band on the detail page, too. Now, whenever you zoom in on one civilization, you get its own mini-timeline. Totally extra, but worth it.

The big lesson? Inserting new code is like assembling IKEA furniture. Put the shelf in the wrong slot and suddenly the whole bookcase wobbles. Place the band code in just the right spot, and everything stands tall.

Optional Ideas for Expansion

  • Add different colors for event types (wars, tech, culture) along the bars.
  • Let users toggle between BCE/CE and “absolute” year numbers.
  • Allow comparison mode where two civilizations’ bands overlap on the same detail page.

Muscle Pain to Strong Run from Consistency and Small Wins

Brian’s fitness journal after a brain stroke

From Muscle Pain to Strong Run

This morning began… uncomfortably early.

I woke up needing to use the bathroom, but as I walked there, I realized my abdominal muscles had filed a formal complaint. They were so sore that walking in a straight line felt like an optional feature rather than a guarantee.

Recovery is not always straightforward for me. Because of my kidney condition, I cannot rely on high protein intake to support muscle repair. So when I push myself, soreness tends to linger longer than I would prefer.

Fortunately, rest remains a reliable strategy.

I went back to bed and fell asleep easily. When I woke again—just before my alarm—my muscles had improved noticeably. Not perfect, but functional. I had worried about my planking session, but surprisingly, it felt easier than the day before. Either recovery worked overnight, or my muscles decided to cooperate out of courtesy.

A few hours later, I headed out for my run.

The results were unexpectedly good. I reached my target pace and kept my split times consistent throughout. I set a steady rhythm early and managed to hold it to the end—a small but satisfying victory.

Days like this remind me how much my running has improved over the years.

In the beginning, it was difficult. I actually run more now than I did before my brain stroke. At first, I ran because my wife encouraged me. Exercise supports both my kidney health and brain recovery, and I wanted to show her that I was trying.

Ironically, telling her that would only make her sad. She prefers that I do these things for myself.

Over time, that shift happened naturally. Running stopped being something I did “for someone else” and became part of my life. Along the way, I added other exercises almost without thinking.

Consistency quietly turned into identity.

Meanwhile, at home, our cat continues her own version of restricted training. While I can run freely outside, she remains confined to my office for recovery. My wife briefly tried moving her to the bedroom, but the moment she gained access, she immediately planned a full return to her usual routine—kitchen exploration, counter patrol, and likely a trip up to the catwalk.

Given her enthusiasm, we decided that “freedom” might come a little too soon for her incision’s comfort.

So, back to the office she went.

Now I find myself wondering: after ten days of limited movement, will she experience muscle soreness too? Or will she simply resume full-speed chaos as if nothing ever happened?

Knowing her, I suspect the latter.

Icy Roads and Missed Runs: Choosing Safety Over Winter Ambition

Brian’s fitness journal after a brain stroke

Icy Roads and missed Runs

The icy road conditions remain undefeated, and today’s strategic decision is simple: cancel the run, preserve the bones. We had ice roads, and I missed Runs.

With the temperature stubbornly parked at 32°F, the ice has no intention of melting. It is merely existing—quietly, confidently, and dangerously. Our area is also quite hilly, which transforms every frozen surface into a potential skating rink with consequences.

The road in front of our house, however, is a rare exception. My wife salted it early, well before the ice storm reached its dramatic peak. She remembers, quite vividly, that during severe conditions, no delivery vehicles—not even the garbage truck—will dare descend our steep road. Apparently, gravity plus ice is a combination that logistics companies respectfully decline.

The irony?

The main road was cleared rather quickly, yet the smaller neighborhood roads remain untouched. As a result, no garbage truck, no deliveries, and no signs of modern convenience bravely approaching our hill. Civilization stops at the flat parts, it seems.

Ice Storm Preparation

My wife, ever vigilant, has been obsessively ensuring that no one slips on our property. During the storm, she kept the driveway and entryway almost entirely ice-free. She insists there is a “method” to it, which I suspect is the result of over twenty years of Canadian winter survival experience. That kind of knowledge may look excessive in Tennessee—until an ice storm arrives and suddenly she becomes the neighborhood’s unofficial winter strategist.

She continues to wander outside occasionally, fully equipped in a winter outfit imported from Canada. Where she used to live, temperatures could drop to -35°C (-31°F), so Tennessee’s icy chill likely feels like a mild inconvenience rather than a threat. Still, she moves carefully, because even seasoned cold-weather veterans respect ice. Confidence does not cancel physics.

Fortunately, the steep hill in front of our house is now mostly safe, thanks to her early salting efforts. A preventative mindset, it turns out, is far more effective than reactive panic.

As for my running routine, it has been temporarily suspended. My wife has strongly advised against going outside, describing the conditions as “deceptively slippery,” which is winter’s polite way of saying “you will fall with dignity but also with bruises.”

Unlike her, I do not own a jacket built for extreme cold. She bought hers as a teenager and is still using it—a testament to both quality craftsmanship and long-term winter planning. I also struggle with body temperature regulation, so extreme weather is less of a challenge and more of a negotiation I prefer to avoid. In this case, skipping the run is not laziness. It is risk management.

Surprisingly, there has been one unexpected benefit to missing my last three runs: recovery. My weight has returned to my target range, and I even regained a pound of muscle since yesterday’s weigh-in. Not exactly the result one expects from inactivity, but winter seems to enforce its own training philosophy—rest, adapt, and resume wisely.

Now that the temperature has finally crept slightly above freezing, there is cautious optimism. If the gradual thaw continues, Friday may mark the triumphant return of my running schedule.Until then, the plan remains clear:
avoid ice, maintain balance (literally and metaphorically), and respect winter’s quiet but very persuasive authority.

Adding Streamlit Civilization Timeline Filters to the App

Day 80 of 100 Days Coding Challenge: Python

At the start of this whole adventure, I felt like a kid stuck between two arcades: one machine labeled “Poetry” and the other “PowerShell.” Both terminals were blinking at me, demanding quarters, and I wasn’t sure which joystick to grab first. Overwhelming? Absolutely. Exciting? Even more so. Curiosity is a noisy creature—it drowned out the fear.

Fast-forward to today: we added Streamlit. Or at least, we were supposed to—except I discovered I had already installed it. (Past Me occasionally leaves gifts for Future Me.) With it, I cobbled together an interactive web app that shows a skeleton of civilizations. It’s not pretty, but it works, and sometimes “working” is the most beautiful sight of all.

I’d first heard of Streamlit while dabbling in machine learning tutorials. Back then, it was this shiny, mysterious framework that promised to turn Python scripts into apps with the ease of flipping a pancake. Today, I can actually use it—and maybe one day, I’ll build dashboards that model the universe of Asimov’s Foundation or Brandon Sanderson’s Cosmere. Ambitious? Yes. Possible? With enough coffee, absolutely.

Today’s Motivation / Challenge

Why does this matter? Because squinting at raw JSON is about as fun as watching paint dry. With Streamlit, I can slide, click, and filter through civilizations like I’m browsing an ancient version of Netflix. Want only South Asian civilizations between 500 BCE and 500 CE? Done. It’s history on demand, minus the endless commercials.

Purpose of the Code (Object)

The code turns a pile of historical data into a friendly web interface. Instead of hammering at APIs or database queries, you get sliders and dropdowns. Slide to pick a year range, click to pick a region or tag, and voilà—the app shows you only what you asked for. It’s history made interactive, without the headaches.

AI Prompt

Please create an instruction to do the Day 5 tasks. Today’s goal is:

Day 5 — Streamlit list & filters

  • Sidebar: year slider (−3000 to 2000), region multiselect, tag multiselect.
  • Main: civ cards; click → civ detail.

Accept: filters change visible list without errors.

Functions & Features

  • Sidebar with interactive filters: year range, regions, and tags.
  • Main panel shows civilization “cards.”
  • Clicking a card loads civilization details.
  • Filters instantly update the list—no reloads needed.

Requirements / Setup

You’ll need:

  • Python 3.11

Installs:

pip install streamlit requests plotly

Minimal Code Sample

with st.sidebar:

    year_range = st.slider(“Year range”, -3000, 2000, (-500, 500))

    regions = st.multiselect(“Regions”, [“Europe”, “East Asia”, “South Asia”])

    tags = st.multiselect(“Tags”, [“war”, “tech”, “culture”])

resp = requests.get(f”{base}/civs”, params={

    “start”: year_range[0], “end”: year_range[1], “region”: regions, “tags”: tags

})

items = resp.json()[“items”]

Sidebar collects filters, sends them to the API, and displays matching civilizations.

The Civilization Timeline Builder

Notes / Lessons Learned

Streamlit hides a sneaky detail: caching. This program uses st.cache_data for things like JSON and dataframes, while st.cache_resource babysits the heavy stuff (like database clients). The kicker? The order matters. Place your filters and routing before the main content, or you’ll spend hours wondering why your app feels like it’s dragging a boulder uphill.

The more I poked around, the more I realized: Streamlit isn’t just picky—it’s opinionated, like a good chef. At first, it annoyed me. But then it clicked. The structure is there to keep things smooth, fast, and uncluttered. Sometimes “why” matters more than “how.” And yes, that thought will haunt me until I build that Cosmere dashboard.

Optional Ideas for Expansion

  • Add a search box so you can type “Rome” instead of scrolling endlessly.
  • Make the civ cards prettier with images and little flag icons.
  • Add a “random civilization” button for the historically indecisive.

Creating Filterable FastAPI Endpoints for Civilizations and Events

Day 79 of 100 Days Coding Challenge: Python

For weeks now, I’ve been averaging two to three hours a day on this project—me, my laptop, and an endless parade of poetry commands. Today, however, I blinked, stretched, and realized my task was finished in just forty-five minutes. A miracle! Granted, I’m still fumbling with Poetry like it’s an unfamiliar dance partner, but at least I’ve learned that typing poetry run uvicorn app.main:api –reload is far superior to the old python something.py shuffle. Progress tastes sweet.

The mission of the day was to spin up read-only endpoints: /civs and /events, complete with filters for region, time period, and tags. My only real hiccup? Yesterday I had to reinstall Python 3.11, and AI didn’t quite catch that curveball. Starting a new session gave me déjà vu instructions—like being told twice to tie my shoes. So I stuck with yesterday’s session, which kept the advice on-track. Next, I’ll try this from a clean project folder to see if consistency still holds. Spoiler: consistency matters a lot more than I thought.

Today’s Motivation / Challenge

History is a mess of overlapping civilizations, wars, and inventions—but wouldn’t it be nice if you could filter it the way you filter Netflix shows? “Only East Asia, 200 BCE to 200 CE, with extra tags for technology, please.” That’s the vibe. Today’s endpoints turn a chaotic jumble into a menu you can actually navigate.

Purpose of the Code (Object)

The code opens up two doors into our database: one for civilizations, one for events. Instead of drowning you in everything at once, it politely asks, “Want to see just one region? Or only certain centuries? How about filtering by tags?” It’s a smarter way to explore history without scrolling through endless lists.

AI Prompt

Add the following functions:
Endpoints: /civs, /events, filters: region, year_range, tags.

Accept: Swagger lists routes; basic filters return sane counts.

Functions & Features

  • /civs: lists civilizations, filtered by region and year range.
  • /events: lists events, filtered by year, region, or tag.
  • Case-insensitive partial matches (so “Asia” catches “East Asia” and “South Asia”).
  • Bonus: endpoints /meta/tags and /meta/regions to preview valid options.

Requirements / Setup

You’ll need:

  • Python 3.11

A few installs:

pip install fastapi uvicorn sqlmodel

Minimal Code Sample

@api.get(“/civs”)

def list_civs(region: Optional[str] = None, start: int = -3000, end: int = 2000):

    data = session.query(Civilization).filter(

        Civilization.start_year <= end,

        Civilization.end_year >= start

    )

    if region:

        data = data.filter(Civilization.region.ilike(f”%{region}%”))

    return data.all()

This is the heart of the idea: query the database, filter by dates and region, then return the results.

The Civilization Timeline Builder

Notes / Lessons Learned

My biggest revelation today: don’t hop between sessions if you value your sanity. Switching can mean duplicated instructions, skipped steps, and missing files—a recipe for confusion.

Another surprise was Swagger’s stubbornness. Typing “Asia” for the region gave me nothing. Turns out the actual values were “East Asia” and “South Asia.” The fix? Using ilike(“%Asia%”), which basically lets the database play “guess what I meant.”

Finally, adding /meta/tags and /meta/regions was a lifesaver. Think of it as a cheat sheet so I don’t embarrass myself with typos.

Optional Ideas for Expansion

  • Add fuzzy matching so “Han” still finds “Han Dynasty.”
  • Return friendly error messages if someone types “Atlantis.”