OFFER2026 · 3 days of full access, free — no card needed

zuzu.codeszuzu.codes
Python Course — Free to Start

Learn Python in 30 Days — One Lesson, One Challenge, Every Day.

Real code from day one. No setup, no fluff. Dialogue-based lessons that explain the why — not just what to type.

See the curriculum ↓
Use code OFFER2026 — 3 days of full access, free
30 Daily Lessons
Python 3, start to finish
In-Browser Editor
Write and run real code
Free to Start
No credit card required

The Shift

Something shifted. Tools that used to take years to build now get shipped in a weekend. AI is building apps, writing code, designing products — and it's only getting faster.

But there's a gap between watching something get built and knowing how to build it yourself. Prompting is not programming. Clicking is not creating.

The people who will run this era aren't just using the tools — they understand them.

Coding is no longer a profession. It's a baseline.

And it doesn't take years — it takes 30 days of real structure, real practice, and real code.

Think. Frame. Solve.

Every challenge is scaffolded. You never start from a blank editor.

Think

Read the problem. Before writing anything, understand what you're being asked to build.

Frame

Sketch the shape. A skeleton with comments — no pressure to get it right, just get it started.

Solve

Write the code. Now you know the shape. Fill it in.

Count the Vowels

Write a function that counts how many vowel characters appear in a string. Vowels are a, e, i, o, u (upper and lower case).

Tests
# count_vowels("hello")
2

No blank editor. No staring at the void. Every challenge starts with a shape.

Dialog. Essay.

Every lesson opens with a conversation. The essay gives you the full picture.

🛒 Python Lists — The Shopping List
teacher (curious)

Quick question. You've got a shopping list: milk, eggs, bread, butter. How do you grab the third item?

student (thinking)

I'd count to the third one — bread.

teacher (encouraging)

Exactly. Python lists work the same way. Except Python starts counting at zero — not one.

python
shopping = ["milk", "eggs", "bread", "butter"]
print(shopping[0])   # "milk"   ← first
print(shopping[2])   # "bread"  ← third (index 2)
student (confused)

Why zero? That's going to mess me up.

teacher (focused)

Think of it as distance from the start, not position. The first item is zero steps away. Once it clicks, you never forget it.

student (surprised)

Okay that actually makes sense. So the last item would be... index 3?

teacher (proud)

Yes — or shopping[-1] if you want to count from the end. Python lets you do both. Try changing the index and see what happens →

Lists: Python's Most-Used Data Structure

Almost every Python program uses a list. They're how you store a sequence of related items — and how you loop, filter, and build results.

Zero-Based Indexing

Python counts from 0, not 1. The index is an offset from the start — the first item is 0 steps away, the second is 1 step away. This feels odd at first and becomes completely natural within a week.

python
items = ["a", "b", "c", "d"]
items[0]    # "a" — first
items[-1]   # "d" — last (negative = count from end)
items[1:3]  # ["b", "c"] — a slice (1 inclusive, 3 exclusive)

Building Lists

You don't need to know the contents up front. Lists grow:

python
results = []
for n in range(5):
    results.append(n * 2)
# results → [0, 2, 4, 6, 8]

When to Use a List

Use a list when order matters or you'll loop over the items. If you need fast lookups by name, use a dictionary instead. If the items shouldn't change, use a tuple.

The list is where most Python beginners spend their first week — and it's worth every minute.

That's one lesson. Every track has 30 of them — dialog first, essay second, challenge last.

The Zuzu Way

We don't teach tools. We build instincts.

Learn

Dialog. Essay.

Every lesson is a student-teacher conversation, followed by a structured essay. You don't just hear the concept — you understand it.

Practice

Think. Frame. Solve.

Every lesson ends with a scaffolded challenge. You start with the shape, not a blank editor. Same three steps, every time.

Prove

Pass the quiz. Unlock the next module.

Every module ends with a quiz. Pass it to move on. No skipping ahead — mastery is the key.

☕ The Coffee Shop Problem
teacher (amused)

Pop quiz. You're at a coffee shop. The menu says: Espresso $3, Latte $5, Mocha $6, Drip $2. Your friend says "get me everything under $5." What do you do?

student (thinking)

I'd look at each price and pick the ones under 5... Espresso and Drip.

teacher (encouraging)

You just described a filter. That's literally what code does — look at each item, check a condition, keep the ones that pass.

python
menu = {"Espresso": 3, "Latte": 5, "Mocha": 6, "Drip": 2}
cheap = {name: price for name, price in menu.items() if price < 5}
# → {"Espresso": 3, "Drip": 2}
student (surprised)

Wait, that's real code? It reads like the sentence I just said.

teacher (proud)

That's Python. You were already thinking in code — you just didn't know the syntax yet. Try writing one yourself →

The Filter Pattern in Python

Filtering is one of the most fundamental operations in programming — and Python makes it readable.

Dict Comprehensions

When you need to filter a dictionary, a dict comprehension is the cleanest tool:

python
menu = {"Espresso": 3, "Latte": 5, "Mocha": 6, "Drip": 2}
cheap = {name: price for name, price in menu.items() if price < 5}

The structure reads like a sentence: for each name and price in the menu, if the price is under 5, keep it.

The General Shape

python
{key: value for key, value in collection.items() if condition}

Three parts: what to keep, where to look, what condition to check. Once you see this pattern, you recognise it everywhere.

When to Use a Loop Instead

Dict comprehensions are elegant but can obscure intent if the logic is complex. For multi-step filtering, a plain for loop with an explicit if block is more readable. The rule: if you can say it in one sentence, write it as a comprehension.

Theory without application fades. Application without theory is imitation.

Dialog. Essay. Think. Frame. Solve. Prove. That's the zuzu way.

Pick Your Track

Every track is a 30-day story — not a playlist of random videos.

1

Track

Pick a topic — Python basics, testing, AI agents. Each track is a 30-day guided journey with a narrative arc: beginning, build-up, and a capstone.

30 days · 4 modules · 1 topic
4

Modules

Each week is a chapter. It opens with a story hook that sets the stakes, then 5 lessons build toward a closing quiz to prove you got it.

7 days each · opener + 5 lessons + quiz
5

Lessons

Each lesson is a conversation with a mentor — not a lecture. You read, discuss, then solve a real code challenge in the browser. ~15 min.

dialogue + code challenge · ~15 min

Learn Python

Live

Python Fundamentals

30 days

Learn Python from scratch by automating real work. Go from zero to building scripts that read CSVs, clean data, and generate reports.

4 Modules

  • 1First Words
  • 2Data That Lasts
  • 3Collections That Scale
  • 4The Real World
Live

Python Essentials

30 days

Tuples, sets, *args, lambda, match statements, and modules. Fill the gaps between beginner scripts and professional Python.

4 Modules

  • 1Data Structures You're Missing
  • 2Functions Beyond def f(x)
  • 3Control Flow You Skipped
  • 4Modules & Your Environment
Live

Python Standard Library

30 days

Master json, csv, regex, datetime, pathlib, argparse, logging, and collections. Build a CLI log analyzer using only what Python ships with.

4 Modules

  • 1Files & Data Formats
  • 2Text & Patterns
  • 3Time, Math & Collections
  • 4Tools & CLI
Live

Intermediate Python

30 days

OOP, error handling, decorators, generators, and comprehensions. Write Python that works in production, not just in tutorials.

4 Modules

  • 1OOP Foundations
  • 2Advanced Functions
  • 3Error Handling & Testing
  • 4Python Mastery
Live

Advanced Python

30 days

Concurrency, async/await, metaclasses, descriptors, and the type system. The internals every senior Python developer knows.

4 Modules

  • 1Concurrency
  • 2Async & Await
  • 3Internals & Metaclasses
  • 4The Type System
Live

Pythonic Python

30 days

Write idiomatic Python. Master EAFP, walrus operator, PEP 8, profiling with cProfile, debugging with pdb, and code review patterns senior devs respect.

4 Modules

  • 1Python Idioms
  • 2Code Quality
  • 3Performance
  • 4Debugging & Introspection

Why 30 days works

Research on skill acquisition shows that daily practice beats weekend binges by 3x for retention. A 15-minute daily habit creates stronger neural pathways than a 3-hour Saturday session.

Each zuzu track is designed around this principle: one lesson, one challenge, every day for 30 days. By the end, you haven't just studied Python — you've built with it. Every day. For a month.

"I tried learning Python three times before. The daily format is what finally made it stick." — Molly, Data Analyst

More tracks ship regularly — one subscription covers everything.

Who This Is For

The Student

Build your foundation in code.

You're watching the world change and you want to be ready. Pick your track and write real code from day one. No fluff.

The Career Starter

From basics to AI, structured.

AI is already changing what gets valued at work. Go from Python basics through data validation to building AI services.

The Career Switcher

No degree needed. Just consistency.

You need a structured starting point, not a bootcamp. Daily lessons, real practice, and clear progress you can feel.

The Curious Builder

Understand the tools, not just use them.

You've seen what people build with code and AI. The daily lesson format keeps you consistent. Start building today.

Think About It

Not syntax — just thinking. How would you solve these?

1.You have a folder with 200 PDFs. You need to rename them all by date. What's the fastest approach?

Each track is 30 daily lessons. Pick one and start writing real code tomorrow.

What learners are saying

The dialogue format finally made Python click for me. It feels like a real conversation, not a lecture. 18 days in and I haven't missed once.

Molly Owens
Molly OwensData Analyst

Tried Codecademy twice, gave up both times. The one-lesson-a-day format here is completely different — I actually look forward to it now.

Alan Jacobs
Alan JacobsCareer Switcher

After the Pydantic track I can actually read API schemas and have real conversations with our engineers. Worth every penny.

Jeanette Anderson
Jeanette AndersonProduct Manager

The in-browser editor is clutch. No setup, no installs, no environment headaches. Just write code and see it run immediately.

Raymond Holland
Raymond HollandStartup Founder

23-day streak and counting. The XP system is addictive in the best way. My friends think I've lost it but I'm genuinely having fun learning to code.

Zoe Park
Zoe ParkMarketing Lead

Just finished AI on Python. I built a working FastAPI service in 30 days. A month ago I didn't know what a function was.

Engin Eckhoff
Engin EckhoffFreelance Designer

The teacher-student dialogue makes complex topics feel approachable. I actually understand decorators now, not just copy-paste them.

Rose Walters
Rose WaltersGraduate Student

I automated my lead scoring spreadsheet in week 2. My manager asked who built it. I said me. She didn't believe me.

Timmothy Jones
Timmothy JonesSales Executive

I process survey data manually every semester. After Python Foundations I wrote a script that does it in 3 seconds. Should have started years ago.

Irene da Rosa
Irene da RosaPhD Researcher

Way better than my AP CS class. The dialogue format explains WHY things work, not just the syntax. Actually feel like I understand programming now.

Ethan Wilson
Ethan WilsonHigh School Senior

Learned Python to do data journalism. The structured daily format fits perfectly into my morning routine before work.

Justine Mackay
Justine MackayJournalist

Excel macros were my ceiling. Python opened the whole roof. The progression from basics to Pydantic to AI feels natural.

Clifford Lawson
Clifford LawsonAccountant

Never thought I'd enjoy coding. The gamification is sneaky — I catch myself checking my streak before bed. Day 27 and going strong.

Madison Anderson
Madison AndersonGraphic Designer

I use Python to analyze patient data for my research now. The code challenges after every lesson drill the concepts in properly.

Mathias Chevalier
Mathias ChevalierMedical Student

I took this to better understand what developers actually do. Now I can read job descriptions and actually know what the skills mean.

Mia Elliott
Mia ElliottRecruiter

The dialogue format finally made Python click for me. It feels like a real conversation, not a lecture. 18 days in and I haven't missed once.

Molly Owens
Molly OwensData Analyst

Tried Codecademy twice, gave up both times. The one-lesson-a-day format here is completely different — I actually look forward to it now.

Alan Jacobs
Alan JacobsCareer Switcher

After the Pydantic track I can actually read API schemas and have real conversations with our engineers. Worth every penny.

Jeanette Anderson
Jeanette AndersonProduct Manager

The in-browser editor is clutch. No setup, no installs, no environment headaches. Just write code and see it run immediately.

Raymond Holland
Raymond HollandStartup Founder

23-day streak and counting. The XP system is addictive in the best way. My friends think I've lost it but I'm genuinely having fun learning to code.

Zoe Park
Zoe ParkMarketing Lead

Just finished AI on Python. I built a working FastAPI service in 30 days. A month ago I didn't know what a function was.

Engin Eckhoff
Engin EckhoffFreelance Designer

The teacher-student dialogue makes complex topics feel approachable. I actually understand decorators now, not just copy-paste them.

Rose Walters
Rose WaltersGraduate Student

I automated my lead scoring spreadsheet in week 2. My manager asked who built it. I said me. She didn't believe me.

Timmothy Jones
Timmothy JonesSales Executive

I process survey data manually every semester. After Python Foundations I wrote a script that does it in 3 seconds. Should have started years ago.

Irene da Rosa
Irene da RosaPhD Researcher

Way better than my AP CS class. The dialogue format explains WHY things work, not just the syntax. Actually feel like I understand programming now.

Ethan Wilson
Ethan WilsonHigh School Senior

Learned Python to do data journalism. The structured daily format fits perfectly into my morning routine before work.

Justine Mackay
Justine MackayJournalist

Excel macros were my ceiling. Python opened the whole roof. The progression from basics to Pydantic to AI feels natural.

Clifford Lawson
Clifford LawsonAccountant

Never thought I'd enjoy coding. The gamification is sneaky — I catch myself checking my streak before bed. Day 27 and going strong.

Madison Anderson
Madison AndersonGraphic Designer

I use Python to analyze patient data for my research now. The code challenges after every lesson drill the concepts in properly.

Mathias Chevalier
Mathias ChevalierMedical Student

I took this to better understand what developers actually do. Now I can read job descriptions and actually know what the skills mean.

Mia Elliott
Mia ElliottRecruiter

Wanted to move from manual testing to writing Python scripts. This platform gave me the structure I needed — not a 40-hour bootcamp, just 15 minutes a day.

Brandie Obrien
Brandie ObrienQA Engineer

I can automate my data analysis workflows now. The code challenges after every lesson make sure you actually learn, not just read.

Leona Henderson
Leona HendersonUX Researcher

Exactly what I needed. No fluff, no filler. Every lesson teaches one thing and makes you practice it. Simple and effective.

Carl Diaz
Carl DiazFinance Analyst

I wanted to understand what AI tools are actually doing under the hood. The AI on Python track delivered exactly that.

Alicia Austin
Alicia AustinContent Creator

Wish there were more tracks — finished Python Foundations and loved it. Currently on Pydantic. The quality is consistently high.

Gabriel Ouellet
Gabriel OuelletJunior Developer

The streak freezes are a lifesaver. Missed two days for a work trip and didn't lose my progress. Smart design choice.

Alexis Abraham
Alexis AbrahamOperations Manager

My university lectures are 2 hours of theory. zuzu teaches the same thing in a 10-minute dialogue with code I can actually run. No contest.

Wenzel Golz
Wenzel GolzCS Student

Built a donor tracking script by day 20. My team thought I hired a contractor. The daily structure made it feel achievable.

Myrtle Douglas
Myrtle DouglasNonprofit Director

Python for Personal Productivity track is exactly what I've been waiting for. Calendar automation and time tracking — practical stuff I'll actually use.

Jimmie Hoffman
Jimmie HoffmanMechanical Engineer

I'm recommending zuzu to my students. The dialogue format mirrors how I teach — question, explanation, practice. It just works.

Sevim Weiner
Sevim WeinerTeacher

Finally bridged the gap between design and engineering. Can prototype my own ideas now instead of waiting for dev sprints.

Israel Souza
Israel SouzaProduct Designer

Automated 4 hours of my daily work in the first two weeks. My boss gave me new responsibilities instead. Career-changing.

Ruby Brewer
Ruby BrewerData Entry Specialist

The PKM track is going to be huge for me. Using Python to organize notes and research — this is the future of knowledge work.

Jar Perez
Jar PerezFreelance Writer

My CEO codes. My CTO codes. Now I code too. zuzu made it feel possible for someone with zero background.

Afonso Duarte
Afonso DuarteStartup Intern

Thought coding was for a different kind of brain. Turns out it's just practice. The daily lessons made it feel like learning an instrument.

Olavo Farias
Olavo FariasMusic Producer

Wanted to move from manual testing to writing Python scripts. This platform gave me the structure I needed — not a 40-hour bootcamp, just 15 minutes a day.

Brandie Obrien
Brandie ObrienQA Engineer

I can automate my data analysis workflows now. The code challenges after every lesson make sure you actually learn, not just read.

Leona Henderson
Leona HendersonUX Researcher

Exactly what I needed. No fluff, no filler. Every lesson teaches one thing and makes you practice it. Simple and effective.

Carl Diaz
Carl DiazFinance Analyst

I wanted to understand what AI tools are actually doing under the hood. The AI on Python track delivered exactly that.

Alicia Austin
Alicia AustinContent Creator

Wish there were more tracks — finished Python Foundations and loved it. Currently on Pydantic. The quality is consistently high.

Gabriel Ouellet
Gabriel OuelletJunior Developer

The streak freezes are a lifesaver. Missed two days for a work trip and didn't lose my progress. Smart design choice.

Alexis Abraham
Alexis AbrahamOperations Manager

My university lectures are 2 hours of theory. zuzu teaches the same thing in a 10-minute dialogue with code I can actually run. No contest.

Wenzel Golz
Wenzel GolzCS Student

Built a donor tracking script by day 20. My team thought I hired a contractor. The daily structure made it feel achievable.

Myrtle Douglas
Myrtle DouglasNonprofit Director

Python for Personal Productivity track is exactly what I've been waiting for. Calendar automation and time tracking — practical stuff I'll actually use.

Jimmie Hoffman
Jimmie HoffmanMechanical Engineer

I'm recommending zuzu to my students. The dialogue format mirrors how I teach — question, explanation, practice. It just works.

Sevim Weiner
Sevim WeinerTeacher

Finally bridged the gap between design and engineering. Can prototype my own ideas now instead of waiting for dev sprints.

Israel Souza
Israel SouzaProduct Designer

Automated 4 hours of my daily work in the first two weeks. My boss gave me new responsibilities instead. Career-changing.

Ruby Brewer
Ruby BrewerData Entry Specialist

The PKM track is going to be huge for me. Using Python to organize notes and research — this is the future of knowledge work.

Jar Perez
Jar PerezFreelance Writer

My CEO codes. My CTO codes. Now I code too. zuzu made it feel possible for someone with zero background.

Afonso Duarte
Afonso DuarteStartup Intern

Thought coding was for a different kind of brain. Turns out it's just practice. The daily lessons made it feel like learning an instrument.

Olavo Farias
Olavo FariasMusic Producer

Start free. Upgrade when you're ready.

Start with a free track. Unlock the full library for $14.99/mo.

Free

Start learning with zero commitment.

$0

forever

  • Read all lesson content across every track
  • Practice on the free starter track (30 lessons)
  • Progress tracking and XP
  • No credit card required
Full Access

Full Access

Everything you need to go from zero to builder.

$14.99

/month

Cancel anytime. No long-term commitment.

  • Full access to every track — current and future
  • All lessons with dialogue-based teaching
  • Code challenges with in-browser editor
  • Progressive code challenges every lesson
  • XP, streaks, and progress tracking
  • Access to every track we release

All plans include access to future content updates. Prices may change — early subscribers keep their rate.

Common Questions

Think · Frame · Solve

Learn to code without the chaos.

Pick a track and start for free. No credit card required.

Start free. Full access to every track is $14.99/mo.