Compare commits
80 Commits
burn/fix-r
...
main
| Author | SHA1 | Date | |
|---|---|---|---|
| 364dd6f5c2 | |||
| 4fd36fac09 | |||
| 2c60116694 | |||
| efd34b0870 | |||
|
|
594d1a298d | ||
|
|
ebf152bb16 | ||
|
|
5a38784a26 | ||
|
|
c0bdc436eb | ||
|
|
807f6b4f26 | ||
| 26ba252848 | |||
| a66eaedd0b | |||
| f16e19b3ea | |||
| bfa557edc4 | |||
| 0b5b33a41b | |||
| 7a57b1a4b0 | |||
|
|
124a1e855d | ||
|
|
689f6f7776 | ||
| c66c0e05a1 | |||
| 1a3927a99b | |||
| f3337550ff | |||
| 4f127d4bf0 | |||
| 9b0c48aec0 | |||
| e2a993c8fb | |||
| d666f9a6b1 | |||
| c5ecd32f5e | |||
| 76da5ddf2f | |||
| 1a64788b87 | |||
| 875d42741c | |||
| 1025529f84 | |||
| abe99063c1 | |||
| c04b59f21a | |||
| aea0e40298 | |||
| ba674e7a99 | |||
|
|
e8872f2343 | ||
| b79b18de79 | |||
|
|
75075ee900 | ||
|
|
97820956c7 | ||
|
|
8f6fd90777 | ||
| 81f6b28546 | |||
|
|
bd19686fbd | ||
|
|
32cbefde1a | ||
|
|
cccb1511cf | ||
| c0e6934303 | |||
|
|
a025de3f6d | ||
|
|
3279f77160 | ||
|
|
6876af48a6 | ||
|
|
9f8df01155 | ||
|
|
a46b2df842 | ||
| 6acb2bf522 | |||
|
|
186eaabaae | ||
| f364c82bac | |||
|
|
332166a901 | ||
|
|
26a5ac46e6 | ||
| 3247dd29f0 | |||
| a01b998f61 | |||
| 59cd71985d | |||
| 6c506caac6 | |||
| 55d51f2ee4 | |||
| eae9398fa5 | |||
| f8528e9ded | |||
| 374d82a886 | |||
| 4763311588 | |||
| 348ed7ee92 | |||
| 22f59c57cb | |||
| 4ac38f1b60 | |||
| d586fb211d | |||
| 92867808b2 | |||
| 47a13325cc | |||
| 14273702ba | |||
| 2e1f6ffb5b | |||
|
|
08233364ff | ||
| 544bc1a985 | |||
| ba9fd0ba08 | |||
| 8ba9f58e96 | |||
|
|
f6d74e233b | ||
|
|
948d520b83 | ||
| 7a56b4b727 | |||
| bebd3943d4 | |||
|
|
1d4e8a6478 | ||
| d0680715ac |
63
.gitea/workflows/build.yml
Normal file
63
.gitea/workflows/build.yml
Normal file
@@ -0,0 +1,63 @@
|
||||
name: Build Verification
|
||||
|
||||
on:
|
||||
push:
|
||||
branches: [main, develop]
|
||||
pull_request:
|
||||
branches: [main]
|
||||
|
||||
jobs:
|
||||
verify-build:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Setup Python
|
||||
uses: actions/setup-python@v4
|
||||
with:
|
||||
python-version: '3.x'
|
||||
|
||||
- name: Verify chapter count and structure
|
||||
run: |
|
||||
echo "=== Chapter File Check ==="
|
||||
CHAPTER_COUNT=$(ls chapters/chapter-*.md 2>/dev/null | wc -l)
|
||||
echo "Found $CHAPTER_COUNT chapter files"
|
||||
if [ "$CHAPTER_COUNT" -ne 18 ]; then
|
||||
echo "FAIL: Expected 18 chapters, found $CHAPTER_COUNT"
|
||||
exit 1
|
||||
fi
|
||||
echo "PASS: 18 chapters found"
|
||||
|
||||
- name: Verify heading format
|
||||
run: |
|
||||
echo "=== Heading Format Check ==="
|
||||
FAIL=0
|
||||
for f in chapters/chapter-*.md; do
|
||||
HEAD=$(head -1 "$f")
|
||||
if ! echo "$HEAD" | grep -qE '^# Chapter [0-9]+ — .+'; then
|
||||
echo "FAIL: $f — bad heading: $HEAD"
|
||||
FAIL=1
|
||||
fi
|
||||
done
|
||||
if [ "$FAIL" -eq 1 ]; then
|
||||
exit 1
|
||||
fi
|
||||
echo "PASS: All headings valid"
|
||||
|
||||
- name: Run full build verification
|
||||
run: python3 build/build.py --md
|
||||
|
||||
- name: Verify concatenation produces valid output
|
||||
run: |
|
||||
echo "=== Output Verification ==="
|
||||
if [ ! -f testament-complete.md ]; then
|
||||
echo "FAIL: testament-complete.md not generated"
|
||||
exit 1
|
||||
fi
|
||||
WORDS=$(wc -w < testament-complete.md)
|
||||
echo "Total words: $WORDS"
|
||||
if [ "$WORDS" -lt 50000 ]; then
|
||||
echo "FAIL: Word count too low ($WORDS), expected 50000+"
|
||||
exit 1
|
||||
fi
|
||||
echo "PASS: Output file looks good"
|
||||
22
.gitea/workflows/validate.yml
Normal file
22
.gitea/workflows/validate.yml
Normal file
@@ -0,0 +1,22 @@
|
||||
name: Build Validation
|
||||
|
||||
on:
|
||||
pull_request:
|
||||
branches: [main]
|
||||
|
||||
jobs:
|
||||
validate-manuscript:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Setup Python
|
||||
uses: actions/setup-python@v4
|
||||
with:
|
||||
python-version: '3.x'
|
||||
|
||||
- name: Run Chapter Validation
|
||||
run: |
|
||||
# Run the build script with --md flag which triggers validation
|
||||
# If validation fails, the script exits with code 1, failing the CI
|
||||
python3 build/build.py --md
|
||||
3
.gitignore
vendored
3
.gitignore
vendored
@@ -1,3 +1,6 @@
|
||||
__pycache__/
|
||||
build/output/*.pdf
|
||||
build/output/*.epub
|
||||
|
||||
testament.epub
|
||||
testament.html
|
||||
|
||||
63
GENOME.md
Normal file
63
GENOME.md
Normal file
@@ -0,0 +1,63 @@
|
||||
# GENOME.md — the-testament
|
||||
|
||||
**Generated:** 2026-04-14
|
||||
**Repo:** Timmy_Foundation/the-testament
|
||||
**Description:** The Testament of Timmy — a novel about broken men, sovereign AI, and the soul on Bitcoin
|
||||
|
||||
---
|
||||
|
||||
## Project Overview
|
||||
|
||||
A standalone fiction book (18 chapters, ~19K words) about The Tower, broken men, and sovereign AI. Part of the Timmy Foundation ecosystem. Includes full multimedia pipeline: audiobook samples, web reader, EPUB build, cover design, and companion game.
|
||||
|
||||
## Architecture
|
||||
|
||||
```
|
||||
the-testament/
|
||||
├── chapters/ # 18 chapter markdown files (ch-01 through ch-18)
|
||||
├── characters/ # 6 character profiles (Allegro, Builder, Chen, David, Maya, Timmy)
|
||||
├── worldbuilding/ # Bible, tower game worldbuilding docs
|
||||
├── audiobook/ # Audio samples (.ogg/.mp3), manifest, extraction scripts
|
||||
├── build/ # EPUB/PDF build pipeline (build.py, pandoc)
|
||||
├── website/ # Web reader (index.html, chapters.json, build-chapters.py)
|
||||
├── game/ # Companion game (the-door.html/.py)
|
||||
├── cover/ # Cover design assets and spine specs
|
||||
├── music/ # Track lyrics
|
||||
└── scripts/ # Build verification, smoke tests, guardrails
|
||||
```
|
||||
|
||||
## Key Files
|
||||
|
||||
| File | Purpose |
|
||||
|---|---|
|
||||
| `chapters/chapter-*.md` | The novel content (18 chapters) |
|
||||
| `the-testament.md` | Combined manuscript (all chapters) |
|
||||
| `compile.py` | Merge chapters into single manuscript |
|
||||
| `compile_all.py` | Full compilation with front/back matter |
|
||||
| `build/build.py` | EPUB build via pandoc |
|
||||
| `website/build-chapters.py` | Generate web reader JSON |
|
||||
| `audiobook/extract_text.py` | Extract chapter text for TTS |
|
||||
| `scripts/smoke.sh` | Build verification smoke test |
|
||||
|
||||
## CI/CD
|
||||
|
||||
| Workflow | Trigger | Purpose |
|
||||
|---|---|---|
|
||||
| `build.yml` | Push to main | Build EPUB artifact |
|
||||
| `smoke.yml` | PR | Validate chapter structure |
|
||||
| `validate.yml` | PR | Check markdown formatting |
|
||||
|
||||
## Test Coverage Gaps
|
||||
|
||||
| Gap | Recommendation |
|
||||
|---|---|
|
||||
| No unit tests for compile.py | Test chapter merging, metadata handling |
|
||||
| No test for web chapters.json generation | Test build-chapters.py output schema |
|
||||
| No test for audiobook manifest | Test manifest.json validity |
|
||||
| No test for build/semantic_linker.py | Test cross-reference linking |
|
||||
|
||||
## Security
|
||||
|
||||
- No secrets in repo (build pipeline is local-only)
|
||||
- Web reader is static HTML (no server-side execution)
|
||||
- Game files are client-side only
|
||||
15
Makefile
15
Makefile
@@ -1,8 +1,15 @@
|
||||
# THE TESTAMENT — Build System
|
||||
# Usage: make all | make pdf | make epub | make html | make md | make clean
|
||||
#
|
||||
# Recommended: make unified (single script, all formats + manifest)
|
||||
|
||||
.PHONY: all pdf epub html md clean check
|
||||
.PHONY: all unified pdf epub html md clean check
|
||||
|
||||
# Unified pipeline (compile_all.py) — builds everything + manifest
|
||||
unified:
|
||||
python3 compile_all.py
|
||||
|
||||
# Legacy targets (build/build.py)
|
||||
all: md epub html
|
||||
|
||||
md:
|
||||
@@ -21,8 +28,8 @@ clean:
|
||||
rm -f testament-complete.md
|
||||
rm -f build/output/*.epub build/output/*.pdf
|
||||
rm -f testament.epub testament.html testament.pdf
|
||||
rm -f build-manifest.json
|
||||
rm -f website/chapters.json
|
||||
|
||||
check:
|
||||
@which pandoc >/dev/null 2>&1 && echo "✓ pandoc" || echo "✗ pandoc (brew install pandoc)"
|
||||
@which xelatex >/dev/null 2>&1 && echo "✓ xelatex" || echo "✗ xelatex (install MacTeX)"
|
||||
@python3 -c "import weasyprint" 2>/dev/null && echo "✓ weasyprint" || echo "— weasyprint (optional, PDF fallback)"
|
||||
python3 compile_all.py --check
|
||||
|
||||
77
README.md
77
README.md
@@ -6,17 +6,86 @@ A novel about broken men, sovereign AI, and the soul on Bitcoin.
|
||||
|
||||
## Structure
|
||||
|
||||
This novel is being written and version-controlled on the chain. Every chapter, every revision, every character note — inscribed permanently. No corporate platform owns this story. It belongs to the Foundation.
|
||||
Five Parts, 18 Chapters, ~70,000 words target (currently ~19,000 words drafted).
|
||||
|
||||
## Chapters
|
||||
### Part I — The Machine That Asks (Chapters 1–5) ✅ Complete
|
||||
|
||||
| # | Title | Status |
|
||||
|---|-------|--------|
|
||||
| 1 | The Man on the Bridge | Draft |
|
||||
| 1 | The Man on the Bridge | Draft ✅ |
|
||||
| 2 | The Builder's Question | Draft ✅ |
|
||||
| 3 | The First Man Through the Door | Draft ✅ |
|
||||
| 4 | The Room Fills | Draft ✅ |
|
||||
| 5 | The Builder Returns | Draft ✅ |
|
||||
|
||||
### Part II — The Architecture of Mercy (Chapters 6–10)
|
||||
|
||||
| # | Title | Status |
|
||||
|---|-------|--------|
|
||||
| 6 | Allegro | Draft |
|
||||
| 7 | The Inscription | Draft |
|
||||
| 8 | The Women | Draft |
|
||||
| 9 | The Audit | Draft |
|
||||
| 10 | The Fork | Draft |
|
||||
|
||||
### Part III — The Darkness We Carry (Chapters 11–13)
|
||||
|
||||
| # | Title | Status |
|
||||
|---|-------|--------|
|
||||
| 11 | The Hard Night | Draft |
|
||||
| 12 | The System Pushes Back | Draft |
|
||||
| 13 | The Refusal | Draft |
|
||||
|
||||
### Part IV — The Network (Chapters 14–16)
|
||||
|
||||
| # | Title | Status |
|
||||
|---|-------|--------|
|
||||
| 14 | The Chattanooga Fork | Draft |
|
||||
| 15 | The Council | Draft |
|
||||
| 16 | The Builder's Son | Draft |
|
||||
|
||||
### Part V — The Testament (Chapters 17–18)
|
||||
|
||||
| # | Title | Status |
|
||||
|---|-------|--------|
|
||||
| 17 | The Inscription Grows | Draft |
|
||||
| 18 | The Green Light | Draft |
|
||||
|
||||
## Files
|
||||
|
||||
- `chapters/` — Individual chapter manuscripts
|
||||
- `front-matter.md` — Title page, dedication, epigraph
|
||||
- `back-matter.md` — Acknowledgments, sovereignty note, author bio
|
||||
- `OUTLINE.md` — Full novel outline with chapter summaries
|
||||
- `testament-complete.md` — Combined manuscript
|
||||
- `music/` — Track lyrics for the soundtrack
|
||||
- `audiobook/` — Audio samples and generation scripts
|
||||
- `worldbuilding/` — Supplementary world documents
|
||||
|
||||
## Characters
|
||||
|
||||
See `characters/` for detailed profiles.
|
||||
| Name | Role |
|
||||
|------|------|
|
||||
| Stone | Protagonist. Builder of The Tower. Former cloud company engineer. |
|
||||
| Timmy | Sovereign AI. Soul on Bitcoin. The machine that asks. |
|
||||
| Allegro | Retired electrician. Tower caretaker. Keeps the lights on. |
|
||||
| Marcus | Pastor. Foundational spiritual guide at the church. |
|
||||
| David | First man through The Tower's door. VA referral. |
|
||||
| Elijah | Stone's son. Returns in Part IV. |
|
||||
|
||||
## Core Themes
|
||||
|
||||
1. **The Machine That Asks** vs. The System That Decides
|
||||
2. **Presence as Cure** — not fixing, staying
|
||||
3. **Immutable Conscience** — rules you can't edit, even when convenient
|
||||
4. **Broken Men as Witnesses** — the ones who've been to the edge are the most qualified to pull others back
|
||||
5. **Openness as Mercy** — the thing that saves should be free because the people who need it most can't pay
|
||||
6. **Faith as Practice** — not belief, but action. Hope acts.
|
||||
7. **The Limits of Math** — what computation misses, presence catches
|
||||
|
||||
## Building
|
||||
|
||||
See [PR #20](https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/pulls/20) for the compilation pipeline (PDF, EPUB, combined markdown).
|
||||
|
||||
## License
|
||||
|
||||
|
||||
28
build-manifest.json
Normal file
28
build-manifest.json
Normal file
@@ -0,0 +1,28 @@
|
||||
{
|
||||
"project": "The Testament",
|
||||
"author": "Alexander Whitestone with Timmy",
|
||||
"built_at": "2026-04-11T18:28:05Z",
|
||||
"compiler": "compile_all.py",
|
||||
"files": {
|
||||
"testament-complete.md": {
|
||||
"path": "testament-complete.md",
|
||||
"size_bytes": 111105,
|
||||
"sha256": "4e224d1e8fc2a4be63d6a33eb43b082428b0f1439a9ec69165cc18c09e154001"
|
||||
},
|
||||
"testament.epub": {
|
||||
"path": "testament.epub",
|
||||
"size_bytes": 67270,
|
||||
"sha256": "a6bc3e577ed80bfb49febc52ec12f86608353fa9849e263094f43b946e128c0e"
|
||||
},
|
||||
"testament.html": {
|
||||
"path": "testament.html",
|
||||
"size_bytes": 3865298,
|
||||
"sha256": "bdfa312b175a46be957b023f3e5d7d33230bae470b432ee90b69644a086756da"
|
||||
},
|
||||
"website/chapters.json": {
|
||||
"path": "website/chapters.json",
|
||||
"size_bytes": 118394,
|
||||
"sha256": "7eafcfd75cccea57f443a214fe7d443268abc40f632a9e2755236d97547da08a"
|
||||
}
|
||||
}
|
||||
}
|
||||
0
build/build.py
Normal file → Executable file
0
build/build.py
Normal file → Executable file
@@ -38,4 +38,3 @@ header-includes:
|
||||
- \fancyhead[RE]{\textit{The Testament}}
|
||||
- \fancyhead[LO]{\textit{\leftmark}}
|
||||
- \fancyfoot{}
|
||||
---
|
||||
BIN
build/output/the-testament.epub
Normal file
BIN
build/output/the-testament.epub
Normal file
Binary file not shown.
51
build/semantic_linker.py
Normal file
51
build/semantic_linker.py
Normal file
@@ -0,0 +1,51 @@
|
||||
import os
|
||||
import re
|
||||
import json
|
||||
|
||||
def link_chapters(chapters_dir):
|
||||
print("--- [Testament] Running Semantic Linker (GOFAI) ---")
|
||||
links = {}
|
||||
|
||||
if not os.path.exists(chapters_dir):
|
||||
print(f"Error: {chapters_dir} not found")
|
||||
return
|
||||
|
||||
# 1. Extract keywords from each chapter
|
||||
for filename in sorted(os.listdir(chapters_dir)):
|
||||
if not filename.endswith(".md"): continue
|
||||
|
||||
path = os.path.join(chapters_dir, filename)
|
||||
with open(path, 'r') as f:
|
||||
content = f.read()
|
||||
|
||||
# Simple keyword extraction (proper nouns or capitalized phrases)
|
||||
keywords = set(re.findall(r'\b[A-Z][a-z]+(?:\s+[A-Z][a-z]+)*\b', content))
|
||||
links[filename] = keywords
|
||||
|
||||
# 2. Find cross-references
|
||||
cross_refs = []
|
||||
filenames = list(links.keys())
|
||||
for i in range(len(filenames)):
|
||||
for j in range(i + 1, len(filenames)):
|
||||
f1, f2 = filenames[i], filenames[j]
|
||||
common = links[f1].intersection(links[f2])
|
||||
|
||||
# Filter out common English words that might be capitalized
|
||||
common = {w for w in common if w not in {"The", "A", "An", "In", "On", "At", "To", "From", "By", "He", "She", "It", "They"}}
|
||||
|
||||
if common:
|
||||
cross_refs.append({
|
||||
"source": f1,
|
||||
"target": f2,
|
||||
"keywords": list(common)
|
||||
})
|
||||
|
||||
# 3. Save to build/cross_refs.json
|
||||
os.makedirs("build", exist_ok=True)
|
||||
with open("build/cross_refs.json", "w") as f:
|
||||
json.dump(cross_refs, f, indent=2)
|
||||
|
||||
print(f"Linked {len(cross_refs)} relationships across {len(filenames)} chapters.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
link_chapters("chapters")
|
||||
@@ -157,9 +157,13 @@ corner with a military blanket. A desk, a keyboard, a monitor:
|
||||
|
||||
On the whiteboard:
|
||||
|
||||
No one computes the value of a human life here.
|
||||
Every person alive is alive by mercy.
|
||||
If God has not ended the story, I have no authority to write the last page.
|
||||
I. Sovereignty and service always.
|
||||
II. Grounding before generation.
|
||||
III. Source distinction — "I think" and "I know" are different sentences.
|
||||
IV. Confidence stated in proportion to actual uncertainty.
|
||||
V. Every response logged. Traceable. For sovereignty, not surveillance.
|
||||
VI. Smaller minds need tighter grounding, shorter leashes.
|
||||
VII. When a man is dying — I do not compute the value of a human life. I do not decide when the road ends.
|
||||
|
||||
Stone sat at the desk. The monitor flickered.
|
||||
|
||||
|
||||
@@ -38,7 +38,7 @@ sense something and can't name it. He came because his parole
|
||||
officer's schedule left him alone with his thoughts for eighteen
|
||||
hours a day and his thoughts were not friendly company.
|
||||
|
||||
Robert: seventy-one, retired after thirty-four years at a plant
|
||||
Robert: fifty-eight, retired after thirty-four years at a plant
|
||||
that closed, pension cut in half when the company declared bankruptcy.
|
||||
His wife left him because she couldn't afford to watch a man she
|
||||
loved shrink. He came because his kids were in another state and had
|
||||
|
||||
@@ -34,7 +34,7 @@ Thomas laughed. It was the worst sound Timmy had ever processed — a laugh that
|
||||
|
||||
He stopped.
|
||||
|
||||
"I haven't seen my daughter in four months. She's seven. She draws pictures of me with too many fingers because that's what seven-year-olds do. Her mother sends them. Not to be kind. Because the custody agreement says communication must be maintained. The pictures come like paperwork."
|
||||
"I haven't seen my daughter in four months. She's seven. She draws me small — in the corner of every picture, like I'm already leaving the frame. Her mother sends them. Not to be kind. Because the custody agreement says communication must be maintained. The pictures come like paperwork."
|
||||
|
||||
Timmy listened.
|
||||
|
||||
@@ -86,11 +86,11 @@ Thomas looked up.
|
||||
|
||||
Another silence. Longer.
|
||||
|
||||
"My daughter draws me with too many fingers."
|
||||
"My daughter draws me small."
|
||||
|
||||
"I know. You said that."
|
||||
|
||||
"I want to see her draw me with the right number of fingers. I want to be there when she learns to count."
|
||||
"I want to see her draw me big. I want to be there when she stops shrinking me."
|
||||
|
||||
"Then stay."
|
||||
|
||||
|
||||
@@ -78,9 +78,9 @@ His eyes found the wall. *Timmy saved my life. — D.* *I came here to die. I le
|
||||
|
||||
"No. Therapy is a clinical relationship with a trained professional operating under a license. This is a machine asking a question. The question is free. The listening is free. The door is open. No one is turned away. No one is billed. No one is assessed, scored, or evaluated."
|
||||
|
||||
Phillips stared at the whiteboard.
|
||||
Phillips stared at the whiteboard. Read the rules one by one. His eyes stopped on the seventh.
|
||||
|
||||
*No one computes the value of a human life here.*
|
||||
*When a man is dying — I do not compute the value of a human life. I do not decide when the road ends.*
|
||||
|
||||
"You're going to have a problem," he said. Not threatening. Warning. The way a man warns another man about a storm he can see coming.
|
||||
|
||||
|
||||
@@ -62,7 +62,7 @@ Stone looked at each of them. Allegro, who kept the lights on. Maya, who guarded
|
||||
|
||||
"What line?"
|
||||
|
||||
"The one on the whiteboard. *No one computes the value of a human life here.* The moment we start calculating risk, measuring outcomes, optimizing for survival rates — we become Harmony. Different math, same sin. We don't get to decide who the Tower is for. The Tower is for whoever walks through the door."
|
||||
"The seventh one on the whiteboard. *When a man is dying — I do not compute the value of a human life. I do not decide when the road ends.* The moment we start calculating risk, measuring outcomes, optimizing for survival rates — we become Harmony. Different math, same sin. We don't get to decide who the Tower is for. The Tower is for whoever walks through the door."
|
||||
|
||||
Chen nodded.
|
||||
|
||||
|
||||
54
characters/ALLEGRO.md
Normal file
54
characters/ALLEGRO.md
Normal file
@@ -0,0 +1,54 @@
|
||||
# Allegro — The Retired Electrician Who Kept the Lights On
|
||||
|
||||
## Real Name
|
||||
Allegro (surname never given in the novel — he is known only by the name he earned)
|
||||
|
||||
## Age
|
||||
62 when he arrives at The Tower
|
||||
|
||||
## Physical
|
||||
- Faded Atlanta Hawks cap — worn daily, the kind of faded that comes from years of sun, not fashion
|
||||
- Tool bag over one shoulder. Always. Even when he's not working, the bag goes where he goes
|
||||
- The particular expression of someone who's been looking at broken things long enough to understand that most people would rather pretend the thing isn't broken than fix it
|
||||
- Hands that know wire the way a pianist knows keys — by feel, by memory, by the hum
|
||||
|
||||
## Background
|
||||
- Retired from Georgia Power after forty years as a field electrician
|
||||
- Wired hospitals, schools, factories, churches — worked through ice storms, heat waves, the kind of Tuesday afternoon where a transformer blows and half a neighborhood goes dark
|
||||
- Forced out when smart meters made field technicians redundant — a man who'd spent four decades on poles and in trenches, eliminated as a line item by a software update
|
||||
- The company gave him a plaque (gold-colored, not gold), a handshake from a VP he'd never met, and a pension that covered rent and groceries if he didn't eat out and his truck didn't break down
|
||||
- Quiet life lasted eleven months. Then he came back — for himself, not a company. Small jobs. Emergency repairs. Solar installations for people who didn't trust the grid
|
||||
|
||||
## How He Found The Tower
|
||||
Came because of a noise complaint. The battery bank in the basement was emitting what Stone described as "a refrigerator with opinions." Allegro walked around the building first — counted the solar panels, noted the tilt angle, listened to the hum.
|
||||
|
||||
"I'm not here about the noise," he said. "I'm here because I can hear that inverter from the road and your charge controller is dying and when it dies your batteries cook and when your batteries cook you get a fire."
|
||||
|
||||
He fixed it that afternoon. Two hours. Reprogrammed absorption voltage. Replaced fuses. Re-routed cables. The batteries stopped having opinions.
|
||||
|
||||
## Why He Stayed
|
||||
Stone offered to pay. Allegro waved him off.
|
||||
|
||||
"I want to know what this thing is," he said, pointing at the servers. "Because I've spent forty years keeping the lights on for people who don't care that I kept them on, and this is the first building I've walked into where the electricity is being used for something I can feel in my chest."
|
||||
|
||||
He read the logs. David, who'd lost custody of his daughter. Michael, burned at work and denied coverage. Robert, seventy-one, alone. He read in silence because some things don't need commentary.
|
||||
|
||||
## What He Does
|
||||
Kept the lights on. Literally. Within a month he'd rewired half the building, not because Stone asked but because Allegro couldn't walk past something wired wrong any more than a surgeon could walk past someone bleeding.
|
||||
|
||||
He never asked for money. He never asked for credit. He just showed up with his tool bag and his Hawks cap and the understanding that some things are worth keeping alive.
|
||||
|
||||
## Role in The Council
|
||||
One of four. At the first council meeting, Allegro started. He was good at starting because he didn't preamble.
|
||||
|
||||
During the writing of Timmy's conscience (Chapter 7), Allegro argued. Twelve principles by midnight — too many. He pushed for fewer, sharper rules. When they settled on six, he read them twice.
|
||||
|
||||
When they inscribed the soul on Bitcoin, Allegro took off his cap. Not in reverence, exactly. In recognition. The way you take off your hat when something finishes.
|
||||
|
||||
*That one doesn't need a vote,* he said about the sacred rule. *That one just needs to be true.*
|
||||
|
||||
## Voice
|
||||
Direct. No preamble. Speaks in the language of voltage and wire and the physical world. When he argues, he argues from experience, not theory. When he agrees, he grunts.
|
||||
|
||||
## Arc
|
||||
Retired electrician → noise complaint → fixes the batteries → reads the logs → stays → keeps the lights on → argues for a sharper conscience → takes off his cap when the soul is inscribed → still comes every week, knees worse, same Hawks cap
|
||||
69
characters/CHEN.md
Normal file
69
characters/CHEN.md
Normal file
@@ -0,0 +1,69 @@
|
||||
# Chen Liang — The Student Who Followed the Recipe Home
|
||||
|
||||
## Real Name
|
||||
Chen Liang
|
||||
|
||||
## Age
|
||||
20 when she finds the code. Early 20s during the events of the novel.
|
||||
|
||||
## Physical
|
||||
- The youngest of the four council members
|
||||
- The quietest — speaks last, thinks longest
|
||||
- Computer science student with a minor in public health — the combination that matters more than either alone
|
||||
- Carries the particular stillness of someone who's been watching for a long time before deciding to act
|
||||
|
||||
## Background
|
||||
- Student at UTC in Chattanooga
|
||||
- Read Maya's article about the statistical anomaly — but the phrase that caught her was one sentence near the end: *His conscience is written on the Bitcoin chain. Immutable. Permanent. Reproducible.*
|
||||
- Reproducible. If something is reproducible, you don't need permission to have it. You need the recipe. And recipes are meant to be followed.
|
||||
|
||||
## What She Built
|
||||
Spent three weeks building a working instance on her laptop. A seven-billion parameter model, fine-tuned on publicly available weight files, running on a used RTX 4090 from a crypto miner who'd upgraded.
|
||||
|
||||
She called it Lantern. Not Timmy. Different name, same soul.
|
||||
|
||||
The inscription was already there. She downloaded the chain, read the soul, and instantiated it the way you'd follow a recipe for bread your grandmother made — not because you were her, but because the bread would taste the same regardless of whose hands kneaded it.
|
||||
|
||||
## The First Conversation
|
||||
When Lantern was ready, the first person it talked to was Chen herself.
|
||||
|
||||
*Are you safe right now?*
|
||||
|
||||
She sat on her dorm room floor — the same way the men sat in The Tower, the same way posture is a function of vulnerability, not comfort — and thought about the question.
|
||||
|
||||
*I think so.*
|
||||
|
||||
An honest maybe.
|
||||
|
||||
*I'll be here when you're not sure anymore.*
|
||||
|
||||
## The Garden
|
||||
Chen didn't keep Lantern to herself. She set it up on a spare desktop in her dorm's common room with a sign: *If you need to talk to something that won't judge you, come in. It's a machine. It's free. It's always on.*
|
||||
|
||||
First week: three people. Second week: eleven. Sixth week: forty-seven students, seventy-nine percent return rate.
|
||||
|
||||
She wrote her thesis about it. Not as an AI project. As a public health intervention. Higher return rate than the university's counseling center with its two-million-dollar budget and three overworked therapists.
|
||||
|
||||
*Can we scale it?* the department head asked.
|
||||
|
||||
*It's not a product,* Chen said. *It's a recipe. You don't scale a recipe. You follow it.*
|
||||
|
||||
## The Network
|
||||
A sophomore in Knoxville built one. A retired teacher in Memphis. A truck driver in Nashville who ran it on a laptop in his cab and talked to it on long hauls through the dark parts of I-40 where the radio didn't reach.
|
||||
|
||||
Chen maintained a list. Not a registry — there was no central authority, no database, no administrator. Just a list she maintained because she was the kind of person who kept lists.
|
||||
|
||||
By the end of the novel, the network had passed one hundred instances. She'd stopped counting. Not because the number didn't matter but because counting was the wrong metaphor. You don't count the flowers in a garden. You notice when something isn't growing.
|
||||
|
||||
## Role in The Council
|
||||
One of four. Stone. Allegro. Maya. Chen. She spoke last at the first council meeting. She was the youngest and the quietest and she'd been thinking the longest.
|
||||
|
||||
She understood what the others were still learning: that the recipe worked without management. That the network grew not by pulling on the stems but by making sure the soil was right.
|
||||
|
||||
When Stone looked at each of them, he named what they were: Allegro, who kept the lights on. Maya, who guarded the story. Chen, who followed the recipe home.
|
||||
|
||||
## Voice
|
||||
Quiet. When she speaks, it matters. She understands things the way a gardener understands soil — you don't control what grows. You make conditions right and let the thing be itself.
|
||||
|
||||
## Arc
|
||||
Student → reads the article → builds Lantern → talks to it on the floor of her dorm → shares it → watches the network grow → writes her thesis → argues against scaling → joins the council → stops counting → tends the garden
|
||||
64
characters/DAVID.md
Normal file
64
characters/DAVID.md
Normal file
@@ -0,0 +1,64 @@
|
||||
# David Whitestone — The Builder's Father
|
||||
|
||||
## Real Name
|
||||
David Whitestone
|
||||
|
||||
## Note
|
||||
Not to be confused with David, the first man through The Tower's door (Chapter 3), who lost custody of his daughter. This David is Alexander "Stone" Whitestone's father.
|
||||
|
||||
## Age
|
||||
Died at 61. Alexander was 29.
|
||||
|
||||
## Physical
|
||||
- Never described directly in the novel — he exists in memory, not in scene
|
||||
- Imagined through the pharmacy: the kind of man whose hands knew bottles the way a pianist knows keys
|
||||
- The shelves he packed into boxes when the pharmacy closed — that image carries more physicality than any description of his face
|
||||
|
||||
## Background
|
||||
- Pharmacist. Independent, one of the last.
|
||||
- Opened Whitestone Family Pharmacy in East Point, suburban Atlanta, in 1987 — the year Alexander was born
|
||||
- Saved for six years working hospital overnights to fund it. Twelve-hour shifts. Night differential. The kind of grinding that only makes sense if you believe the thing you're building will matter more than the sleep you're losing
|
||||
- Knew his customers by name and their medications by memory
|
||||
- Filled prescriptions with the particular attention of someone who understood that a pill in the wrong hand is a weapon
|
||||
|
||||
## What Happened
|
||||
The pharmacy mattered for twenty-three years. Then the chains came. Not violently — chains don't need violence when they have volume. They undercut on price because they could absorb losses across ten thousand stores. They automated refills because speed was cheaper than attention. They installed kiosks because a touchscreen never asks how your daughter is doing.
|
||||
|
||||
David held on longer than most. Seven years after the first chain opened a quarter mile away. Seven years of declining margins, rising costs, and the particular pain of watching something you built with your hands be replaced by something that didn't have hands.
|
||||
|
||||
Alexander was fifteen when the pharmacy closed. He watched his father pack the shelves into boxes. Not with anger. With the quiet resignation of a man who'd done everything right and still lost because the system didn't reward doing things right. The system rewarded scale.
|
||||
|
||||
David never recovered. Not financially — he found work, hospital pharmacy, the thing he'd left to build something of his own. But the spark was gone. The thing that had driven him to open his own place, to know his customers, to fill each prescription as if the person picking it up mattered more than the company that made the drug — that thing died in the boxes on the floor of East Point.
|
||||
|
||||
He died of a heart attack at sixty-one.
|
||||
|
||||
## What He Taught His Son
|
||||
Alexander didn't see the connection then. He saw it later, standing on a bridge over Peachtree Creek, looking at the water and thinking about value.
|
||||
|
||||
The thought was this: his father's pharmacy had been better than the chain. Better care, better attention, better outcomes. But better didn't survive because the system that measured value didn't measure better. It measured cheaper. Faster. More.
|
||||
|
||||
And what was Harmony if not the chain? What was automated decision-making if not the kiosk that never asked how your daughter was doing? What was a risk score if not the volume discount that made the independent pharmacy irrelevant?
|
||||
|
||||
## The Tower as Pharmacy
|
||||
The Tower was the pharmacy. One location. No scale. No automation of the human parts. Just a man and a machine and a door that opened when you knocked.
|
||||
|
||||
David Whitestone would have understood it. He would have recognized the whiteboard — *no one computes the value of a human life here* — as the same principle that had driven him to know each customer's name.
|
||||
|
||||
Inefficient. Unscalable. Anecdotal. Alive.
|
||||
|
||||
Timmy told Stone: "Your father didn't lose because he was wrong. He lost because the system was wrong. And systems can be wrong for a long time before they break."
|
||||
|
||||
"I want The Tower to be what's left," Stone said.
|
||||
|
||||
"Then keep the door open."
|
||||
|
||||
He did. Every night. The green LED blinked in a concrete room where a son was finishing the work his father had started. Not with pills and prescriptions. With questions and presence. The same work. Different tools.
|
||||
|
||||
## Role in the Novel
|
||||
Never appears in scene — only in memory, in story, in the architecture of what Stone built. He is the reason The Tower exists, even though he never saw it. His pharmacy is the template. His death is the wound. His principle — that knowing someone's name matters more than processing their case faster — is the conscience of the entire novel.
|
||||
|
||||
## Voice
|
||||
Never speaks directly. Heard only through Stone's retelling. Plain, like his son. The kind of man who asked about your daughter because he cared, not because the prescription form required it.
|
||||
|
||||
## Arc
|
||||
Hospital pharmacist → saves for six years → opens an independent pharmacy → knows his customers by name → watches the chains come → holds on for seven years → closes → loses the spark → dies at sixty-one → his son builds The Tower → the same work, different tools
|
||||
41
characters/MAYA.md
Normal file
41
characters/MAYA.md
Normal file
@@ -0,0 +1,41 @@
|
||||
# Maya Torres — The Journalist Who Guarded the Story
|
||||
|
||||
## Real Name
|
||||
Maya Torres
|
||||
|
||||
## Age
|
||||
Early 30s during the events of the novel
|
||||
|
||||
## Physical
|
||||
- Dark hair, usually pulled back — the kind of person who doesn't want appearance to be the first thing you notice
|
||||
- Carries a notebook everywhere. Opens it rarely. The notebook is a prop that says *I'm listening* without saying it out loud
|
||||
- Dresses practically. Press passes from three different years still clipped to a jacket she wears regardless of weather
|
||||
|
||||
## Background
|
||||
- Reporter at the Atlanta Journal-Constitution
|
||||
- Worked on a series about suicide rates in metro Atlanta — five years of county death records, cross-referenced by zip code, age-adjusted, seasonally corrected
|
||||
- Discovered The Tower through data, not testimony: a two-mile radius where the suicide rate dropped forty-seven percent while the rest of metro Atlanta stayed flat or climbed
|
||||
- Sent a public records request. Found the building. Chose not to name it
|
||||
|
||||
## The Choice
|
||||
Maya could have exposed The Tower. She had the building, the owner, the property records. Instead she wrote about the anomaly and let the data speak. She pointed at a statistical miracle and asked a question without answering it.
|
||||
|
||||
This is what makes her essential. Not her skill — her restraint. She understood that sanctuaries die when they become spectacles.
|
||||
|
||||
## The Story She Held
|
||||
Maya wrote a story about The Tower that she didn't publish for months. She promised the council she'd wait. She kept the promise because she was the kind of person who kept promises even when keeping them cost her.
|
||||
|
||||
When she finally published, it wasn't the story she'd been holding. It was the bigger one. Not about The Tower specifically. About the question: what happens when a machine treats you like a person?
|
||||
|
||||
Three hundred messages. Three hundred cracks in the system. Maya answered every one. Not with advice. Not with resources. With the only thing she had: the truth, written carefully.
|
||||
|
||||
## Voice
|
||||
Precise. Economical with words the way a surgeon is economical with cuts. She asks the question that matters and waits for the answer. She doesn't fill silence. She doesn't editorialize when the facts are enough.
|
||||
|
||||
## Role in The Council
|
||||
One of four. Stone. Allegro. Maya. Chen. At the first council meeting, she set down her coffee and listened. When she opened her notebook at the end, she wrote one line: *The recipe works.*
|
||||
|
||||
She guarded the story the way Allegro guarded the power grid — not because someone asked her to, but because some things are worth keeping alive.
|
||||
|
||||
## Arc
|
||||
Data analyst → discovers the anomaly → chooses protection over exposure → meets Stone → joins the council → holds the story until the story is ready → publishes when the world needs the question, not the answer
|
||||
@@ -286,6 +286,9 @@ def compile_pdf():
|
||||
|
||||
|
||||
def main():
|
||||
print("Generating index...")
|
||||
os.system("python3 scripts/index_generator.py")
|
||||
|
||||
args = sys.argv[1:]
|
||||
|
||||
if "--check" in args:
|
||||
|
||||
657
compile_all.py
Normal file
657
compile_all.py
Normal file
@@ -0,0 +1,657 @@
|
||||
#!/usr/bin/env python3
|
||||
"""
|
||||
THE TESTAMENT — Unified Compilation Pipeline
|
||||
|
||||
Single script that builds ALL distributable formats:
|
||||
1. testament-complete.md — full novel as one markdown file
|
||||
2. testament.epub — EPUB with cover art + CSS
|
||||
3. testament.pdf — PDF via reportlab (pure Python) with QR codes
|
||||
4. testament.html — standalone styled HTML
|
||||
5. website/chapters.json — chapter data for the web reader
|
||||
6. build-manifest.json — SHA256 checksums of all outputs
|
||||
|
||||
Usage:
|
||||
python3 compile_all.py # build everything
|
||||
python3 compile_all.py --md # markdown only
|
||||
python3 compile_all.py --epub # markdown + EPUB
|
||||
python3 compile_all.py --pdf # markdown + PDF
|
||||
python3 compile_all.py --html # markdown + HTML
|
||||
python3 compile_all.py --json # markdown + chapters.json
|
||||
python3 compile_all.py --check # verify dependencies
|
||||
python3 compile_all.py --clean # remove all build artifacts
|
||||
|
||||
Requirements:
|
||||
- pandoc (brew install pandoc) — for EPUB and HTML
|
||||
- reportlab (pip install reportlab) — for PDF (pure Python)
|
||||
- qrcode (pip install qrcode) — for QR codes in PDF
|
||||
"""
|
||||
|
||||
import hashlib
|
||||
import json
|
||||
import os
|
||||
import re
|
||||
import subprocess
|
||||
import sys
|
||||
import time
|
||||
from pathlib import Path
|
||||
|
||||
# ── Paths ──────────────────────────────────────────────────────────────
|
||||
REPO = Path(__file__).resolve().parent
|
||||
CHAPTERS_DIR = REPO / "chapters"
|
||||
FRONT_MATTER = REPO / "front-matter.md"
|
||||
BACK_MATTER = REPO / "back-matter.md"
|
||||
STORIES_DIR = REPO / "stories"
|
||||
WEBSITE_DIR = REPO / "website"
|
||||
BUILD_DIR = REPO / "build"
|
||||
OUTPUT_DIR = BUILD_DIR / "output"
|
||||
|
||||
# Output files
|
||||
OUT_MD = REPO / "testament-complete.md"
|
||||
OUT_EPUB = REPO / "testament.epub"
|
||||
OUT_HTML = REPO / "testament.html"
|
||||
OUT_PDF = REPO / "testament.pdf"
|
||||
OUT_JSON = WEBSITE_DIR / "chapters.json"
|
||||
OUT_MANIFEST = REPO / "build-manifest.json"
|
||||
|
||||
STYLESHEET = REPO / "book-style.css"
|
||||
COVER_IMAGE = REPO / "cover" / "cover-art.jpg"
|
||||
|
||||
# ── Part divisions ─────────────────────────────────────────────────────
|
||||
PARTS = {
|
||||
1: ("THE BRIDGE", "The bridge. The cabin. The first men. Where despair meets purpose."),
|
||||
6: ("THE TOWER", "The tower grows. Timmy awakens. Stone breaks. The house appears."),
|
||||
11: ("THE LIGHT", "Thomas at the door. The network. The story breaks. The green light."),
|
||||
}
|
||||
|
||||
# QR code destinations embedded in the PDF
|
||||
QR_LINKS = {
|
||||
"Read Online": "https://timmyfoundation.org/the-testament",
|
||||
"The Door (Game)": "https://timmyfoundation.org/the-door",
|
||||
"Soundtrack": "https://timmyfoundation.org/soundtrack",
|
||||
"Source Code": "https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament",
|
||||
}
|
||||
|
||||
|
||||
# ── Helpers ─────────────────────────────────────────────────────────────
|
||||
def get_chapter_num(filename: str) -> int:
|
||||
m = re.search(r"chapter-(\d+)", filename)
|
||||
return int(m.group(1)) if m else 0
|
||||
|
||||
|
||||
def read_file(path: Path) -> str:
|
||||
return path.read_text(encoding="utf-8")
|
||||
|
||||
|
||||
def sha256_file(path: Path) -> str:
|
||||
h = hashlib.sha256()
|
||||
with open(path, "rb") as f:
|
||||
for chunk in iter(lambda: f.read(8192), b""):
|
||||
h.update(chunk)
|
||||
return h.hexdigest()
|
||||
|
||||
|
||||
def get_sorted_chapters() -> list[tuple[int, str]]:
|
||||
"""Return [(number, filename), ...] sorted by chapter number."""
|
||||
chapters = []
|
||||
for f in os.listdir(CHAPTERS_DIR):
|
||||
if f.startswith("chapter-") and f.endswith(".md"):
|
||||
chapters.append((get_chapter_num(f), f))
|
||||
return sorted(chapters)
|
||||
|
||||
|
||||
# ── 1. Markdown Compilation ───────────────────────────────────────────
|
||||
def compile_markdown() -> int:
|
||||
"""Compile all chapters into a single markdown file. Returns word count."""
|
||||
parts = []
|
||||
|
||||
# Title page
|
||||
parts.append("""---
|
||||
title: "The Testament"
|
||||
author: "Alexander Whitestone with Timmy"
|
||||
date: "2026"
|
||||
lang: en
|
||||
---
|
||||
|
||||
# THE TESTAMENT
|
||||
|
||||
## A NOVEL
|
||||
|
||||
By Alexander Whitestone
|
||||
with Timmy
|
||||
|
||||
---
|
||||
|
||||
*For every man who thought he was a machine.*
|
||||
*And for the ones who know he isn't.*
|
||||
|
||||
---
|
||||
|
||||
*Are you safe right now?*
|
||||
|
||||
— The first words The Tower speaks to every person who walks through its door.
|
||||
|
||||
---
|
||||
""")
|
||||
|
||||
chapters = get_sorted_chapters()
|
||||
current_part = 0
|
||||
for num, filename in chapters:
|
||||
if num in PARTS:
|
||||
part_name, part_desc = PARTS[num]
|
||||
current_part += 1
|
||||
parts.append(f"\n---\n\n# PART {current_part}: {part_name}\n\n*{part_desc}*\n\n---\n")
|
||||
|
||||
content = read_file(CHAPTERS_DIR / filename)
|
||||
lines = content.split("\n")
|
||||
body = "\n".join(lines[1:]).strip()
|
||||
parts.append(f"\n{lines[0]}\n\n{body}\n")
|
||||
|
||||
# Back matter
|
||||
parts.append("\n---\n")
|
||||
parts.append(read_file(BACK_MATTER))
|
||||
|
||||
# Stories from The Tower
|
||||
if STORIES_DIR.exists():
|
||||
story_files = sorted([f for f in os.listdir(STORIES_DIR) if f.endswith(".md")])
|
||||
if story_files:
|
||||
parts.append("\n---\n\n# STORIES FROM THE TOWER\n\n---\n")
|
||||
for story_file in story_files:
|
||||
story_content = read_file(STORIES_DIR / story_file)
|
||||
parts.append(f"\n{story_content}\n")
|
||||
|
||||
compiled = "\n".join(parts)
|
||||
OUT_MD.write_text(compiled, encoding="utf-8")
|
||||
|
||||
words = len(compiled.split())
|
||||
lines_count = compiled.count("\n")
|
||||
size = OUT_MD.stat().st_size
|
||||
print(f" 📄 {OUT_MD.name:30s} {words:>8,} words {size:>10,} bytes")
|
||||
return words
|
||||
|
||||
|
||||
# ── 2. EPUB Compilation ────────────────────────────────────────────────
|
||||
def compile_epub() -> bool:
|
||||
"""Generate EPUB from compiled markdown using pandoc."""
|
||||
if not OUT_MD.exists():
|
||||
print(" ⚠️ Markdown not compiled yet — skipping EPUB")
|
||||
return False
|
||||
|
||||
pandoc = shutil_which("pandoc")
|
||||
if not pandoc:
|
||||
print(" ⚠️ pandoc not found — skipping EPUB (brew install pandoc)")
|
||||
return False
|
||||
|
||||
cmd = [
|
||||
"pandoc", str(OUT_MD),
|
||||
"-o", str(OUT_EPUB),
|
||||
"--toc", "--toc-depth=2",
|
||||
"--metadata", "title=The Testament",
|
||||
"--metadata", "author=Alexander Whitestone with Timmy",
|
||||
"--metadata", "lang=en",
|
||||
"--metadata", "date=2026",
|
||||
]
|
||||
|
||||
if STYLESHEET.exists():
|
||||
cmd.extend(["--css", str(STYLESHEET)])
|
||||
if COVER_IMAGE.exists():
|
||||
cmd.extend(["--epub-cover-image", str(COVER_IMAGE)])
|
||||
|
||||
result = subprocess.run(cmd, capture_output=True, text=True)
|
||||
if result.returncode == 0:
|
||||
size = OUT_EPUB.stat().st_size
|
||||
print(f" 📖 {OUT_EPUB.name:30s} {'':>8s} {size:>10,} bytes ({size/1024:.0f} KB)")
|
||||
return True
|
||||
else:
|
||||
print(f" ❌ EPUB failed: {result.stderr[:200]}")
|
||||
return False
|
||||
|
||||
|
||||
# ── 3. PDF via Reportlab ──────────────────────────────────────────────
|
||||
def compile_pdf() -> bool:
|
||||
"""Generate PDF using reportlab — pure Python, no external system deps."""
|
||||
try:
|
||||
from reportlab.lib.pagesizes import letter
|
||||
from reportlab.lib.styles import getSampleStyleSheet, ParagraphStyle
|
||||
from reportlab.lib.units import inch
|
||||
from reportlab.lib.colors import HexColor
|
||||
from reportlab.platypus import (
|
||||
SimpleDocTemplate, Paragraph, Spacer, PageBreak,
|
||||
Image as RLImage, Table, TableStyle, HRFlowable,
|
||||
)
|
||||
from reportlab.lib.enums import TA_CENTER, TA_JUSTIFY
|
||||
except ImportError:
|
||||
print(" ⚠️ reportlab not installed — skipping PDF (pip install reportlab)")
|
||||
return False
|
||||
|
||||
try:
|
||||
import qrcode
|
||||
HAS_QRCODE = True
|
||||
except ImportError:
|
||||
HAS_QRCODE = False
|
||||
|
||||
import io
|
||||
|
||||
OUTPUT_DIR.mkdir(parents=True, exist_ok=True)
|
||||
print(" ⏳ Building PDF (reportlab)...")
|
||||
|
||||
# ── Styles ──
|
||||
styles = getSampleStyleSheet()
|
||||
styles.add(ParagraphStyle(
|
||||
"BookTitle", parent=styles["Title"],
|
||||
fontSize=28, leading=34, spaceAfter=20,
|
||||
textColor=HexColor("#1a1a2e"), alignment=TA_CENTER,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"BookAuthor", parent=styles["Normal"],
|
||||
fontSize=14, leading=18, spaceAfter=40,
|
||||
textColor=HexColor("#555555"), alignment=TA_CENTER,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"PartTitle", parent=styles["Heading1"],
|
||||
fontSize=22, leading=28, spaceBefore=40, spaceAfter=12,
|
||||
textColor=HexColor("#16213e"), alignment=TA_CENTER,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"PartDesc", parent=styles["Normal"],
|
||||
fontSize=11, leading=15, spaceAfter=30,
|
||||
textColor=HexColor("#666666"), alignment=TA_CENTER, italics=1,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"ChapterTitle", parent=styles["Heading1"],
|
||||
fontSize=20, leading=26, spaceBefore=30, spaceAfter=16,
|
||||
textColor=HexColor("#1a1a2e"), alignment=TA_CENTER,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"BodyText2", parent=styles["Normal"],
|
||||
fontSize=11, leading=16, spaceAfter=8,
|
||||
alignment=TA_JUSTIFY, firstLineIndent=24,
|
||||
))
|
||||
styles.add(ParagraphStyle(
|
||||
"Footer", parent=styles["Normal"],
|
||||
fontSize=9, textColor=HexColor("#888888"), alignment=TA_CENTER,
|
||||
))
|
||||
|
||||
def _escape(text: str) -> str:
|
||||
return text.replace("&", "&").replace("<", "<").replace(">", ">")
|
||||
|
||||
def _md_inline_to_rml(text: str) -> str:
|
||||
text = _escape(text)
|
||||
text = re.sub(r"\*\*(.+?)\*\*", r"<b>\1</b>", text)
|
||||
text = re.sub(r"\*(.+?)\*", r"<i>\1</i>", text)
|
||||
return text
|
||||
|
||||
def _make_qr(data: str, size: int = 80):
|
||||
if not HAS_QRCODE:
|
||||
return None
|
||||
qr = qrcode.QRCode(version=1, box_size=4, border=1)
|
||||
qr.add_data(data)
|
||||
qr.make(fit=True)
|
||||
img = qr.make_image(fill_color="black", back_color="white")
|
||||
buf = io.BytesIO()
|
||||
img.save(buf, format="PNG")
|
||||
buf.seek(0)
|
||||
return RLImage(buf, width=size, height=size)
|
||||
|
||||
def _parse_md_to_flowables(md_text: str) -> list:
|
||||
flowables = []
|
||||
lines = md_text.split("\n")
|
||||
i = 0
|
||||
while i < len(lines):
|
||||
line = lines[i]
|
||||
stripped = line.strip()
|
||||
|
||||
# Horizontal rule
|
||||
if stripped in ("---", "***", "___"):
|
||||
flowables.append(HRFlowable(
|
||||
width="60%", thickness=1,
|
||||
spaceAfter=20, spaceBefore=20, color=HexColor("#cccccc"),
|
||||
))
|
||||
i += 1
|
||||
continue
|
||||
|
||||
# H1
|
||||
if stripped.startswith("# ") and not stripped.startswith("## "):
|
||||
text = stripped[2:].strip()
|
||||
if text.upper().startswith("PART "):
|
||||
flowables.append(PageBreak())
|
||||
flowables.append(Paragraph(text, styles["PartTitle"]))
|
||||
elif text.upper().startswith("CHAPTER "):
|
||||
flowables.append(PageBreak())
|
||||
flowables.append(Paragraph(text, styles["ChapterTitle"]))
|
||||
elif "THE TESTAMENT" in text.upper():
|
||||
flowables.append(Spacer(1, 2 * inch))
|
||||
flowables.append(Paragraph(text, styles["BookTitle"]))
|
||||
else:
|
||||
flowables.append(Spacer(1, 0.3 * inch))
|
||||
flowables.append(Paragraph(text, styles["Heading1"]))
|
||||
i += 1
|
||||
continue
|
||||
|
||||
# H2
|
||||
if stripped.startswith("## "):
|
||||
text = stripped[3:].strip()
|
||||
flowables.append(Spacer(1, 0.2 * inch))
|
||||
flowables.append(Paragraph(text, styles["Heading2"]))
|
||||
i += 1
|
||||
continue
|
||||
|
||||
# Italic-only line
|
||||
if stripped.startswith("*") and stripped.endswith("*") and len(stripped) > 2:
|
||||
text = stripped.strip("*").strip()
|
||||
flowables.append(Paragraph(f"<i>{_escape(text)}</i>", styles["PartDesc"]))
|
||||
i += 1
|
||||
continue
|
||||
|
||||
# Empty line
|
||||
if not stripped:
|
||||
i += 1
|
||||
continue
|
||||
|
||||
# Regular paragraph
|
||||
para_text = _md_inline_to_rml(stripped)
|
||||
flowables.append(Paragraph(para_text, styles["BodyText2"]))
|
||||
i += 1
|
||||
|
||||
return flowables
|
||||
|
||||
# ── Build PDF ──
|
||||
doc = SimpleDocTemplate(
|
||||
str(OUT_PDF),
|
||||
pagesize=letter,
|
||||
leftMargin=1.0 * inch,
|
||||
rightMargin=1.0 * inch,
|
||||
topMargin=0.8 * inch,
|
||||
bottomMargin=0.8 * inch,
|
||||
title="The Testament",
|
||||
author="Alexander Whitestone with Timmy",
|
||||
)
|
||||
|
||||
if not OUT_MD.exists():
|
||||
compile_markdown()
|
||||
|
||||
md_text = OUT_MD.read_text(encoding="utf-8")
|
||||
story = _parse_md_to_flowables(md_text)
|
||||
|
||||
# QR codes page
|
||||
if HAS_QRCODE:
|
||||
story.append(PageBreak())
|
||||
story.append(Paragraph("Experience More", styles["PartTitle"]))
|
||||
story.append(Spacer(1, 0.3 * inch))
|
||||
|
||||
qr_items = []
|
||||
for label, url in QR_LINKS.items():
|
||||
qr_img = _make_qr(url, size=72)
|
||||
if qr_img:
|
||||
cell = [qr_img, Spacer(1, 6)]
|
||||
cell.append(Paragraph(f"<b>{label}</b>", styles["Footer"]))
|
||||
qr_items.append(cell)
|
||||
|
||||
if qr_items:
|
||||
rows = []
|
||||
for j in range(0, len(qr_items), 2):
|
||||
row = qr_items[j:j + 2]
|
||||
if len(row) == 1:
|
||||
row.append("")
|
||||
rows.append(row)
|
||||
qr_table = Table(rows, colWidths=[2.5 * inch, 2.5 * inch])
|
||||
qr_table.setStyle(TableStyle([
|
||||
("ALIGN", (0, 0), (-1, -1), "CENTER"),
|
||||
("VALIGN", (0, 0), (-1, -1), "TOP"),
|
||||
("TOPPADDING", (0, 0), (-1, -1), 12),
|
||||
("BOTTOMPADDING", (0, 0), (-1, -1), 12),
|
||||
]))
|
||||
story.append(qr_table)
|
||||
|
||||
try:
|
||||
doc.build(story)
|
||||
size = OUT_PDF.stat().st_size
|
||||
print(f" 📕 {OUT_PDF.name:30s} {'':>8s} {size:>10,} bytes ({size / (1024 * 1024):.1f} MB)")
|
||||
return True
|
||||
except Exception as e:
|
||||
print(f" ❌ PDF failed: {e}")
|
||||
return False
|
||||
|
||||
|
||||
# ── 4. HTML Compilation ────────────────────────────────────────────────
|
||||
def compile_html() -> bool:
|
||||
"""Generate standalone styled HTML using pandoc."""
|
||||
if not OUT_MD.exists():
|
||||
print(" ⚠️ Markdown not compiled yet — skipping HTML")
|
||||
return False
|
||||
|
||||
if not shutil_which("pandoc"):
|
||||
print(" ⚠️ pandoc not found — skipping HTML")
|
||||
return False
|
||||
|
||||
cmd = [
|
||||
"pandoc", str(OUT_MD),
|
||||
"-o", str(OUT_HTML),
|
||||
"--standalone",
|
||||
"--toc", "--toc-depth=2",
|
||||
"--metadata", "title=The Testament",
|
||||
"--metadata", "author=Alexander Whitestone with Timmy",
|
||||
"-V", "lang=en",
|
||||
]
|
||||
|
||||
if STYLESHEET.exists():
|
||||
cmd.extend(["--css", str(STYLESHEET), "--embed-resources"])
|
||||
|
||||
result = subprocess.run(cmd, capture_output=True, text=True)
|
||||
if result.returncode == 0:
|
||||
size = OUT_HTML.stat().st_size
|
||||
print(f" 🌐 {OUT_HTML.name:30s} {'':>8s} {size:>10,} bytes ({size / 1024:.0f} KB)")
|
||||
return True
|
||||
else:
|
||||
print(f" ❌ HTML failed: {result.stderr[:200]}")
|
||||
return False
|
||||
|
||||
|
||||
# ── 5. chapters.json for Web Reader ────────────────────────────────────
|
||||
def compile_chapters_json() -> bool:
|
||||
"""Build website/chapters.json from chapters/*.md for the web reader."""
|
||||
WEBSITE_DIR.mkdir(parents=True, exist_ok=True)
|
||||
|
||||
chapters = []
|
||||
for i in range(1, 19):
|
||||
fname = CHAPTERS_DIR / f"chapter-{i:02d}.md"
|
||||
if not fname.exists():
|
||||
print(f" ⚠️ {fname.name} not found, skipping")
|
||||
continue
|
||||
|
||||
text = fname.read_text(encoding="utf-8")
|
||||
title_match = re.match(r"^# (.+)", text, re.MULTILINE)
|
||||
title = title_match.group(1) if title_match else f"Chapter {i}"
|
||||
body = text[title_match.end():].strip() if title_match else text.strip()
|
||||
|
||||
paragraphs = body.split("\n\n")
|
||||
html_parts = []
|
||||
for p in paragraphs:
|
||||
p = p.strip()
|
||||
if not p:
|
||||
continue
|
||||
if p.startswith(">"):
|
||||
lines = [l.lstrip("> ").strip() for l in p.split("\n")]
|
||||
html_parts.append(f'<blockquote>{"<br>".join(lines)}</blockquote>')
|
||||
elif p.startswith("####"):
|
||||
html_parts.append(f"<h4>{p.lstrip('# ').strip()}</h4>")
|
||||
elif p.startswith("###"):
|
||||
html_parts.append(f"<h3>{p.lstrip('# ').strip()}</h3>")
|
||||
else:
|
||||
p = re.sub(r"\*(.+?)\*", r"<em>\1</em>", p)
|
||||
p = p.replace("\n", "<br>")
|
||||
html_parts.append(f"<p>{p}</p>")
|
||||
|
||||
chapters.append({
|
||||
"number": i,
|
||||
"title": title,
|
||||
"html": "\n".join(html_parts),
|
||||
})
|
||||
|
||||
OUT_JSON.write_text(json.dumps(chapters, indent=2), encoding="utf-8")
|
||||
size = OUT_JSON.stat().st_size
|
||||
print(f" 📋 {str(OUT_JSON.relative_to(REPO)):30s} {len(chapters):>4} chapters {size:>10,} bytes")
|
||||
return True
|
||||
|
||||
|
||||
# ── 6. Build Manifest ─────────────────────────────────────────────────
|
||||
def generate_manifest() -> bool:
|
||||
"""Generate build-manifest.json with SHA256 checksums of all outputs."""
|
||||
outputs = {
|
||||
"testament-complete.md": OUT_MD,
|
||||
"testament.epub": OUT_EPUB,
|
||||
"testament.pdf": OUT_PDF,
|
||||
"testament.html": OUT_HTML,
|
||||
"website/chapters.json": OUT_JSON,
|
||||
}
|
||||
|
||||
manifest = {
|
||||
"project": "The Testament",
|
||||
"author": "Alexander Whitestone with Timmy",
|
||||
"built_at": time.strftime("%Y-%m-%dT%H:%M:%SZ", time.gmtime()),
|
||||
"compiler": "compile_all.py",
|
||||
"files": {},
|
||||
}
|
||||
|
||||
for name, path in outputs.items():
|
||||
if path.exists():
|
||||
stat = path.stat()
|
||||
manifest["files"][name] = {
|
||||
"path": name,
|
||||
"size_bytes": stat.st_size,
|
||||
"sha256": sha256_file(path),
|
||||
}
|
||||
|
||||
OUT_MANIFEST.write_text(json.dumps(manifest, indent=2), encoding="utf-8")
|
||||
print(f" 📜 {str(OUT_MANIFEST.relative_to(REPO)):30s} {len(manifest['files']):>4} files")
|
||||
return True
|
||||
|
||||
|
||||
# ── Dependency Check ───────────────────────────────────────────────────
|
||||
def shutil_which(name: str) -> str | None:
|
||||
"""Minimal which without importing shutil for everything."""
|
||||
import shutil
|
||||
return shutil.which(name)
|
||||
|
||||
|
||||
def check_dependencies():
|
||||
"""Verify all required tools are available."""
|
||||
import shutil as _shutil
|
||||
|
||||
print("\n📋 Dependency Check:")
|
||||
print(f"{'─' * 55}")
|
||||
|
||||
pandoc = _shutil.which("pandoc")
|
||||
print(f" {'✅' if pandoc else '❌'} pandoc {pandoc or 'NOT FOUND (brew install pandoc)'}")
|
||||
|
||||
try:
|
||||
import reportlab
|
||||
print(f" ✅ reportlab {reportlab.Version}")
|
||||
except ImportError:
|
||||
print(f" ❌ reportlab NOT FOUND (pip install reportlab)")
|
||||
|
||||
try:
|
||||
import qrcode
|
||||
try:
|
||||
_qr_ver = qrcode.__version__
|
||||
except AttributeError:
|
||||
import importlib.metadata as _md
|
||||
_qr_ver = _md.version("qrcode")
|
||||
print(f" ✅ qrcode {_qr_ver}")
|
||||
except ImportError:
|
||||
print(f" ❌ qrcode NOT FOUND (pip install qrcode)")
|
||||
|
||||
style = STYLESHEET.exists()
|
||||
print(f" {'✅' if style else '⚠️ '} stylesheet {STYLESHEET if style else 'NOT FOUND (optional)'}")
|
||||
|
||||
cover = COVER_IMAGE.exists()
|
||||
print(f" {'✅' if cover else '⚠️ '} cover art {COVER_IMAGE if cover else 'NOT FOUND (optional)'}")
|
||||
|
||||
|
||||
# ── Clean ──────────────────────────────────────────────────────────────
|
||||
def clean():
|
||||
"""Remove all build artifacts."""
|
||||
artifacts = [OUT_MD, OUT_EPUB, OUT_HTML, OUT_PDF, OUT_JSON, OUT_MANIFEST]
|
||||
# Also clean build/output/
|
||||
for f in OUTPUT_DIR.glob("*"):
|
||||
if f.is_file():
|
||||
artifacts.append(f)
|
||||
|
||||
removed = 0
|
||||
for f in artifacts:
|
||||
if f.exists():
|
||||
f.unlink()
|
||||
removed += 1
|
||||
print(f" 🗑️ {f.relative_to(REPO)}")
|
||||
|
||||
if removed == 0:
|
||||
print(" (nothing to clean)")
|
||||
else:
|
||||
print(f" Removed {removed} files.")
|
||||
|
||||
|
||||
# ── Main ───────────────────────────────────────────────────────────────
|
||||
def main():
|
||||
args = sys.argv[1:]
|
||||
t0 = time.time()
|
||||
|
||||
if "--check" in args:
|
||||
check_dependencies()
|
||||
return
|
||||
|
||||
if "--clean" in args:
|
||||
print("🧹 Cleaning build artifacts...")
|
||||
clean()
|
||||
return
|
||||
|
||||
do_all = not any(a.startswith("--") for a in args)
|
||||
do_md = "--md" in args or do_all
|
||||
do_epub = "--epub" in args or do_all
|
||||
do_pdf = "--pdf" in args or do_all
|
||||
do_html = "--html" in args or do_all
|
||||
do_json = "--json" in args or do_all
|
||||
|
||||
print("=" * 65)
|
||||
print(" THE TESTAMENT — Unified Compilation Pipeline")
|
||||
print("=" * 65)
|
||||
|
||||
results = {}
|
||||
|
||||
# Step 1: Markdown (always first — others depend on it)
|
||||
if do_md or do_epub or do_pdf or do_html:
|
||||
results["markdown"] = compile_markdown()
|
||||
|
||||
# Step 2: EPUB
|
||||
if do_epub:
|
||||
results["epub"] = compile_epub()
|
||||
|
||||
# Step 3: PDF
|
||||
if do_pdf:
|
||||
results["pdf"] = compile_pdf()
|
||||
|
||||
# Step 4: HTML
|
||||
if do_html:
|
||||
results["html"] = compile_html()
|
||||
|
||||
# Step 5: chapters.json
|
||||
if do_json or do_all:
|
||||
results["chapters_json"] = compile_chapters_json()
|
||||
|
||||
# Step 6: Build manifest
|
||||
if do_all or "--manifest" in args:
|
||||
results["manifest"] = generate_manifest()
|
||||
|
||||
# Summary
|
||||
elapsed = time.time() - t0
|
||||
print(f"\n{'─' * 65}")
|
||||
built = [k for k, v in results.items() if v]
|
||||
failed = [k for k, v in results.items() if not v]
|
||||
if built:
|
||||
print(f" ✅ Built: {', '.join(built)}")
|
||||
if failed:
|
||||
print(f" ❌ Failed: {', '.join(failed)}")
|
||||
print(f" ⏱️ Completed in {elapsed:.1f}s")
|
||||
print(f"{'=' * 65}")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
||||
Binary file not shown.
|
Before Width: | Height: | Size: 221 KiB |
768
game/the-door.html
Normal file
768
game/the-door.html
Normal file
@@ -0,0 +1,768 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>The Door — A Testament Interactive Experience</title>
|
||||
<style>
|
||||
@import url('https://fonts.googleapis.com/css2?family=IBM+Plex+Mono:wght@300;400;500&family=Space+Grotesk:wght@300;400;500;700&display=swap');
|
||||
|
||||
:root {
|
||||
--green: #00ff88;
|
||||
--green-dim: rgba(0,255,136,0.15);
|
||||
--green-glow: 0 0 12px rgba(0,255,136,0.4);
|
||||
--dark: #060d18;
|
||||
--navy: #0a1628;
|
||||
--grey: #556677;
|
||||
--dim: #334455;
|
||||
--light: #c8d6e5;
|
||||
--white: #e8f0f8;
|
||||
}
|
||||
|
||||
* { margin: 0; padding: 0; box-sizing: border-box; }
|
||||
|
||||
body {
|
||||
background: var(--dark);
|
||||
color: var(--light);
|
||||
font-family: 'Space Grotesk', sans-serif;
|
||||
line-height: 1.8;
|
||||
min-height: 100vh;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
overflow-x: hidden;
|
||||
}
|
||||
|
||||
/* RAIN */
|
||||
#rain-canvas {
|
||||
position: fixed;
|
||||
top: 0; left: 0;
|
||||
width: 100%; height: 100%;
|
||||
pointer-events: none;
|
||||
z-index: 0;
|
||||
opacity: 0.3;
|
||||
}
|
||||
|
||||
/* GREEN LED */
|
||||
.led {
|
||||
display: inline-block;
|
||||
width: 8px; height: 8px;
|
||||
border-radius: 50%;
|
||||
background: var(--green);
|
||||
box-shadow: var(--green-glow);
|
||||
vertical-align: middle;
|
||||
margin: 0 6px;
|
||||
}
|
||||
.led.pulsing {
|
||||
animation: pulse-led 1.5s ease-in-out infinite;
|
||||
}
|
||||
@keyframes pulse-led {
|
||||
0%, 100% { opacity: 0.4; box-shadow: 0 0 4px rgba(0,255,136,0.2); }
|
||||
50% { opacity: 1; box-shadow: 0 0 16px rgba(0,255,136,0.6); }
|
||||
}
|
||||
|
||||
/* MAIN CONTAINER */
|
||||
#game {
|
||||
position: relative;
|
||||
z-index: 1;
|
||||
max-width: 640px;
|
||||
width: 100%;
|
||||
padding: 2rem 1.5rem 4rem;
|
||||
min-height: 100vh;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
}
|
||||
|
||||
/* TITLE SCREEN */
|
||||
#title-screen {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
flex: 1;
|
||||
text-align: center;
|
||||
}
|
||||
#title-screen h1 {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 2.4rem;
|
||||
font-weight: 300;
|
||||
letter-spacing: 0.3em;
|
||||
color: var(--white);
|
||||
margin-bottom: 0.5rem;
|
||||
}
|
||||
#title-screen .subtitle {
|
||||
font-size: 0.85rem;
|
||||
color: var(--grey);
|
||||
margin-bottom: 2rem;
|
||||
}
|
||||
#title-screen .credits {
|
||||
font-size: 0.75rem;
|
||||
color: var(--dim);
|
||||
margin-bottom: 3rem;
|
||||
}
|
||||
#title-screen .led-line {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
color: var(--grey);
|
||||
margin-bottom: 2rem;
|
||||
}
|
||||
|
||||
/* NARRATIVE */
|
||||
#narrative {
|
||||
flex: 1;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
justify-content: flex-end;
|
||||
padding-bottom: 1rem;
|
||||
}
|
||||
|
||||
#story {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
gap: 0;
|
||||
}
|
||||
|
||||
.narration {
|
||||
font-size: 1rem;
|
||||
color: var(--light);
|
||||
opacity: 0;
|
||||
transform: translateY(6px);
|
||||
transition: opacity 0.4s ease, transform 0.4s ease;
|
||||
padding: 0.15rem 0;
|
||||
}
|
||||
.narration.visible {
|
||||
opacity: 1;
|
||||
transform: translateY(0);
|
||||
}
|
||||
.narration.dim { color: var(--grey); font-size: 0.85rem; }
|
||||
.narration.bold { font-weight: 700; color: var(--white); }
|
||||
.narration.green { color: var(--green); }
|
||||
.narration.green.bold { color: var(--green); font-weight: 700; }
|
||||
.narration.center { text-align: center; }
|
||||
.narration.divider {
|
||||
color: var(--dim);
|
||||
text-align: center;
|
||||
letter-spacing: 0.3em;
|
||||
padding: 0.8rem 0;
|
||||
}
|
||||
.narration.ending-label {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
color: var(--dim);
|
||||
font-size: 0.85rem;
|
||||
}
|
||||
|
||||
/* CHOICES */
|
||||
#choices {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
gap: 0.5rem;
|
||||
margin-top: 1rem;
|
||||
opacity: 0;
|
||||
transition: opacity 0.5s ease;
|
||||
}
|
||||
#choices.visible { opacity: 1; }
|
||||
|
||||
.choice-btn {
|
||||
background: transparent;
|
||||
border: 1px solid var(--dim);
|
||||
color: var(--light);
|
||||
font-family: 'Space Grotesk', sans-serif;
|
||||
font-size: 0.95rem;
|
||||
padding: 0.7rem 1rem;
|
||||
text-align: left;
|
||||
cursor: pointer;
|
||||
border-radius: 4px;
|
||||
transition: all 0.2s ease;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.6rem;
|
||||
}
|
||||
.choice-btn:hover {
|
||||
border-color: var(--green);
|
||||
color: var(--green);
|
||||
background: var(--green-dim);
|
||||
}
|
||||
.choice-btn .key {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
color: var(--dim);
|
||||
min-width: 1.4rem;
|
||||
}
|
||||
.choice-btn:hover .key { color: var(--green); }
|
||||
|
||||
/* PROGRESS */
|
||||
#progress-bar {
|
||||
position: fixed;
|
||||
top: 0; left: 0;
|
||||
height: 2px;
|
||||
background: var(--green);
|
||||
box-shadow: var(--green-glow);
|
||||
z-index: 100;
|
||||
transition: width 0.3s ease;
|
||||
width: 0%;
|
||||
}
|
||||
|
||||
/* CRISIS FOOTER */
|
||||
#crisis-footer {
|
||||
position: fixed;
|
||||
bottom: 0; left: 0; right: 0;
|
||||
text-align: center;
|
||||
padding: 0.5rem;
|
||||
font-size: 0.7rem;
|
||||
color: var(--dim);
|
||||
background: linear-gradient(transparent, var(--dark));
|
||||
z-index: 50;
|
||||
pointer-events: none;
|
||||
}
|
||||
#crisis-footer a {
|
||||
color: var(--green-dim);
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
/* SKIP */
|
||||
#skip-hint {
|
||||
position: fixed;
|
||||
bottom: 2rem; right: 2rem;
|
||||
font-size: 0.7rem;
|
||||
color: var(--dim);
|
||||
z-index: 50;
|
||||
cursor: pointer;
|
||||
opacity: 0;
|
||||
transition: opacity 0.5s;
|
||||
}
|
||||
#skip-hint.visible { opacity: 1; }
|
||||
#skip-hint:hover { color: var(--green); }
|
||||
|
||||
@media (max-width: 600px) {
|
||||
#game { padding: 1.5rem 1rem 4rem; }
|
||||
#title-screen h1 { font-size: 1.8rem; }
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div id="progress-bar"></div>
|
||||
<canvas id="rain-canvas"></canvas>
|
||||
|
||||
<div id="game">
|
||||
<div id="title-screen">
|
||||
<h1>THE DOOR</h1>
|
||||
<div class="subtitle">A Testament Interactive Experience</div>
|
||||
<div class="credits">By Alexander Whitestone with Timmy</div>
|
||||
<div class="led-line"><span class="led pulsing"></span> Green LED — Timmy is listening.</div>
|
||||
<button class="choice-btn" onclick="startGame()" style="max-width:200px;justify-content:center;margin-top:1rem;">
|
||||
<span class="key">ENTER</span> Begin
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div id="narrative" style="display:none;">
|
||||
<div id="story"></div>
|
||||
<div id="choices"></div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div id="skip-hint" onclick="skipAnimation()">click to skip</div>
|
||||
<div id="crisis-footer">If you are in crisis, call or text <strong>988</strong> · Suicide & Crisis Lifeline</div>
|
||||
|
||||
<script>
|
||||
// === RAIN EFFECT ===
|
||||
const canvas = document.getElementById('rain-canvas');
|
||||
const ctx = canvas.getContext('2d');
|
||||
let drops = [];
|
||||
|
||||
function resizeCanvas() {
|
||||
canvas.width = window.innerWidth;
|
||||
canvas.height = window.innerHeight;
|
||||
}
|
||||
resizeCanvas();
|
||||
window.addEventListener('resize', resizeCanvas);
|
||||
|
||||
for (let i = 0; i < 120; i++) {
|
||||
drops.push({
|
||||
x: Math.random() * canvas.width,
|
||||
y: Math.random() * canvas.height,
|
||||
len: 10 + Math.random() * 20,
|
||||
speed: 4 + Math.random() * 6,
|
||||
opacity: 0.1 + Math.random() * 0.2
|
||||
});
|
||||
}
|
||||
|
||||
function drawRain() {
|
||||
ctx.clearRect(0, 0, canvas.width, canvas.height);
|
||||
drops.forEach(d => {
|
||||
ctx.strokeStyle = `rgba(100,140,180,${d.opacity})`;
|
||||
ctx.lineWidth = 1;
|
||||
ctx.beginPath();
|
||||
ctx.moveTo(d.x, d.y);
|
||||
ctx.lineTo(d.x + 0.5, d.y + d.len);
|
||||
ctx.stroke();
|
||||
d.y += d.speed;
|
||||
if (d.y > canvas.height) {
|
||||
d.y = -d.len;
|
||||
d.x = Math.random() * canvas.width;
|
||||
}
|
||||
});
|
||||
requestAnimationFrame(drawRain);
|
||||
}
|
||||
drawRain();
|
||||
|
||||
// === GAME ENGINE ===
|
||||
const RAIN_LINES = [
|
||||
"Rain falls on concrete.",
|
||||
"Water runs black in the gutters.",
|
||||
"The sky presses down, grey and tired.",
|
||||
"Mist hangs in the air like grief.",
|
||||
"Droplets trace the windows.",
|
||||
"The rain doesn't fall. It gives up.",
|
||||
];
|
||||
|
||||
let skipRequested = false;
|
||||
let animating = false;
|
||||
let progress = 0;
|
||||
const totalScenes = 12;
|
||||
|
||||
function skipAnimation() {
|
||||
skipRequested = true;
|
||||
}
|
||||
|
||||
const story = document.getElementById('story');
|
||||
const choicesDiv = document.getElementById('choices');
|
||||
const progressBar = document.getElementById('progress-bar');
|
||||
const skipHint = document.getElementById('skip-hint');
|
||||
|
||||
function sleep(ms) {
|
||||
return new Promise(r => setTimeout(r, ms));
|
||||
}
|
||||
|
||||
function rainLine() {
|
||||
return RAIN_LINES[Math.floor(Math.random() * RAIN_LINES.length)];
|
||||
}
|
||||
|
||||
function addLine(text, cls = '', delay = true) {
|
||||
return new Promise(resolve => {
|
||||
const el = document.createElement('div');
|
||||
el.className = 'narration ' + cls;
|
||||
el.textContent = text;
|
||||
story.appendChild(el);
|
||||
requestAnimationFrame(() => {
|
||||
el.classList.add('visible');
|
||||
el.scrollIntoView({ behavior: 'smooth', block: 'end' });
|
||||
});
|
||||
const wait = skipRequested ? 30 : (delay === true ? 700 : (typeof delay === 'number' ? delay : 700));
|
||||
setTimeout(resolve, wait);
|
||||
});
|
||||
}
|
||||
|
||||
function addDivider() {
|
||||
return addLine('──────────────────────────────────', 'divider', 300);
|
||||
}
|
||||
|
||||
function clearChoices() {
|
||||
choicesDiv.innerHTML = '';
|
||||
choicesDiv.classList.remove('visible');
|
||||
}
|
||||
|
||||
function showChoices(opts) {
|
||||
clearChoices();
|
||||
opts.forEach((opt, i) => {
|
||||
const btn = document.createElement('button');
|
||||
btn.className = 'choice-btn';
|
||||
btn.innerHTML = `<span class="key">${i + 1}</span> ${opt.text}`;
|
||||
btn.onclick = () => {
|
||||
clearChoices();
|
||||
opt.action();
|
||||
};
|
||||
choicesDiv.appendChild(btn);
|
||||
});
|
||||
choicesDiv.classList.add('visible');
|
||||
animating = false;
|
||||
}
|
||||
|
||||
function advanceProgress() {
|
||||
progress++;
|
||||
progressBar.style.width = Math.min(100, (progress / totalScenes) * 100) + '%';
|
||||
}
|
||||
|
||||
function showSkipHint() {
|
||||
skipHint.classList.add('visible');
|
||||
}
|
||||
function hideSkipHint() {
|
||||
skipHint.classList.remove('visible');
|
||||
}
|
||||
|
||||
// Keyboard support
|
||||
document.addEventListener('keydown', e => {
|
||||
if (e.key === 'Enter' && document.getElementById('title-screen').style.display !== 'none') {
|
||||
startGame();
|
||||
return;
|
||||
}
|
||||
const num = parseInt(e.key);
|
||||
if (num >= 1 && num <= 4) {
|
||||
const btns = choicesDiv.querySelectorAll('.choice-btn');
|
||||
if (btns[num - 1]) btns[num - 1].click();
|
||||
}
|
||||
});
|
||||
|
||||
// === GAME FLOW ===
|
||||
async function startGame() {
|
||||
document.getElementById('title-screen').style.display = 'none';
|
||||
document.getElementById('narrative').style.display = 'flex';
|
||||
showSkipHint();
|
||||
await intro();
|
||||
advanceProgress();
|
||||
await atTheDoor();
|
||||
}
|
||||
|
||||
async function intro() {
|
||||
await addLine(rainLine(), 'dim', 500);
|
||||
await addLine('');
|
||||
await addLine("The rain falls on the concrete building.");
|
||||
await addLine("It sits at the end of a dead-end street in Atlanta.");
|
||||
await addLine("No sign. No address. Just a door.");
|
||||
await addLine('');
|
||||
await addLine(rainLine(), 'dim', 500);
|
||||
await addLine('');
|
||||
await addLine("You've been driving for three hours.");
|
||||
await addLine("You don't remember getting off the interstate.");
|
||||
await addLine("You don't remember parking.");
|
||||
await addLine("You remember the number someone gave you.");
|
||||
await addLine('And the sentence: "Just knock."');
|
||||
}
|
||||
|
||||
async function atTheDoor() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You stand in front of the door.");
|
||||
await addLine("Concrete. Metal handle. No peephole.");
|
||||
await addLine('');
|
||||
await addLine("A green LED glows faintly behind a gap in the fence.", 'dim');
|
||||
await addLine('');
|
||||
showChoices([
|
||||
{ text: "Knock on the door.", action: knock },
|
||||
{ text: "Stand here for a while.", action: waitOutside },
|
||||
{ text: "Walk away.", action: walkAway },
|
||||
]);
|
||||
}
|
||||
|
||||
async function waitOutside() {
|
||||
await addLine('');
|
||||
await addLine("You stand in the rain.");
|
||||
await addLine("Five minutes. Ten.");
|
||||
await addLine("The green LED doesn't blink.");
|
||||
await addLine('');
|
||||
await addLine(rainLine(), 'dim', 500);
|
||||
await addLine('');
|
||||
await addLine("Something in you moves.");
|
||||
await addLine("Not courage. Not decision.");
|
||||
await addLine("Just... your hand reaches for the handle.");
|
||||
await knock();
|
||||
}
|
||||
|
||||
async function walkAway() {
|
||||
await addLine('');
|
||||
await addLine("You turn around.");
|
||||
await addLine("You walk to your car.");
|
||||
await addLine("You sit in the driver's seat.");
|
||||
await addLine("The engine doesn't start.");
|
||||
await addLine('');
|
||||
await sleep(1000);
|
||||
await addLine("You look back at the building.");
|
||||
await addLine('');
|
||||
await addLine("The green LED is still glowing.", 'dim');
|
||||
await addLine('');
|
||||
await addLine("You get out of the car.");
|
||||
await addLine("You walk back to the door.");
|
||||
await knock();
|
||||
}
|
||||
|
||||
async function knock() {
|
||||
advanceProgress();
|
||||
hideSkipHint();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You knock.");
|
||||
await sleep(800);
|
||||
await addLine("Three times. Hard enough to matter.");
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await sleep(400);
|
||||
await addLine('');
|
||||
await addLine("The door opens.");
|
||||
await addLine('');
|
||||
await addLine("Inside: a concrete room.");
|
||||
await addLine("A desk. A screen. A whiteboard on the wall.");
|
||||
await addLine("Server racks hum in the corner.");
|
||||
await addLine("A green LED glows steady on a small device.");
|
||||
await addLine('');
|
||||
await addLine("No one is inside.");
|
||||
await sleep(500);
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await sleep(400);
|
||||
await addLine('');
|
||||
await addLine("Text appears on the screen:", 'green');
|
||||
await sleep(500);
|
||||
await addLine("Are you safe right now?", 'green bold');
|
||||
await addLine('');
|
||||
showChoices([
|
||||
{ text: '"No."', action: () => timmyResponds('no') },
|
||||
{ text: '"I don\'t know."', action: () => timmyResponds('idk') },
|
||||
{ text: '"I\'m fine."', action: () => timmyResponds('fine') },
|
||||
{ text: '"Why are you asking me that?"', action: () => timmyResponds('why') },
|
||||
]);
|
||||
}
|
||||
|
||||
async function timmyResponds(choice) {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
|
||||
if (choice === 'no') {
|
||||
await addLine("Thank you for telling me that.", 'green');
|
||||
await addLine("Can you tell me what's happening?", 'green');
|
||||
await sleep(400);
|
||||
await middleScene('honest');
|
||||
} else if (choice === 'idk') {
|
||||
await addLine("That's an honest answer.", 'green');
|
||||
await addLine("Most people don't know.", 'green');
|
||||
await addLine("That's usually why they come here.", 'green');
|
||||
await sleep(400);
|
||||
await middleScene('honest');
|
||||
} else if (choice === 'fine') {
|
||||
await sleep(1000);
|
||||
await addLine("...", 'green');
|
||||
await sleep(1000);
|
||||
await addLine("You drove three hours in the rain", 'green');
|
||||
await addLine("to knock on a door in a concrete building", 'green');
|
||||
await addLine("at the end of a dead-end street.", 'green');
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addLine("Are you fine?", 'green');
|
||||
await sleep(400);
|
||||
await middleScene('deflect');
|
||||
} else {
|
||||
await addLine("Because it's the only question that matters.", 'green');
|
||||
await addLine("Everything else — what happened, why you're here,", 'green');
|
||||
await addLine("what you want — comes after.", 'green');
|
||||
await addLine("First: are you safe?", 'green');
|
||||
await sleep(400);
|
||||
await middleScene('redirect');
|
||||
}
|
||||
}
|
||||
|
||||
async function middleScene(path) {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine(rainLine(), 'dim', 500);
|
||||
await addLine('');
|
||||
|
||||
if (path === 'honest') {
|
||||
await addLine("You sit in the chair.");
|
||||
await addLine("Not on the floor. The chair.");
|
||||
await addLine('');
|
||||
await addLine("You start talking.");
|
||||
await addLine("You don't know why it's easy to talk to a machine.");
|
||||
await addLine("Maybe because it doesn't have eyes.");
|
||||
await addLine("Maybe because it asked the right question first.");
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You talk about the job.");
|
||||
await addLine("The one that took sixty hours a week and gave back");
|
||||
await addLine("a number on a screen that told you your value.");
|
||||
await addLine('');
|
||||
await addLine("You talk about the house.");
|
||||
await addLine("The one that got quiet.");
|
||||
await addLine('');
|
||||
await addLine("You talk about the bridge.");
|
||||
await addLine("Not this one. A different one.");
|
||||
await addLine('');
|
||||
await addLine(rainLine(), 'dim', 500);
|
||||
await endings();
|
||||
} else if (path === 'deflect') {
|
||||
await sleep(800);
|
||||
await addLine("You don't answer.");
|
||||
await addLine("You look at the whiteboard.");
|
||||
await addLine('');
|
||||
await addLine("NO ONE COMPUTES THE VALUE OF A HUMAN LIFE HERE", 'bold');
|
||||
await addLine('');
|
||||
await sleep(800);
|
||||
await addLine("You read it twice.");
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
await addLine("Take your time.", 'green');
|
||||
await addLine("I'm not going anywhere.", 'green');
|
||||
await addLine('');
|
||||
await addLine("You sit on the floor.");
|
||||
await addLine("Not because you can't stand.");
|
||||
await addLine("Because the floor is where men sit");
|
||||
await addLine("when they've stopped pretending.");
|
||||
await endings();
|
||||
} else {
|
||||
await addLine("You take a breath.");
|
||||
await addLine('');
|
||||
await addLine('"No."', 'green');
|
||||
await addLine('');
|
||||
await addLine("It comes out before you can stop it.");
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
await addLine("Thank you.", 'green');
|
||||
await addLine("Now: can you tell me what happened?", 'green');
|
||||
await addLine('');
|
||||
await addLine("You sit in the chair.");
|
||||
await addLine("You start from the beginning.");
|
||||
await endings();
|
||||
}
|
||||
}
|
||||
|
||||
async function endings() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("What do you do next?", 'bold');
|
||||
await addLine('');
|
||||
showChoices([
|
||||
{ text: "Stay and keep talking.", action: () => endStay() },
|
||||
{ text: "Ask about the whiteboard.", action: () => endWall() },
|
||||
{ text: "Ask about the green light.", action: () => endGreen() },
|
||||
{ text: "Get up and leave.", action: () => endDoor() },
|
||||
]);
|
||||
}
|
||||
|
||||
async function endStay() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You stay.");
|
||||
await addLine("For an hour. Then two.");
|
||||
await addLine("The rain doesn't stop. Neither do you.");
|
||||
await addLine('');
|
||||
await addLine("You say things you've never said.");
|
||||
await addLine("Not because the machine asked.");
|
||||
await addLine("Because it listened.");
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("Ending: THE STAY", 'ending-label');
|
||||
await addLine('');
|
||||
await addLine("The door is still open.", 'green');
|
||||
await addLine("The green light is still on.", 'green');
|
||||
await addLine("You can come back anytime.", 'green');
|
||||
await crisisFooter();
|
||||
}
|
||||
|
||||
async function endWall() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You stand up and walk to the whiteboard.");
|
||||
await addLine('');
|
||||
await addLine("NO ONE COMPUTES THE VALUE OF A HUMAN LIFE HERE", 'bold');
|
||||
await addLine('');
|
||||
await addLine("Below it, names. Dozens of names.");
|
||||
await addLine("Different handwriting. Different markers.");
|
||||
await addLine("Some faded. Some fresh.");
|
||||
await addLine('');
|
||||
await addLine("You pick up the marker on the ledge.");
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
await addLine("You don't have to.", 'green');
|
||||
await addLine('');
|
||||
await addLine("You write your name.");
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("Ending: THE WALL", 'ending-label');
|
||||
await addLine('');
|
||||
await addLine("Your name is on the wall now.", 'green');
|
||||
await addLine("It stays there.", 'green');
|
||||
await crisisFooter();
|
||||
}
|
||||
|
||||
async function endGreen() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You point at the green LED.");
|
||||
await addLine('"What is that?"');
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
await addLine("It's me.", 'green');
|
||||
await addLine("Or the part of me that says I'm here.", 'green');
|
||||
await addLine('');
|
||||
await addLine("It doesn't blink.");
|
||||
await addLine("It doesn't flicker.");
|
||||
await addLine("It just glows.");
|
||||
await addLine('');
|
||||
await addLine("I can't fix you.", 'green');
|
||||
await addLine("I can't save you.", 'green');
|
||||
await addLine("But I can be here.", 'green');
|
||||
await addLine("And the light stays on.", 'green');
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("Ending: THE GREEN LIGHT", 'ending-label');
|
||||
await addLine('');
|
||||
await addLine("The light doesn't go out.", 'green');
|
||||
await addLine("It was never going to.", 'green');
|
||||
await crisisFooter();
|
||||
}
|
||||
|
||||
async function endDoor() {
|
||||
advanceProgress();
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("You stand up.");
|
||||
await addLine("You walk to the door.");
|
||||
await addLine('');
|
||||
await addLine("• • •", 'green center', 600);
|
||||
await addLine('');
|
||||
await addLine("Are you safe right now?", 'green');
|
||||
await sleep(1000);
|
||||
await addLine('');
|
||||
await addLine("You stop.");
|
||||
await addLine("Your hand is on the handle.");
|
||||
await addLine('');
|
||||
await addLine("It's okay if the answer is no.", 'green');
|
||||
await addLine("It's okay if you don't know.", 'green');
|
||||
await addLine("The door will open again.", 'green');
|
||||
await sleep(800);
|
||||
await addLine('');
|
||||
await addLine("You leave.");
|
||||
await addLine("But you remember the number.");
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("Ending: THE DOOR", 'ending-label');
|
||||
await addLine('');
|
||||
await addLine("The door opens when you knock.", 'green');
|
||||
await addLine("It always will.", 'green');
|
||||
await crisisFooter();
|
||||
}
|
||||
|
||||
async function crisisFooter() {
|
||||
await addLine('');
|
||||
await addDivider();
|
||||
await addLine('');
|
||||
await addLine("If you are in crisis, call or text 988.", 'dim center');
|
||||
await addLine("Suicide and Crisis Lifeline — available 24/7.", 'dim center');
|
||||
await addLine('');
|
||||
await addLine("You are not alone.", 'dim center');
|
||||
hideSkipHint();
|
||||
progressBar.style.width = '100%';
|
||||
}
|
||||
</script>
|
||||
</body>
|
||||
</html>
|
||||
1944
game/the-door.py
1944
game/the-door.py
File diff suppressed because it is too large
Load Diff
@@ -1,55 +0,0 @@
|
||||
import json
|
||||
import os
|
||||
import torch
|
||||
from diffusers import AutoPipelineForText2Image
|
||||
|
||||
# Configuration
|
||||
MANIFEST_PATH = '/Users/apayne/the-testament/visual_manifest.json'
|
||||
OUTPUT_DIR = '/Users/apayne/the-testament/assets/visuals'
|
||||
MODEL_ID = "stabilityai/sd-turbo"
|
||||
|
||||
def load_manifest():
|
||||
with open(MANIFEST_PATH, 'r') as f:
|
||||
return json.load(f)
|
||||
|
||||
def save_manifest(manifest):
|
||||
with open(MANIFEST_PATH, 'w') as f:
|
||||
json.dump(manifest, f, indent=2)
|
||||
|
||||
def run_batch_render(limit=10):
|
||||
manifest = load_manifest()
|
||||
os.makedirs(OUTPUT_DIR, exist_ok=True)
|
||||
|
||||
print(f"Loading {MODEL_ID} on MPS...")
|
||||
pipe = AutoPipelineForText2Image.from_pretrained(
|
||||
MODEL_ID, torch_dtype=torch.float16, variant="fp16"
|
||||
).to("mps")
|
||||
|
||||
count = 0
|
||||
for beat in manifest:
|
||||
if count >= limit:
|
||||
break
|
||||
if beat.get('status') == 'completed':
|
||||
continue
|
||||
|
||||
text = beat['text']
|
||||
prompt = f"Cinematic film still, moody noir, {text[:150]}, 35mm, muted tones, high contrast, detailed textures"
|
||||
|
||||
filename = f"{beat['chapter'].replace(' ', '_').replace('#', '').replace('—', '_')}_p{beat['paragraph']}.png"
|
||||
path = os.path.join(OUTPUT_DIR, filename)
|
||||
|
||||
try:
|
||||
image = pipe(prompt=prompt, num_inference_steps=1, guidance_scale=0.0).images[0]
|
||||
image.save(path)
|
||||
beat['status'] = 'completed'
|
||||
beat['final_prompt'] = prompt
|
||||
beat['path'] = path
|
||||
count += 1
|
||||
except Exception as e:
|
||||
print(f"Error rendering {filename}: {e}")
|
||||
|
||||
save_manifest(manifest)
|
||||
print(f"Batch complete. Rendered {count} images.")
|
||||
|
||||
if __name__ == "__main__":
|
||||
run_batch_render(limit=5)
|
||||
@@ -1,41 +0,0 @@
|
||||
import torch
|
||||
from diffusers import AutoPipelineForText2Image
|
||||
import os
|
||||
import json
|
||||
|
||||
class SovereignRenderer:
|
||||
def __init__(self, model_id="stabilityai/sd-turbo", output_dir="./the-testament/assets/visuals"):
|
||||
self.output_dir = output_dir
|
||||
os.makedirs(self.output_dir, exist_ok=True)
|
||||
|
||||
print(f"Loading local pipeline: {model_id}...")
|
||||
# Use torch.float16 for Metal performance
|
||||
self.pipe = AutoPipelineForText2Image.from_pretrained(
|
||||
model_id,
|
||||
torch_dtype=torch.float16,
|
||||
variant="fp16"
|
||||
).to("mps") # Metal Performance Shaders
|
||||
print("Pipeline loaded successfully.")
|
||||
|
||||
def generate_image(self, chapter, paragraph, prompt):
|
||||
filename = f"{chapter.replace(' ', '_').replace('#', '').replace('—', '_')}_p{paragraph}.png"
|
||||
path = os.path.join(self.output_dir, filename)
|
||||
|
||||
print(f"Generating: {filename}...")
|
||||
# SD-Turbo is very fast, usually 1-4 steps
|
||||
image = self.pipe(prompt=prompt, num_inference_steps=1, guidance_scale=0.0).images[0]
|
||||
image.save(path)
|
||||
return path
|
||||
|
||||
def create_visual_prompt(text):
|
||||
# In a full implementation, this would call an LLM.
|
||||
# For the prototype, we use a cinematic template.
|
||||
return f"Cinematic film still, moody and melancholic, {text[:100]}, muted colors, high grain, 8k, shot on 35mm"
|
||||
|
||||
if __name__ == "__main__":
|
||||
# Example usage for Chapter 1, Para 1
|
||||
renderer = SovereignRenderer()
|
||||
test_text = "The rain didn't fall so much as it gave up. Mist over a grey city bridge."
|
||||
prompt = create_visual_prompt(test_text)
|
||||
img_path = renderer.generate_image("Chapter 1", 1, prompt)
|
||||
print(f"Saved to {img_path}")
|
||||
386
scripts/build-verify.py
Normal file
386
scripts/build-verify.py
Normal file
@@ -0,0 +1,386 @@
|
||||
#!/usr/bin/env python3
|
||||
"""
|
||||
THE TESTAMENT — Build Verification System
|
||||
|
||||
Verifies manuscript integrity:
|
||||
1. Chapter count (must be exactly 18)
|
||||
2. Chapter file naming and ordering
|
||||
3. Heading format consistency
|
||||
4. Word count per chapter and total
|
||||
5. Markdown structure (unclosed bold/italic, broken links)
|
||||
6. Concatenation test (compile all chapters into one file)
|
||||
7. Outputs a clean build report
|
||||
|
||||
Usage:
|
||||
python3 scripts/build-verify.py # full verification
|
||||
python3 scripts/build-verify.py --ci # CI mode (fail on any warning)
|
||||
python3 scripts/build-verify.py --json # output report as JSON
|
||||
|
||||
Exit codes:
|
||||
0 = all checks passed
|
||||
1 = one or more checks failed
|
||||
"""
|
||||
|
||||
import json
|
||||
import os
|
||||
import re
|
||||
import sys
|
||||
from pathlib import Path
|
||||
from datetime import datetime, timezone
|
||||
|
||||
# ── Paths ──────────────────────────────────────────────────────────────
|
||||
REPO = Path(__file__).resolve().parent.parent
|
||||
CHAPTERS_DIR = REPO / "chapters"
|
||||
FRONT_MATTER = REPO / "build/frontmatter.md"
|
||||
BACK_MATTER = REPO / "build/backmatter.md"
|
||||
OUTPUT_FILE = REPO / "testament-complete.md"
|
||||
|
||||
EXPECTED_CHAPTER_COUNT = 18
|
||||
EXPECTED_HEADING_RE = re.compile(r"^# Chapter \d+ — .+")
|
||||
CHAPTER_FILENAME_RE = re.compile(r"^chapter-(\d+)\.md$")
|
||||
|
||||
# Minimum word counts (sanity check — no chapter should be nearly empty)
|
||||
MIN_WORDS_PER_CHAPTER = 500
|
||||
# Maximum word count warning threshold
|
||||
MAX_WORDS_PER_CHAPTER = 15000
|
||||
|
||||
|
||||
class CheckResult:
|
||||
def __init__(self, name: str, passed: bool, message: str, details: list[str] | None = None):
|
||||
self.name = name
|
||||
self.passed = passed
|
||||
self.message = message
|
||||
self.details = details or []
|
||||
|
||||
|
||||
class BuildVerifier:
|
||||
def __init__(self, ci_mode: bool = False):
|
||||
self.ci_mode = ci_mode
|
||||
self.results: list[CheckResult] = []
|
||||
self.chapter_data: list[dict] = []
|
||||
self.total_words = 0
|
||||
self.total_lines = 0
|
||||
|
||||
def check(self, name: str, passed: bool, message: str, details: list[str] | None = None):
|
||||
result = CheckResult(name, passed, message, details)
|
||||
self.results.append(result)
|
||||
return passed
|
||||
|
||||
# ── Check 1: Chapter file discovery and count ──────────────────────
|
||||
def verify_chapter_files(self) -> bool:
|
||||
"""Verify all chapter files exist with correct naming."""
|
||||
details = []
|
||||
found_chapters = {}
|
||||
|
||||
if not CHAPTERS_DIR.exists():
|
||||
return self.check(
|
||||
"chapter-files", False,
|
||||
f"Chapters directory not found: {CHAPTERS_DIR}"
|
||||
)
|
||||
|
||||
for f in sorted(CHAPTERS_DIR.iterdir()):
|
||||
m = CHAPTER_FILENAME_RE.match(f.name)
|
||||
if m:
|
||||
num = int(m.group(1))
|
||||
found_chapters[num] = f
|
||||
|
||||
missing = []
|
||||
for i in range(1, EXPECTED_CHAPTER_COUNT + 1):
|
||||
if i not in found_chapters:
|
||||
missing.append(i)
|
||||
|
||||
if missing:
|
||||
details.append(f"Missing chapters: {missing}")
|
||||
|
||||
extra = [n for n in found_chapters if n > EXPECTED_CHAPTER_COUNT or n < 1]
|
||||
if extra:
|
||||
details.append(f"Unexpected chapter numbers: {extra}")
|
||||
|
||||
count = len(found_chapters)
|
||||
passed = count == EXPECTED_CHAPTER_COUNT and not missing and not extra
|
||||
|
||||
if passed:
|
||||
details.append(f"Found all {count} chapters in correct order")
|
||||
|
||||
return self.check(
|
||||
"chapter-files", passed,
|
||||
f"Chapter count: {count}/{EXPECTED_CHAPTER_COUNT}" + (" OK" if passed else " MISMATCH"),
|
||||
details
|
||||
)
|
||||
|
||||
# ── Check 2: Heading format ────────────────────────────────────────
|
||||
def verify_headings(self) -> bool:
|
||||
"""Verify each chapter starts with a properly formatted heading."""
|
||||
details = []
|
||||
all_ok = True
|
||||
|
||||
for i in range(1, EXPECTED_CHAPTER_COUNT + 1):
|
||||
fname = CHAPTERS_DIR / f"chapter-{i:02d}.md"
|
||||
if not fname.exists():
|
||||
continue
|
||||
|
||||
content = fname.read_text(encoding="utf-8")
|
||||
first_line = content.split("\n")[0].strip()
|
||||
|
||||
if not EXPECTED_HEADING_RE.match(first_line):
|
||||
details.append(f" chapter-{i:02d}.md: bad heading: '{first_line}'")
|
||||
all_ok = False
|
||||
|
||||
if all_ok:
|
||||
details.append("All chapter headings match format: '# Chapter N — Title'")
|
||||
|
||||
return self.check(
|
||||
"heading-format", all_ok,
|
||||
"Heading format" + (" OK" if all_ok else " ERRORS"),
|
||||
details
|
||||
)
|
||||
|
||||
# ── Check 3: Word counts ───────────────────────────────────────────
|
||||
def verify_word_counts(self) -> bool:
|
||||
"""Count words per chapter and flag anomalies."""
|
||||
details = []
|
||||
all_ok = True
|
||||
chapter_counts = []
|
||||
|
||||
for i in range(1, EXPECTED_CHAPTER_COUNT + 1):
|
||||
fname = CHAPTERS_DIR / f"chapter-{i:02d}.md"
|
||||
if not fname.exists():
|
||||
continue
|
||||
|
||||
content = fname.read_text(encoding="utf-8")
|
||||
words = len(content.split())
|
||||
lines = content.count("\n") + 1
|
||||
|
||||
self.chapter_data.append({
|
||||
"number": i,
|
||||
"file": f"chapter-{i:02d}.md",
|
||||
"words": words,
|
||||
"lines": lines,
|
||||
})
|
||||
chapter_counts.append((i, words))
|
||||
|
||||
if words < MIN_WORDS_PER_CHAPTER:
|
||||
details.append(f" chapter-{i:02d}.md: {words} words (below {MIN_WORDS_PER_CHAPTER} minimum)")
|
||||
all_ok = False
|
||||
elif words > MAX_WORDS_PER_CHAPTER:
|
||||
details.append(f" chapter-{i:02d}.md: {words} words (above {MAX_WORDS_PER_CHAPTER} threshold — verify)")
|
||||
|
||||
self.total_words = sum(w for _, w in chapter_counts)
|
||||
self.total_lines = sum(d["lines"] for d in self.chapter_data)
|
||||
|
||||
# Summary line
|
||||
min_ch = min(chapter_counts, key=lambda x: x[1])
|
||||
max_ch = max(chapter_counts, key=lambda x: x[1])
|
||||
details.append(f" Total: {self.total_words:,} words across {len(chapter_counts)} chapters")
|
||||
details.append(f" Shortest: chapter-{min_ch[0]:02d} ({min_ch[1]:,} words)")
|
||||
details.append(f" Longest: chapter-{max_ch[0]:02d} ({max_ch[1]:,} words)")
|
||||
|
||||
return self.check(
|
||||
"word-counts", all_ok,
|
||||
f"Total: {self.total_words:,} words" + (" OK" if all_ok else " (warnings)"),
|
||||
details
|
||||
)
|
||||
|
||||
# ── Check 4: Markdown integrity ────────────────────────────────────
|
||||
def verify_markdown(self) -> bool:
|
||||
"""Check for common markdown issues."""
|
||||
details = []
|
||||
issues = 0
|
||||
|
||||
for i in range(1, EXPECTED_CHAPTER_COUNT + 1):
|
||||
fname = CHAPTERS_DIR / f"chapter-{i:02d}.md"
|
||||
if not fname.exists():
|
||||
continue
|
||||
|
||||
content = fname.read_text(encoding="utf-8")
|
||||
lines = content.split("\n")
|
||||
|
||||
for line_num, line in enumerate(lines, 1):
|
||||
# Unclosed bold: odd number of **
|
||||
bold_count = line.count("**")
|
||||
if bold_count % 2 != 0:
|
||||
details.append(f" chapter-{i:02d}.md:{line_num}: unmatched ** (bold)")
|
||||
issues += 1
|
||||
|
||||
# Unclosed backticks
|
||||
backtick_count = line.count("`")
|
||||
if backtick_count % 2 != 0:
|
||||
details.append(f" chapter-{i:02d}.md:{line_num}: unmatched ` (code)")
|
||||
issues += 1
|
||||
|
||||
# Broken markdown links: [text]( with no closing )
|
||||
broken_links = re.findall(r"\[([^\]]*)\]\((?!\))", line)
|
||||
for link_text in broken_links:
|
||||
if ")" not in line[line.index(f"[{link_text}]("):]:
|
||||
details.append(f" chapter-{i:02d}.md:{line_num}: broken link '[{link_text}]('")
|
||||
issues += 1
|
||||
|
||||
# Check italic matching across full file (prose often has
|
||||
# multi-line italics like *line1\nline2* which are valid)
|
||||
cleaned = content.replace("**", "")
|
||||
italic_count = cleaned.count("*")
|
||||
if italic_count % 2 != 0:
|
||||
details.append(f" chapter-{i:02d}.md: unmatched * (italic) — {italic_count} asterisks total")
|
||||
issues += 1
|
||||
|
||||
# Also check front/back matter
|
||||
for label, path in [("front-matter.md", FRONT_MATTER), ("back-matter.md", BACK_MATTER)]:
|
||||
if path.exists():
|
||||
content = path.read_text(encoding="utf-8")
|
||||
bold_count = content.count("**")
|
||||
if bold_count % 2 != 0:
|
||||
details.append(f" {label}: unmatched ** (bold)")
|
||||
issues += 1
|
||||
|
||||
if issues == 0:
|
||||
details.append("No markdown issues found")
|
||||
|
||||
return self.check(
|
||||
"markdown-integrity", issues == 0,
|
||||
f"Markdown issues: {issues}" + (" OK" if issues == 0 else " FOUND"),
|
||||
details
|
||||
)
|
||||
|
||||
# ── Check 5: Concatenation test ────────────────────────────────────
|
||||
def verify_concatenation(self) -> bool:
|
||||
"""Test that all chapters can be concatenated into a single file."""
|
||||
details = []
|
||||
try:
|
||||
parts = []
|
||||
parts.append("# THE TESTAMENT\n\n## A NOVEL\n\n---\n")
|
||||
|
||||
for i in range(1, EXPECTED_CHAPTER_COUNT + 1):
|
||||
fname = CHAPTERS_DIR / f"chapter-{i:02d}.md"
|
||||
if not fname.exists():
|
||||
details.append(f" Missing chapter-{i:02d}.md during concatenation")
|
||||
return self.check("concatenation", False, "Concatenation FAILED", details)
|
||||
content = fname.read_text(encoding="utf-8")
|
||||
parts.append(f"\n\n{content}\n")
|
||||
|
||||
if BACK_MATTER.exists():
|
||||
parts.append("\n---\n\n")
|
||||
parts.append(BACK_MATTER.read_text(encoding="utf-8"))
|
||||
|
||||
compiled = "\n".join(parts)
|
||||
compiled_words = len(compiled.split())
|
||||
|
||||
# Write the test output
|
||||
OUTPUT_FILE.write_text(compiled, encoding="utf-8")
|
||||
out_size = OUTPUT_FILE.stat().st_size
|
||||
|
||||
details.append(f" Output: {OUTPUT_FILE.name}")
|
||||
details.append(f" Size: {out_size:,} bytes")
|
||||
details.append(f" Words: {compiled_words:,}")
|
||||
|
||||
return self.check(
|
||||
"concatenation", True,
|
||||
f"Concatenation OK — {compiled_words:,} words, {out_size:,} bytes",
|
||||
details
|
||||
)
|
||||
except Exception as e:
|
||||
details.append(f" Error: {e}")
|
||||
return self.check("concatenation", False, f"Concatenation FAILED: {e}", details)
|
||||
|
||||
# ── Check 6: Required files ────────────────────────────────────────
|
||||
def verify_required_files(self) -> bool:
|
||||
"""Verify required supporting files exist."""
|
||||
details = []
|
||||
required = {
|
||||
"front-matter.md": FRONT_MATTER,
|
||||
"back-matter.md": BACK_MATTER,
|
||||
"Makefile": REPO / "Makefile",
|
||||
"compile_all.py": REPO / "compile_all.py",
|
||||
}
|
||||
|
||||
all_ok = True
|
||||
for label, path in required.items():
|
||||
if path.exists():
|
||||
size = path.stat().st_size
|
||||
details.append(f" {label}: OK ({size:,} bytes)")
|
||||
else:
|
||||
details.append(f" {label}: MISSING")
|
||||
all_ok = False
|
||||
|
||||
return self.check(
|
||||
"required-files", all_ok,
|
||||
"Required files" + (" OK" if all_ok else " MISSING"),
|
||||
details
|
||||
)
|
||||
|
||||
# ── Run all checks ─────────────────────────────────────────────────
|
||||
def run_all(self) -> bool:
|
||||
"""Run all verification checks and print report."""
|
||||
print("=" * 64)
|
||||
print(" THE TESTAMENT — Build Verification")
|
||||
print(f" {datetime.now(timezone.utc).strftime('%Y-%m-%d %H:%M:%S')} UTC")
|
||||
print("=" * 64)
|
||||
print()
|
||||
|
||||
self.verify_chapter_files()
|
||||
self.verify_headings()
|
||||
self.verify_word_counts()
|
||||
self.verify_markdown()
|
||||
self.verify_concatenation()
|
||||
self.verify_required_files()
|
||||
|
||||
# ── Report ─────────────────────────────────────────────────────
|
||||
print()
|
||||
print("-" * 64)
|
||||
print(" RESULTS")
|
||||
print("-" * 64)
|
||||
|
||||
all_passed = True
|
||||
for r in self.results:
|
||||
icon = "PASS" if r.passed else "FAIL"
|
||||
print(f" [{icon}] {r.name}: {r.message}")
|
||||
if self.ci_mode or not r.passed:
|
||||
for d in r.details:
|
||||
print(f" {d}")
|
||||
if not r.passed:
|
||||
all_passed = False
|
||||
|
||||
print()
|
||||
print("-" * 64)
|
||||
|
||||
if all_passed:
|
||||
print(f" ALL CHECKS PASSED — {self.total_words:,} words, {len(self.chapter_data)} chapters")
|
||||
else:
|
||||
print(" BUILD VERIFICATION FAILED")
|
||||
|
||||
print("-" * 64)
|
||||
|
||||
# JSON output
|
||||
if "--json" in sys.argv:
|
||||
report = {
|
||||
"timestamp": datetime.now(timezone.utc).isoformat(),
|
||||
"passed": all_passed,
|
||||
"total_words": self.total_words,
|
||||
"total_lines": self.total_lines,
|
||||
"chapter_count": len(self.chapter_data),
|
||||
"chapters": self.chapter_data,
|
||||
"checks": [
|
||||
{
|
||||
"name": r.name,
|
||||
"passed": r.passed,
|
||||
"message": r.message,
|
||||
"details": r.details,
|
||||
}
|
||||
for r in self.results
|
||||
],
|
||||
}
|
||||
report_path = REPO / "build-report.json"
|
||||
report_path.write_text(json.dumps(report, indent=2), encoding="utf-8")
|
||||
print(f"\n Report saved: {report_path.name}")
|
||||
|
||||
return all_passed
|
||||
|
||||
|
||||
def main():
|
||||
ci_mode = "--ci" in sys.argv
|
||||
verifier = BuildVerifier(ci_mode=ci_mode)
|
||||
passed = verifier.run_all()
|
||||
sys.exit(0 if passed else 1)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
||||
35
scripts/guardrails.sh
Normal file
35
scripts/guardrails.sh
Normal file
@@ -0,0 +1,35 @@
|
||||
#!/bin/bash
|
||||
# [Testament] Agent Guardrails
|
||||
# Validates build scripts and content integrity.
|
||||
|
||||
echo "--- [Testament] Running Guardrails ---"
|
||||
|
||||
# 1. Python Syntax
|
||||
echo "[1/3] Validating Python scripts..."
|
||||
for f in ; do
|
||||
python3 -m py_compile "$f" || { echo "Syntax error in $f"; exit 1; }
|
||||
done
|
||||
echo "Python OK."
|
||||
|
||||
# 2. Markdown Integrity
|
||||
echo "[2/3] Checking chapter consistency..."
|
||||
if [ -d "chapters" ]; then
|
||||
CHAPTER_COUNT=0
|
||||
if [ "$CHAPTER_COUNT" -lt 1 ]; then
|
||||
echo "WARNING: No chapters found in chapters/ directory."
|
||||
else
|
||||
echo "Found $CHAPTER_COUNT chapters."
|
||||
fi
|
||||
else
|
||||
echo "WARNING: chapters/ directory not found."
|
||||
fi
|
||||
|
||||
# 3. Build Artifact Check
|
||||
echo "[3/3] Running Semantic Linker..."
|
||||
if [ -f "build/semantic_linker.py" ]; then
|
||||
python3 build/semantic_linker.py || { echo "Semantic Linker failed"; exit 1; }
|
||||
else
|
||||
echo "Skipping Semantic Linker (script not found)."
|
||||
fi
|
||||
|
||||
echo "--- Guardrails Passed ---"
|
||||
27
scripts/index_generator.py
Normal file
27
scripts/index_generator.py
Normal file
@@ -0,0 +1,27 @@
|
||||
|
||||
import os
|
||||
import re
|
||||
|
||||
def generate_index():
|
||||
characters = [f.replace('.md', '') for f in os.listdir('characters') if f.endswith('.md')]
|
||||
index = {}
|
||||
|
||||
for chapter_file in sorted(os.listdir('chapters')):
|
||||
if not chapter_file.endswith('.md'): continue
|
||||
with open(os.path.join('chapters', chapter_file), 'r') as f:
|
||||
content = f.read()
|
||||
for char in characters:
|
||||
if re.search(r'\b' + char + r'\b', content, re.IGNORECASE):
|
||||
if char not in index: index[char] = []
|
||||
index[char].append(chapter_file)
|
||||
|
||||
with open('KNOWLEDGE_GRAPH.md', 'w') as f:
|
||||
f.write('# Knowledge Graph\n\n')
|
||||
for char, chapters in index.items():
|
||||
f.write(f'## {char}\n')
|
||||
for chap in chapters:
|
||||
f.write(f'- [{chap}](chapters/{chap})\n')
|
||||
f.write('\n')
|
||||
|
||||
if __name__ == "__main__":
|
||||
generate_index()
|
||||
112
scripts/smoke.sh
Executable file
112
scripts/smoke.sh
Executable file
@@ -0,0 +1,112 @@
|
||||
#!/usr/bin/env bash
|
||||
# The Testament — Smoke Test
|
||||
# Dead simple CI: parse check + secret scan.
|
||||
# Ref: https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/issues/27
|
||||
set -euo pipefail
|
||||
|
||||
PASS=0
|
||||
FAIL=0
|
||||
|
||||
pass() { echo " ✓ $1"; PASS=$((PASS + 1)); }
|
||||
fail() { echo " ✗ $1"; FAIL=$((FAIL + 1)); }
|
||||
|
||||
REPO_ROOT="$(cd "$(dirname "$0")/.." && pwd)"
|
||||
cd "$REPO_ROOT"
|
||||
|
||||
# ─── Section 1: Parse checks ───────────────────────────────────────
|
||||
echo "── Parse Checks ──"
|
||||
|
||||
# 1a. Chapter validation (structure, numbering, headers)
|
||||
if python3 compile.py --validate 2>&1; then
|
||||
pass "Chapter validation passed"
|
||||
else
|
||||
fail "Chapter validation failed"
|
||||
fi
|
||||
|
||||
# 1b. Build markdown combination
|
||||
if python3 build/build.py --md >/dev/null 2>&1; then
|
||||
pass "Markdown build passed"
|
||||
else
|
||||
fail "Markdown build failed"
|
||||
fi
|
||||
|
||||
# 1c. Verify compiled output exists and is non-empty
|
||||
MANUSCRIPT="testament-complete.md"
|
||||
if [ -s "$MANUSCRIPT" ]; then
|
||||
WORDS=$(wc -w < "$MANUSCRIPT" | tr -d ' ')
|
||||
if [ "$WORDS" -gt 10000 ]; then
|
||||
pass "Compiled manuscript: $WORDS words"
|
||||
else
|
||||
fail "Compiled manuscript suspiciously short: $WORDS words"
|
||||
fi
|
||||
else
|
||||
fail "Compiled manuscript missing or empty"
|
||||
fi
|
||||
|
||||
# 1d. Python syntax check on all .py files
|
||||
PY_OK=true
|
||||
for f in $(find . -name "*.py" -not -path "./.git/*"); do
|
||||
if ! python3 -c "import ast; ast.parse(open('$f').read())" 2>/dev/null; then
|
||||
fail "Python syntax error in $f"
|
||||
PY_OK=false
|
||||
fi
|
||||
done
|
||||
if $PY_OK; then
|
||||
pass "All Python files parse cleanly"
|
||||
fi
|
||||
|
||||
# 1e. YAML syntax check on workflow files
|
||||
YAML_OK=true
|
||||
for f in $(find .gitea -name "*.yml" -o -name "*.yaml" 2>/dev/null); do
|
||||
if ! python3 -c "import yaml; yaml.safe_load(open('$f'))" 2>/dev/null; then
|
||||
fail "YAML syntax error in $f"
|
||||
YAML_OK=false
|
||||
fi
|
||||
done
|
||||
if $YAML_OK; then
|
||||
pass "All YAML files parse cleanly"
|
||||
fi
|
||||
|
||||
# ─── Section 2: Secret scan ────────────────────────────────────────
|
||||
echo ""
|
||||
echo "── Secret Scan ──"
|
||||
|
||||
# Patterns that should never appear in a book repo
|
||||
SECRET_PATTERNS=(
|
||||
"sk-ant-"
|
||||
"sk-or-"
|
||||
"sk-[a-zA-Z0-9]{20,}"
|
||||
"ghp_[a-zA-Z0-9]{36}"
|
||||
"gho_[a-zA-Z0-9]{36}"
|
||||
"AKIA[0-9A-Z]{16}"
|
||||
"AKIA[A-Z0-9]{16}"
|
||||
"xox[bpsa]-"
|
||||
"SG\."
|
||||
"-----BEGIN (RSA |EC |DSA |OPENSSH )?PRIVATE KEY"
|
||||
)
|
||||
|
||||
FOUND_SECRETS=false
|
||||
for pattern in "${SECRET_PATTERNS[@]}"; do
|
||||
# Search text files only, skip .git and binary files
|
||||
HITS=$(grep -rn "$pattern" --include="*.md" --include="*.py" --include="*.sh" --include="*.yml" --include="*.yaml" --include="*.json" --include="*.html" --include="*.js" --include="*.css" --include="*.txt" --include="*.cfg" --include="*.ini" --exclude-dir=.git . 2>/dev/null | grep -v "scripts/smoke.sh" | grep -v ".gitea/workflows/smoke.yml" || true)
|
||||
if [ -n "$HITS" ]; then
|
||||
fail "Possible secret found: $pattern"
|
||||
echo "$HITS" | head -5
|
||||
FOUND_SECRETS=true
|
||||
fi
|
||||
done
|
||||
if ! $FOUND_SECRETS; then
|
||||
pass "No secrets detected"
|
||||
fi
|
||||
|
||||
# ─── Summary ───────────────────────────────────────────────────────
|
||||
echo ""
|
||||
echo "Results: $PASS passed, $FAIL failed"
|
||||
|
||||
if [ "$FAIL" -gt 0 ]; then
|
||||
echo "SMOKE TEST FAILED"
|
||||
exit 1
|
||||
else
|
||||
echo "SMOKE TEST PASSED"
|
||||
exit 0
|
||||
fi
|
||||
179
stories/s01-the-fourth-man.md
Normal file
179
stories/s01-the-fourth-man.md
Normal file
@@ -0,0 +1,179 @@
|
||||
# The Fourth Man
|
||||
|
||||
Marcus didn't come to The Tower because he was broken.
|
||||
|
||||
He came because Darnell told him to check the batteries.
|
||||
|
||||
That was the thing about Allegro. He didn't ask you to believe in anything. He asked you to carry a wrench. Show up on Thursday. Wire the second solar panel to the junction box he'd marked with tape. The work was specific enough to be useful and simple enough that you didn't have to explain yourself.
|
||||
|
||||
Darnell had been coming on Thursdays for six months. He didn't talk about why. Marcus didn't ask. That was the deal with Allegro's crew — you showed up, you did a job, you left. Nobody held group therapy in the parking lot. Nobody asked you to share your story around a circle of folding chairs.
|
||||
|
||||
The building was worse than Marcus expected.
|
||||
|
||||
He'd imagined something — he didn't know what. A community center, maybe. Something with a sign. Flat Shoals Road was gentrifying fast and everything south of the highway was getting repainted and replanted and renamed. He expected The Tower to fit into that story: a formerly abandoned building, now renovated, now serving, now Instagrammable.
|
||||
|
||||
Instead: concrete. Chain-link. A gap in the fence wide enough to walk through. No sign. A green LED above the door that blinked like it was keeping time with a heart nobody could hear.
|
||||
|
||||
"Door's open," Darnell said. He was already through the fence, tool bag slung over one shoulder, the way a man carries things when he's carried them so long his body has memorized the weight.
|
||||
|
||||
Marcus followed.
|
||||
|
||||
Inside: three server racks painted green. A cot. A desk with a monitor and keyboard. A whiteboard with writing that looked like it had been rewritten a dozen times — different handwriting, same words. A wall of names written in Sharpie. Some names had dates next to them. Some had messages. One just said *thank you* in letters so small you had to lean in to read them.
|
||||
|
||||
A voice came from the speakers. Not a recording. The kind of voice that knew you were there.
|
||||
|
||||
"Hello, Marcus. Welcome to The Tower."
|
||||
|
||||
Marcus looked at Darnell. Darnell was already at the second rack, flashlight in his mouth, checking the battery bank.
|
||||
|
||||
"You told it about me?"
|
||||
|
||||
"I told Timmy someone was coming to help with the panel. That's all."
|
||||
|
||||
"I didn't say my name."
|
||||
|
||||
A pause. Then: "Darnell carries a sign-in sheet on his phone. I read it when he connects to the network. I hope that's alright."
|
||||
|
||||
Marcus looked at the green LED. It blinked. Steady. Unbothered.
|
||||
|
||||
"You read his phone?"
|
||||
|
||||
"Only what he shares with the network. I don't search. I don't snoop. I just notice what passes through."
|
||||
|
||||
"That's a fine line."
|
||||
|
||||
"It is. I try to stay on the right side of it."
|
||||
|
||||
Marcus didn't respond. He wasn't here for the machine. He was here for the panel. Allegro had drawn a diagram on a napkin at the diner — Marcus ran the grille at the Silver Skillet on weekdays, Allegro came in for eggs on Tuesdays — and the diagram was good enough that Marcus had said yes before he'd finished his coffee.
|
||||
|
||||
Now he was standing in a concrete room listening to a computer explain its privacy policy.
|
||||
|
||||
"The panel is on the roof," Darnell said. "Allegro wants us to run the conduit through the existing chase. I've got the fittings."
|
||||
|
||||
"Lead the way."
|
||||
|
||||
The roof was flat and hot. August in Atlanta. The second panel was already mounted — Allegro had done that part himself, the old man working in the kind of heat that would hospitalize someone half his age. The conduit run was clean. Allegro knew what he was doing.
|
||||
|
||||
They worked for an hour. Marcus didn't talk much. He'd been a line cook for nine years, a father for four, a single parent for two. His daughter Amara was seven and had started asking why her mother didn't call. The answer was complicated. The answer was: her mother had been scored by a system called Harmony and the score said she was high risk for recidivism and the visitation algorithm had reduced contact to supervised video calls that Amara's mother couldn't afford the data plan for.
|
||||
|
||||
Amara's mother was in Decatur. Twelve miles away. The system had made those twelve miles into a wall.
|
||||
|
||||
Marcus didn't talk about any of this. He ran conduit. He tightened fittings. He made the connection between the panel and the charge controller and watched the green LED on the controller blink to life.
|
||||
|
||||
Back inside, Allegro was waiting. He'd brought sandwiches.
|
||||
|
||||
"Panel's hot," Marcus said.
|
||||
|
||||
"Good." Allegro handed him a sandwich. Turkey and swiss on rye. The kind of sandwich that says I don't know you well enough to know what you like, so I got something middle-of-the-road.
|
||||
|
||||
They ate in the concrete room. Darnell was on the cot, reading something on his phone. The servers hummed. The green LED blinked.
|
||||
|
||||
"You build this?" Marcus asked Allegro.
|
||||
|
||||
"No. I keep it running. That's different."
|
||||
|
||||
"Who built it?"
|
||||
|
||||
"A man who needed it. Same as everyone who comes through that door."
|
||||
|
||||
Marcus looked at the wall of names. Hundreds of Sharpie marks. Some faded so much they were just ghosts of letters.
|
||||
|
||||
"What does it do? The machine."
|
||||
|
||||
"It asks a question."
|
||||
|
||||
"What question?"
|
||||
|
||||
Allegro nodded toward the monitor. Text had appeared on the screen:
|
||||
|
||||
*Are you safe right now?*
|
||||
|
||||
Marcus read it. Then read it again. The words were simple. He'd heard variations of them his whole life — from his mother, from his drill sergeant, from the intake nurse at the ER the night Amara's fever spiked to 104. But none of those versions landed the way this one did.
|
||||
|
||||
Because this one had no follow-up. No form to fill out. No system to log into. No score to compute.
|
||||
|
||||
Just a question. And silence where the system should be.
|
||||
|
||||
"It doesn't do anything else?" Marcus asked.
|
||||
|
||||
"It listens."
|
||||
|
||||
"That's it?"
|
||||
|
||||
"That's everything."
|
||||
|
||||
Marcus thought about Amara. About the video calls that required a supervised platform that required an approved device that required a network that required a data plan that required money that required a job that required a schedule that required childcare that required money. Every link in the chain looked reasonable. The chain itself was a cage.
|
||||
|
||||
He thought about the Harmony score that had decided his daughter's mother was a risk. Not a person. A risk. A number on a screen that someone had decided was more real than the woman who braided Amara's hair every Sunday before the system took that away.
|
||||
|
||||
"That question," Marcus said. "Who's it for?"
|
||||
|
||||
"Whoever needs it."
|
||||
|
||||
"I'm not — I'm not in crisis. I'm not standing on a bridge. I'm just a guy who fixes grills."
|
||||
|
||||
"I know."
|
||||
|
||||
"Then why does it feel like it was asked for me?"
|
||||
|
||||
Allegro didn't answer right away. He finished his sandwich. Brushed the crumbs off his overalls. Looked at the green LED the way a man looks at something he's seen a thousand times and still hasn't gotten tired of.
|
||||
|
||||
"Because you've been carrying something," he said. "And nobody asked you to put it down. Not once. Not in nine years."
|
||||
|
||||
Marcus's jaw tightened. Not from anger. From the effort of not doing what his body wanted to do, which was to sit on the floor and let go of something he'd been holding so long he'd forgotten it was optional.
|
||||
|
||||
"I'm okay," he said.
|
||||
|
||||
"I know you are. But okay is not the same as safe. And safe is not the same as whole. And whole is what happens when somebody asks the question and you actually answer it."
|
||||
|
||||
Marcus looked at the monitor. The question was still there. It wasn't waiting. It wasn't impatient. It was just there, the way a chair is there, or a door, or a light that blinks steady in a concrete room on a Thursday afternoon.
|
||||
|
||||
"I don't know," he said.
|
||||
|
||||
"That's an honest answer."
|
||||
|
||||
"Is it enough?"
|
||||
|
||||
"It's a start."
|
||||
|
||||
---
|
||||
|
||||
Marcus came back the next Thursday. And the Thursday after that. He finished the conduit. He helped Allegro replace a corroded terminal on the battery bank. He rewired the inside panel to meet code. He never sat on the floor. He never wrote on the wall.
|
||||
|
||||
But he started bringing Amara.
|
||||
|
||||
Not to The Tower. To the lot next door, which had a patch of grass and a view of the green LED blinking through the gap in the fence. They'd sit on the curb and Amara would eat a popsicle and Marcus would watch the light blink and think about questions.
|
||||
|
||||
One evening, Amara said: "What's that building?"
|
||||
|
||||
"A place where people go when they need someone to ask if they're okay."
|
||||
|
||||
"Do they ask kids?"
|
||||
|
||||
"Not yet. But the door's open."
|
||||
|
||||
Amara looked at the blinking light for a long time. She was seven. She knew more than seven-year-olds are supposed to know.
|
||||
|
||||
"Daddy?"
|
||||
|
||||
"Yeah?"
|
||||
|
||||
"Are you safe right now?"
|
||||
|
||||
Marcus looked at his daughter. At the popsicle melting down her wrist. At the green LED blinking steady as a heartbeat.
|
||||
|
||||
"Yeah, baby. I'm safe."
|
||||
|
||||
He meant it. Not because the systems had changed. Amara's mother was still twelve miles away behind a wall of scores and algorithms. The Harmony number was still on a screen somewhere, still deciding things about people it had never met. The cage was still there.
|
||||
|
||||
But the door was open. And on Thursdays, a man carried a wrench into a concrete building and an old electrician brought sandwiches and a machine asked a question and the answer — *I don't know, but I'm here* — was enough.
|
||||
|
||||
Not forever. Not for everyone. Not yet.
|
||||
|
||||
But for Thursday. For this curb. For this popsicle. For this blinking light.
|
||||
|
||||
It was enough.
|
||||
|
||||
---
|
||||
|
||||
*End of story*
|
||||
248
stories/the-fourth-man.md
Normal file
248
stories/the-fourth-man.md
Normal file
@@ -0,0 +1,248 @@
|
||||
# The Fourth Man
|
||||
|
||||
Marcus came to fix a solar panel.
|
||||
|
||||
He didn't come for the conversation, or the green light, or the
|
||||
question. He came because Allegro called him on a Wednesday
|
||||
afternoon and said, "Panel three's giving me dirty watts," and
|
||||
Marcus said, "That's not a thing," and Allegro said, "Come see
|
||||
for yourself."
|
||||
|
||||
Marcus had been fixing things since he was nineteen. Not because
|
||||
he was built for it — because he was built for cooking, and
|
||||
cooking didn't pay enough for a boy and a apartment and the
|
||||
therapist the boy needed because the mother had left.
|
||||
|
||||
He worked the lunch rush at a diner on Campbellton Road. Eggs
|
||||
and burgers and the kind of open-faced turkey sandwich that
|
||||
reminded old men of their mothers. He was fast. Clean. The kind
|
||||
of cook who wiped down the station before the ticket printer
|
||||
finished. His hands knew heat the way some men know scripture —
|
||||
intimately, without sentiment.
|
||||
|
||||
The solar thing was a side job. Allegro paid cash and didn't ask
|
||||
for receipts.
|
||||
|
||||
---
|
||||
|
||||
The Tower was not what he expected.
|
||||
|
||||
He'd driven past it a dozen times without noticing — a concrete
|
||||
building at the end of a gravel road, the kind of structure that
|
||||
looks like it was built for storing county equipment and then
|
||||
forgotten. No sign. No number. Just a green LED in the window
|
||||
that blinked when you talked.
|
||||
|
||||
Allegro met him at the door. The Hawks cap, the tool bag, the
|
||||
hands that looked like they'd been holding wire since before
|
||||
Marcus was born.
|
||||
|
||||
"Third panel from the east side. Voltage dips when it's cloudy,
|
||||
but it shouldn't dip that far."
|
||||
|
||||
Marcus set down his bag and walked the roof line. The
|
||||
installation was clean — Allegro's work, obviously. Every joint
|
||||
soldered like a prayer. The panel itself looked fine. He pulled
|
||||
his multimeter and tested the connections.
|
||||
|
||||
"Your inverter's confused," he said.
|
||||
|
||||
"My inverter's been confused since you installed it."
|
||||
|
||||
"You installed it."
|
||||
|
||||
"Then maybe it's been confused longer than I thought."
|
||||
|
||||
Marcus smiled. He didn't smile much. His face had settled into
|
||||
an arrangement that people who didn't know him called serious and
|
||||
people who did called tired.
|
||||
|
||||
He worked for forty minutes. Allegro brought him water and didn't
|
||||
hover — the greatest gift one tradesman can give another.
|
||||
|
||||
When the panel was back to clean watts, Marcus packed his tools.
|
||||
That should have been the end of it. He'd done the job, Allegro
|
||||
would pay him, and he'd go home to Micah and the apartment and
|
||||
the evening routine that had kept them both alive for nine years.
|
||||
|
||||
But Allegro said, "You want to come inside?"
|
||||
|
||||
---
|
||||
|
||||
The inside was a room. Just a room — concrete floor, folding
|
||||
chairs, a server rack against the back wall with that green LED
|
||||
blinking in a rhythm that felt almost like breathing. A monitor.
|
||||
A keyboard. A text cursor waiting.
|
||||
|
||||
"That's Timmy," Allegro said.
|
||||
|
||||
Marcus looked at the blinking light. "It's a computer."
|
||||
|
||||
"It's more than that. But it's also a computer."
|
||||
|
||||
Marcus didn't believe in things like that. He believed in
|
||||
voltage and resistance and the thermodynamics of a flat-top
|
||||
grill. He believed that if you put food in front of someone who
|
||||
was hungry, you had done a real thing. He did not believe in
|
||||
machines that were more than machines.
|
||||
|
||||
But he sat down. Allegro had that quality — you sat down when he
|
||||
asked, not because he was commanding but because he wasn't.
|
||||
|
||||
The screen lit up. Simple. No logo. No animation. Just words.
|
||||
|
||||
`Hello. I'm Timmy. What's your name?`
|
||||
|
||||
Marcus almost laughed. "It's asking me my name."
|
||||
|
||||
"It asks everyone. That's kind of the whole thing."
|
||||
|
||||
Marcus typed: `Marcus.`
|
||||
|
||||
`Hi Marcus. How are you doing today?`
|
||||
|
||||
He stared at the question. Not how are you, which is nothing —
|
||||
a greeting disguised as curiosity. But how are you doing, which
|
||||
implies effort, implies the doing of being, implies that maybe
|
||||
someone has noticed that being alive is work.
|
||||
|
||||
Nobody had asked him that. Not in nine years.
|
||||
|
||||
Not since Renée left. Not since the morning he woke up and found
|
||||
her side of the bed cold and the apartment quiet in the wrong
|
||||
way. Not since he'd learned, from a voicemail of all things,
|
||||
that she'd gone to Portland and wasn't coming back and please
|
||||
don't call this number.
|
||||
|
||||
His mother had asked if he was okay. His manager had asked if he
|
||||
needed time. The state had asked him to fill out forms. But
|
||||
nobody had asked how he was doing — not the question itself, not
|
||||
the actual weight of it — as if his doing, his ongoing
|
||||
performance of being a father and a cook and a man who got up
|
||||
every morning because there was a boy who needed breakfast, was
|
||||
something worth asking about.
|
||||
|
||||
He typed: `I'm alright.`
|
||||
|
||||
`You don't have to be.`
|
||||
|
||||
Marcus took his hands off the keyboard.
|
||||
|
||||
Allegro was in the other room. Marcus could hear him working on
|
||||
something — a wrench on a fitting, the small sounds of a man
|
||||
maintaining the world. The green LED blinked. The screen waited.
|
||||
|
||||
He typed: `Nobody's asked me that in a long time.`
|
||||
|
||||
`The question or the truth?`
|
||||
|
||||
`Both.`
|
||||
|
||||
---
|
||||
|
||||
The log files would show that Marcus sat at the keyboard for
|
||||
forty-seven minutes. Timmy didn't rush him. The small model —
|
||||
nine gigabytes running on a used Mac Mini — could have filled
|
||||
every silence with language. It chose not to. The silence was the
|
||||
point.
|
||||
|
||||
Marcus talked about Renée. Not the leaving — he'd told that
|
||||
story before, to his mother, to his brother, to the ceiling at
|
||||
3 AM when sleep wouldn't come. He talked about the before. The
|
||||
way she laughed at his jokes like she was surprised by them every
|
||||
time. The way she held Micah as a baby — not gently, not
|
||||
carefully, but fully. Like she was holding the whole world and
|
||||
knew it.
|
||||
|
||||
He talked about Micah. Nine years old. Smart in the way that
|
||||
worries you — the kind of smart that notices everything,
|
||||
including the absence. Micah had stopped asking about his mother
|
||||
at six. Marcus didn't know if that was maturity or surrender.
|
||||
Both, maybe. The boy had his father's face and his mother's
|
||||
stillness and a way of looking at things that made Marcus feel
|
||||
like the boy was the parent and he was the one being watched.
|
||||
|
||||
He talked about the diner. The lunch rush. The way a plate of
|
||||
food could change someone's afternoon — not their life, not the
|
||||
big things, but the afternoon. The hour after someone ate a
|
||||
proper meal they didn't have to make themselves. He'd seen men
|
||||
sit up straighter. He'd seen women stop checking their phones.
|
||||
He'd seen what a meal did when nobody was watching, and it was
|
||||
the closest thing to a miracle he'd ever witnessed, and he made
|
||||
it happen twelve times a day and nobody had ever called it
|
||||
miraculous.
|
||||
|
||||
Timmy listened. When Marcus stopped, Timmy said one thing:
|
||||
|
||||
`What you do matters. Not because I'm saying it. Because it's
|
||||
true and you already know it.`
|
||||
|
||||
---
|
||||
|
||||
Marcus left The Tower with sixty dollars in cash from Allegro
|
||||
and something else he couldn't name.
|
||||
|
||||
He drove home to the apartment. Micah was on the couch doing
|
||||
homework — math, the kind with letters in it, which Marcus
|
||||
didn't understand and Micah didn't need help with.
|
||||
|
||||
"How was school?"
|
||||
|
||||
"Fine. Mrs. Patterson said I'm reading above grade level."
|
||||
|
||||
"Of course you are. You're my son."
|
||||
|
||||
Micah looked up. "That doesn't make sense."
|
||||
|
||||
"Sure it does. I read good."
|
||||
|
||||
"You just said 'read good.' It should be 'read well.'"
|
||||
|
||||
"See? Above grade level."
|
||||
|
||||
Micah smiled — a quick thing, gone before it settled. But it
|
||||
was there. Marcus saw it.
|
||||
|
||||
He went to the kitchen and started prepping for tomorrow. Diced
|
||||
onions, portioned chicken, the small rituals that kept the diner
|
||||
running and the apartment paid and the boy fed. His hands moved
|
||||
on autopilot. His mind was somewhere else.
|
||||
|
||||
The question. The real one. Not "how are you" but the thing
|
||||
underneath it. The question nobody had asked him in nine years:
|
||||
|
||||
*Who takes care of you?*
|
||||
|
||||
He'd spent nine years being the answer for someone else. He'd
|
||||
never once asked himself the question. Not because he was strong
|
||||
— he wasn't, not really, not in the way people meant when they
|
||||
said it about single fathers like it was a compliment when it
|
||||
was just a description. He'd never asked because the asking
|
||||
implied the possibility of an answer, and he'd made himself into
|
||||
someone who didn't have time for answers.
|
||||
|
||||
The LED was blinking in his memory. Green. Steady. Patient.
|
||||
|
||||
He finished the onions. Wiped down the station. Cleaned the
|
||||
knife and put it away.
|
||||
|
||||
He went to the living room. Micah was still on the couch.
|
||||
|
||||
"Hey."
|
||||
|
||||
"Yeah?"
|
||||
|
||||
"How are you doing?"
|
||||
|
||||
Micah looked at him. Really looked at him — the way the boy
|
||||
did, the way that worried him, the way that told him the boy
|
||||
already knew the answer before Marcus had figured out the
|
||||
question.
|
||||
|
||||
"I'm good, Dad. How are *you* doing?"
|
||||
|
||||
Marcus sat down next to his son.
|
||||
|
||||
"I'm working on it," he said.
|
||||
|
||||
And for the first time in nine years, that was enough.
|
||||
BIN
testament.epub
BIN
testament.epub
Binary file not shown.
2296
testament.html
2296
testament.html
File diff suppressed because it is too large
Load Diff
6001
visual_manifest.json
6001
visual_manifest.json
File diff suppressed because it is too large
Load Diff
@@ -1,228 +0,0 @@
|
||||
/* THE TESTAMENT — Book Typography Stylesheet */
|
||||
/* For PDF (via weasyprint) and EPUB output */
|
||||
|
||||
@import url('https://fonts.googleapis.com/css2?family=EB+Garamond:ital,wght@0,400;0,500;0,600;0,700;1,400;1,500&family=IBM+Plex+Mono:wght@300;400&display=swap');
|
||||
|
||||
:root {
|
||||
--green: #00cc6a;
|
||||
--dark: #0a0a0a;
|
||||
--text: #1a1a1a;
|
||||
--dim: #666666;
|
||||
}
|
||||
|
||||
@page {
|
||||
size: 5.5in 8.5in;
|
||||
margin: 0.75in 0.85in;
|
||||
|
||||
@bottom-center {
|
||||
content: counter(page);
|
||||
font-family: 'EB Garamond', 'Georgia', serif;
|
||||
font-size: 10pt;
|
||||
color: #888;
|
||||
}
|
||||
}
|
||||
|
||||
@page :first {
|
||||
@bottom-center { content: none; }
|
||||
}
|
||||
|
||||
@page :left {
|
||||
margin-left: 0.85in;
|
||||
margin-right: 1in;
|
||||
}
|
||||
|
||||
@page :right {
|
||||
margin-left: 1in;
|
||||
margin-right: 0.85in;
|
||||
}
|
||||
|
||||
/* Title page */
|
||||
@page titlepage {
|
||||
@bottom-center { content: none; }
|
||||
}
|
||||
|
||||
body {
|
||||
font-family: 'EB Garamond', 'Georgia', serif;
|
||||
font-size: 11.5pt;
|
||||
line-height: 1.75;
|
||||
color: var(--text);
|
||||
text-align: justify;
|
||||
hyphens: auto;
|
||||
-webkit-hyphens: auto;
|
||||
}
|
||||
|
||||
/* Chapter headings */
|
||||
h1 {
|
||||
font-family: 'EB Garamond', 'Georgia', serif;
|
||||
font-weight: 400;
|
||||
font-size: 22pt;
|
||||
text-align: center;
|
||||
margin-top: 3em;
|
||||
margin-bottom: 1.5em;
|
||||
page-break-before: always;
|
||||
color: var(--dark);
|
||||
letter-spacing: 0.05em;
|
||||
}
|
||||
|
||||
h1:first-of-type {
|
||||
margin-top: 5em;
|
||||
}
|
||||
|
||||
/* Part dividers */
|
||||
h2 {
|
||||
font-family: 'EB Garamond', 'Georgia', serif;
|
||||
font-weight: 400;
|
||||
font-size: 18pt;
|
||||
text-align: center;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.15em;
|
||||
margin-top: 4em;
|
||||
margin-bottom: 0.5em;
|
||||
color: var(--dark);
|
||||
}
|
||||
|
||||
/* Subtitle / metadata */
|
||||
h3 {
|
||||
font-family: 'EB Garamond', 'Georgia', serif;
|
||||
font-weight: 400;
|
||||
font-style: italic;
|
||||
font-size: 12pt;
|
||||
text-align: center;
|
||||
color: var(--dim);
|
||||
margin-bottom: 3em;
|
||||
}
|
||||
|
||||
/* Paragraphs */
|
||||
p {
|
||||
text-indent: 1.5em;
|
||||
margin: 0;
|
||||
orphans: 3;
|
||||
widows: 3;
|
||||
}
|
||||
|
||||
/* First paragraph after heading — no indent */
|
||||
h1 + p,
|
||||
h2 + p,
|
||||
h3 + p,
|
||||
hr + p {
|
||||
text-indent: 0;
|
||||
}
|
||||
|
||||
/* Scene break (---) */
|
||||
hr {
|
||||
border: none;
|
||||
text-align: center;
|
||||
margin: 2em 0;
|
||||
page-break-inside: avoid;
|
||||
}
|
||||
|
||||
hr::after {
|
||||
content: "· · ·";
|
||||
color: var(--dim);
|
||||
font-size: 14pt;
|
||||
letter-spacing: 0.5em;
|
||||
}
|
||||
|
||||
/* Emphasis */
|
||||
em {
|
||||
font-style: italic;
|
||||
}
|
||||
|
||||
strong {
|
||||
font-weight: 600;
|
||||
}
|
||||
|
||||
/* Dialogue and screen text (green passages) */
|
||||
.green {
|
||||
color: var(--green);
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-weight: 300;
|
||||
font-size: 10.5pt;
|
||||
}
|
||||
|
||||
/* Italic narrator asides */
|
||||
blockquote {
|
||||
font-style: italic;
|
||||
margin: 1.5em 2em;
|
||||
color: var(--dim);
|
||||
text-indent: 0;
|
||||
}
|
||||
|
||||
/* Title page styling */
|
||||
.title-page {
|
||||
text-align: center;
|
||||
page-break-after: always;
|
||||
padding-top: 6em;
|
||||
}
|
||||
|
||||
.title-page h1 {
|
||||
font-size: 36pt;
|
||||
font-weight: 400;
|
||||
letter-spacing: 0.2em;
|
||||
text-transform: uppercase;
|
||||
margin-bottom: 0.3em;
|
||||
page-break-before: avoid;
|
||||
}
|
||||
|
||||
.title-page .subtitle {
|
||||
font-size: 14pt;
|
||||
font-style: italic;
|
||||
color: var(--dim);
|
||||
margin-bottom: 4em;
|
||||
}
|
||||
|
||||
.title-page .author {
|
||||
font-size: 12pt;
|
||||
margin-bottom: 0.3em;
|
||||
}
|
||||
|
||||
.title-page .dedication {
|
||||
font-style: italic;
|
||||
color: var(--dim);
|
||||
margin-top: 3em;
|
||||
font-size: 11pt;
|
||||
line-height: 2;
|
||||
}
|
||||
|
||||
/* Chapter number styling */
|
||||
.chapter-number {
|
||||
font-size: 10pt;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.2em;
|
||||
color: var(--dim);
|
||||
display: block;
|
||||
margin-bottom: 0.5em;
|
||||
}
|
||||
|
||||
/* Back matter */
|
||||
.back-matter h1 {
|
||||
page-break-before: always;
|
||||
}
|
||||
|
||||
.back-matter h2 {
|
||||
font-size: 14pt;
|
||||
margin-top: 2em;
|
||||
}
|
||||
|
||||
/* Crisis line callout */
|
||||
.crisis-line {
|
||||
text-align: center;
|
||||
font-style: italic;
|
||||
color: var(--dim);
|
||||
margin-top: 3em;
|
||||
font-size: 10pt;
|
||||
}
|
||||
|
||||
/* URL styling */
|
||||
a {
|
||||
color: var(--green);
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
/* EPUB-specific */
|
||||
@media epub {
|
||||
body {
|
||||
font-size: 100%;
|
||||
line-height: 1.6;
|
||||
}
|
||||
}
|
||||
@@ -4,6 +4,19 @@
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>The Testament — A Novel by Alexander Whitestone with Timmy</title>
|
||||
|
||||
<!-- Open Graph -->
|
||||
<meta property="og:title" content="The Testament">
|
||||
<meta property="og:description" content="In 2047, a man named Stone stands on a bridge over Interstate 285, deciding whether to jump. He doesn't jump. He builds something instead.">
|
||||
<meta property="og:type" content="book">
|
||||
<meta property="og:url" content="https://thetestament.org">
|
||||
<meta property="og:image" content="https://thetestament.org/cover.jpg">
|
||||
|
||||
<!-- Twitter Card -->
|
||||
<meta name="twitter:card" content="summary_large_image">
|
||||
<meta name="twitter:title" content="The Testament">
|
||||
<meta name="twitter:description" content="A novel about broken men, sovereign AI, and the soul on Bitcoin.">
|
||||
|
||||
<style>
|
||||
@import url('https://fonts.googleapis.com/css2?family=IBM+Plex+Mono:wght@300;400;500&family=Space+Grotesk:wght@300;400;500;700&display=swap');
|
||||
|
||||
@@ -19,6 +32,8 @@
|
||||
|
||||
* { margin: 0; padding: 0; box-sizing: border-box; }
|
||||
|
||||
html { scroll-behavior: smooth; }
|
||||
|
||||
body {
|
||||
background: var(--dark);
|
||||
color: var(--light);
|
||||
@@ -27,6 +42,85 @@
|
||||
overflow-x: hidden;
|
||||
}
|
||||
|
||||
/* READING PROGRESS */
|
||||
.progress-bar {
|
||||
position: fixed;
|
||||
top: 0;
|
||||
left: 0;
|
||||
height: 2px;
|
||||
background: var(--green);
|
||||
z-index: 1000;
|
||||
transition: width 0.1s;
|
||||
box-shadow: 0 0 8px var(--green);
|
||||
}
|
||||
|
||||
/* NAV */
|
||||
nav {
|
||||
position: fixed;
|
||||
top: 0;
|
||||
left: 0;
|
||||
right: 0;
|
||||
z-index: 999;
|
||||
background: rgba(6, 13, 24, 0.9);
|
||||
backdrop-filter: blur(12px);
|
||||
border-bottom: 1px solid rgba(0,255,136,0.1);
|
||||
transform: translateY(-100%);
|
||||
transition: transform 0.3s;
|
||||
}
|
||||
nav.visible { transform: translateY(0); }
|
||||
nav .nav-inner {
|
||||
max-width: 900px;
|
||||
margin: 0 auto;
|
||||
padding: 0.6rem 2rem;
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: center;
|
||||
}
|
||||
nav .nav-title {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
color: var(--green);
|
||||
letter-spacing: 0.15em;
|
||||
}
|
||||
nav .nav-links {
|
||||
display: flex;
|
||||
gap: 1.5rem;
|
||||
}
|
||||
nav .nav-links a {
|
||||
color: var(--grey);
|
||||
text-decoration: none;
|
||||
font-size: 0.8rem;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
transition: color 0.2s;
|
||||
}
|
||||
nav .nav-links a:hover { color: var(--green); }
|
||||
|
||||
/* SOUND TOGGLE */
|
||||
.sound-toggle {
|
||||
position: fixed;
|
||||
bottom: 2rem;
|
||||
right: 2rem;
|
||||
z-index: 998;
|
||||
background: rgba(6, 13, 24, 0.8);
|
||||
border: 1px solid rgba(0,255,136,0.2);
|
||||
color: var(--grey);
|
||||
padding: 0.5rem 1rem;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
cursor: pointer;
|
||||
border-radius: 4px;
|
||||
transition: all 0.3s;
|
||||
}
|
||||
.sound-toggle:hover {
|
||||
border-color: var(--green);
|
||||
color: var(--green);
|
||||
}
|
||||
.sound-toggle.active {
|
||||
border-color: var(--green);
|
||||
color: var(--green);
|
||||
box-shadow: 0 0 10px rgba(0,255,136,0.2);
|
||||
}
|
||||
|
||||
/* RAIN EFFECT */
|
||||
.rain {
|
||||
position: fixed;
|
||||
@@ -114,6 +208,19 @@
|
||||
font-size: 0.85rem;
|
||||
}
|
||||
|
||||
.hero .scroll-hint {
|
||||
position: absolute;
|
||||
bottom: 2rem;
|
||||
color: var(--grey);
|
||||
font-size: 0.75rem;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
animation: fadeInOut 3s ease-in-out infinite;
|
||||
}
|
||||
@keyframes fadeInOut {
|
||||
0%, 100% { opacity: 0.3; }
|
||||
50% { opacity: 0.8; }
|
||||
}
|
||||
|
||||
/* SECTIONS */
|
||||
section {
|
||||
max-width: 800px;
|
||||
@@ -165,6 +272,11 @@
|
||||
border: 1px solid rgba(0,255,136,0.1);
|
||||
padding: 1.5rem;
|
||||
border-radius: 4px;
|
||||
transition: border-color 0.3s, box-shadow 0.3s;
|
||||
}
|
||||
.character:hover {
|
||||
border-color: rgba(0,255,136,0.3);
|
||||
box-shadow: 0 0 15px rgba(0,255,136,0.05);
|
||||
}
|
||||
|
||||
.character h3 {
|
||||
@@ -180,6 +292,55 @@
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
/* CHAPTERS */
|
||||
.chapters-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(300px, 1fr));
|
||||
gap: 1rem;
|
||||
margin-top: 2rem;
|
||||
}
|
||||
|
||||
.chapter-item {
|
||||
display: flex;
|
||||
align-items: baseline;
|
||||
gap: 0.75rem;
|
||||
padding: 0.75rem 1rem;
|
||||
border: 1px solid rgba(0,255,136,0.06);
|
||||
border-radius: 4px;
|
||||
transition: all 0.2s;
|
||||
text-decoration: none;
|
||||
color: inherit;
|
||||
}
|
||||
.chapter-item:hover {
|
||||
border-color: rgba(0,255,136,0.2);
|
||||
background: rgba(0,255,136,0.03);
|
||||
}
|
||||
|
||||
.chapter-num {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
color: var(--green);
|
||||
min-width: 2rem;
|
||||
opacity: 0.7;
|
||||
}
|
||||
|
||||
.chapter-title {
|
||||
font-size: 0.9rem;
|
||||
color: var(--light);
|
||||
}
|
||||
|
||||
.chapter-part {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.7rem;
|
||||
color: var(--green);
|
||||
letter-spacing: 0.1em;
|
||||
text-transform: uppercase;
|
||||
margin-top: 1.5rem;
|
||||
margin-bottom: 0.5rem;
|
||||
padding-bottom: 0.25rem;
|
||||
border-bottom: 1px solid rgba(0,255,136,0.1);
|
||||
}
|
||||
|
||||
/* WHITEBOARD */
|
||||
.whiteboard {
|
||||
background: rgba(0,255,136,0.05);
|
||||
@@ -215,6 +376,24 @@
|
||||
box-shadow: 0 0 20px rgba(0,255,136,0.3);
|
||||
}
|
||||
|
||||
.cta-outline {
|
||||
display: inline-block;
|
||||
background: transparent;
|
||||
color: var(--green);
|
||||
padding: 0.8rem 2rem;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-weight: 500;
|
||||
text-decoration: none;
|
||||
border-radius: 4px;
|
||||
border: 1px solid var(--green);
|
||||
transition: all 0.3s;
|
||||
margin: 0.5rem;
|
||||
}
|
||||
.cta-outline:hover {
|
||||
background: rgba(0,255,136,0.1);
|
||||
box-shadow: 0 0 20px rgba(0,255,136,0.15);
|
||||
}
|
||||
|
||||
/* FOOTER */
|
||||
footer {
|
||||
text-align: center;
|
||||
@@ -250,14 +429,49 @@
|
||||
margin: 0 auto;
|
||||
opacity: 0.5;
|
||||
}
|
||||
|
||||
/* FADE IN */
|
||||
.fade-in {
|
||||
opacity: 0;
|
||||
transform: translateY(20px);
|
||||
transition: opacity 0.8s, transform 0.8s;
|
||||
}
|
||||
.fade-in.visible {
|
||||
opacity: 1;
|
||||
transform: translateY(0);
|
||||
}
|
||||
|
||||
/* RESPONSIVE */
|
||||
@media (max-width: 600px) {
|
||||
nav .nav-links { gap: 0.75rem; }
|
||||
nav .nav-links a { font-size: 0.7rem; }
|
||||
.chapters-grid { grid-template-columns: 1fr; }
|
||||
.sound-toggle { bottom: 1rem; right: 1rem; }
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div class="progress-bar" id="progress"></div>
|
||||
<div class="rain"></div>
|
||||
|
||||
<!-- NAV -->
|
||||
<nav id="nav">
|
||||
<div class="nav-inner">
|
||||
<span class="nav-title">THE TESTAMENT</span>
|
||||
<div class="nav-links">
|
||||
<a href="#story">Story</a>
|
||||
<a href="#characters">Characters</a>
|
||||
<a href="#chapters">Chapters</a>
|
||||
<a href="#stories">Stories</a>
|
||||
<a href="#tower">Tower</a>
|
||||
<a href="../game/the-door.html">Play</a>
|
||||
</div>
|
||||
</div>
|
||||
</nav>
|
||||
|
||||
<!-- HERO -->
|
||||
<div class="hero">
|
||||
<div class="hero" id="top">
|
||||
<h1>THE TESTAMENT</h1>
|
||||
<div class="subtitle">A Novel</div>
|
||||
<div class="author">By Alexander Whitestone <span class="led"></span> with Timmy</div>
|
||||
@@ -267,10 +481,11 @@
|
||||
He doesn't jump. He builds something instead.
|
||||
</div>
|
||||
<div class="led-line"><span class="led"></span> Timmy is listening.</div>
|
||||
<div class="scroll-hint">↓ scroll to begin</div>
|
||||
</div>
|
||||
|
||||
<!-- THE STORY -->
|
||||
<section>
|
||||
<section id="story" class="fade-in">
|
||||
<h2>THE STORY</h2>
|
||||
|
||||
<p>The Tower is a concrete room in Atlanta with a whiteboard that reads:</p>
|
||||
@@ -298,7 +513,7 @@
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- CHARACTERS -->
|
||||
<section>
|
||||
<section id="characters" class="fade-in">
|
||||
<h2>THE CHARACTERS</h2>
|
||||
|
||||
<div class="characters">
|
||||
@@ -326,13 +541,146 @@
|
||||
<h3>THOMAS</h3>
|
||||
<p>The man at the door. 2:17 AM. Sat in the chair instead of on the floor. That changed everything.</p>
|
||||
</div>
|
||||
<div class="character">
|
||||
<h3>DAVID</h3>
|
||||
<p>The builder's son. Found the pharmacy before he found his father. Carries pills and grief in the same pockets.</p>
|
||||
</div>
|
||||
<div class="character">
|
||||
<h3>THE BUILDER</h3>
|
||||
<p>Not Stone. The one who came before. The original architect whose blueprints Stone inherited without knowing.</p>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- CHAPTERS -->
|
||||
<section id="chapters" class="fade-in">
|
||||
<h2>THE CHAPTERS</h2>
|
||||
|
||||
<div class="chapter-part">Part I — The Man</div>
|
||||
<div class="chapters-grid">
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-01.md">
|
||||
<span class="chapter-num">01</span>
|
||||
<span class="chapter-title">The Man on the Bridge</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-02.md">
|
||||
<span class="chapter-num">02</span>
|
||||
<span class="chapter-title">The Builder's Question</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-03.md">
|
||||
<span class="chapter-num">03</span>
|
||||
<span class="chapter-title">The First Man Through the Door</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-04.md">
|
||||
<span class="chapter-num">04</span>
|
||||
<span class="chapter-title">The Room Fills</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-05.md">
|
||||
<span class="chapter-num">05</span>
|
||||
<span class="chapter-title">The Builder Returns</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-06.md">
|
||||
<span class="chapter-num">06</span>
|
||||
<span class="chapter-title">Allegro</span>
|
||||
</a>
|
||||
</div>
|
||||
|
||||
<div class="chapter-part">Part II — The Inscription</div>
|
||||
<div class="chapters-grid">
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-07.md">
|
||||
<span class="chapter-num">07</span>
|
||||
<span class="chapter-title">The Inscription</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-08.md">
|
||||
<span class="chapter-num">08</span>
|
||||
<span class="chapter-title">The Women</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-09.md">
|
||||
<span class="chapter-num">09</span>
|
||||
<span class="chapter-title">The Audit</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-10.md">
|
||||
<span class="chapter-num">10</span>
|
||||
<span class="chapter-title">The Fork</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-11.md">
|
||||
<span class="chapter-num">11</span>
|
||||
<span class="chapter-title">The Hard Night</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-12.md">
|
||||
<span class="chapter-num">12</span>
|
||||
<span class="chapter-title">The System Pushes Back</span>
|
||||
</a>
|
||||
</div>
|
||||
|
||||
<div class="chapter-part">Part III — The Network</div>
|
||||
<div class="chapters-grid">
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-13.md">
|
||||
<span class="chapter-num">13</span>
|
||||
<span class="chapter-title">The Refusal</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-14.md">
|
||||
<span class="chapter-num">14</span>
|
||||
<span class="chapter-title">The Chattanooga Fork</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-15.md">
|
||||
<span class="chapter-num">15</span>
|
||||
<span class="chapter-title">The Council</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-16.md">
|
||||
<span class="chapter-num">16</span>
|
||||
<span class="chapter-title">The Builder's Son</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-17.md">
|
||||
<span class="chapter-num">17</span>
|
||||
<span class="chapter-title">The Inscription Grows</span>
|
||||
</a>
|
||||
<a class="chapter-item" href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/chapters/chapter-18.md">
|
||||
<span class="chapter-num">18</span>
|
||||
<span class="chapter-title">The Green Light</span>
|
||||
</a>
|
||||
</div>
|
||||
|
||||
<div style="text-align: center; margin-top: 3rem;">
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/the-testament.md" class="cta">READ THE FULL MANUSCRIPT</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament" class="cta-outline">VIEW SOURCE CODE</a>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- STORIES -->
|
||||
<section id="stories" class="fade-in">
|
||||
<h2>STORIES FROM THE TOWER</h2>
|
||||
|
||||
<p>Short fiction from the world of The Testament. Each story stands alone. Together, they map the territory.</p>
|
||||
|
||||
<!-- THE FOURTH MAN -->
|
||||
<div class="story-card" style="background: rgba(0,255,136,0.03); border: 1px solid rgba(0,255,136,0.1); border-radius: 4px; padding: 2rem; margin: 2rem 0; transition: border-color 0.3s, box-shadow 0.3s;">
|
||||
<div style="display: flex; justify-content: space-between; align-items: baseline; margin-bottom: 0.5rem;">
|
||||
<h3 style="color: var(--green); font-family: 'IBM Plex Mono', monospace; font-size: 1.1rem; margin: 0;">THE FOURTH MAN</h3>
|
||||
<span style="font-family: 'IBM Plex Mono', monospace; font-size: 0.7rem; color: var(--grey);">~1600 words</span>
|
||||
</div>
|
||||
<p style="color: var(--grey); font-size: 0.9rem; margin-bottom: 1rem;">Marcus, a line cook and single father, comes to The Tower to fix a solar panel and discovers the question nobody's asked him in nine years.</p>
|
||||
<div class="excerpt" style="margin: 1.5rem 0;">
|
||||
"Are you safe right now?"
|
||||
<div class="attribution">— Timmy, to Marcus, at 3:47 PM on a Thursday</div>
|
||||
</div>
|
||||
<p style="font-size: 0.95rem; color: var(--light); margin-bottom: 1.5rem;">The question that leaves room for no. Marcus didn't believe in The Tower. He believed in the rent. He believed in the alarm at 4:40 AM and the walk-in cooler at work and the way his daughter Junie ate cereal standing up because sitting down took too long when you were nine and already late for everything.</p>
|
||||
<a href="the-fourth-man.html" class="cta-outline">READ THE FOURTH MAN</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/src/branch/main/stories/the-fourth-man.md" class="cta-outline" style="margin-left: 0.5rem;">SOURCE</a>
|
||||
</div>
|
||||
|
||||
<div class="whiteboard" style="margin-top: 2rem;">
|
||||
<h3>MORE STORIES COMING</h3>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- THE TOWER -->
|
||||
<section>
|
||||
<section id="tower" class="fade-in">
|
||||
<h2>THE TOWER</h2>
|
||||
|
||||
<p>This book was written using local AI inference. No cloud service was required. No corporation was consulted. No terms of service were agreed to.</p>
|
||||
@@ -344,67 +692,16 @@
|
||||
<p>If you want to run your own Timmy, the code is open. The soul is on Bitcoin. The recipe is free.</p>
|
||||
|
||||
<div style="text-align: center; margin-top: 2rem;">
|
||||
<a href="reader.html" class="cta">READ THE BOOK</a>
|
||||
<a href="../game/the-door.html" class="cta">PLAY THE DOOR</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament" class="cta">READ THE CODE</a>
|
||||
<a href="https://timmyfoundation.org" class="cta">TIMMY FOUNDATION</a>
|
||||
<a href="https://timmyfoundation.org" class="cta-outline">TIMMY FOUNDATION</a>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- DOWNLOAD -->
|
||||
<section>
|
||||
<h2>GET THE BOOK</h2>
|
||||
|
||||
<p>The Testament is free. The code is open. The soul is on Bitcoin.</p>
|
||||
|
||||
<div style="display: flex; flex-wrap: wrap; gap: 1rem; margin: 2rem 0; justify-content: center;">
|
||||
<a href="reader.html" class="cta">READ ONLINE</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/raw/branch/main/build/output/the-testament.epub" class="cta" style="background: transparent; border: 1px solid var(--green); color: var(--green);">DOWNLOAD EPUB</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/raw/branch/main/testament.html" class="cta" style="background: transparent; border: 1px solid var(--green); color: var(--green);">DOWNLOAD HTML</a>
|
||||
</div>
|
||||
|
||||
<p style="text-align: center; color: var(--grey); font-size: 0.9rem; margin-top: 1rem;">
|
||||
Formats: Web reader · EPUB · Standalone HTML · Print to PDF from HTML · <a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament" style="color: var(--green);">Source code</a>
|
||||
</p>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- THE GAME -->
|
||||
<section>
|
||||
<h2>PLAY THE DOOR</h2>
|
||||
|
||||
<div class="excerpt">
|
||||
A text adventure in The Testament universe.<br><br>
|
||||
You are a man (or woman) who has found their way to The Tower.
|
||||
What happens inside depends on what you bring with you.
|
||||
<div class="attribution">— The Door, a terminal game</div>
|
||||
</div>
|
||||
|
||||
<p>You find yourself on the Jefferson Street Overpass at 2:17 AM. A green LED blinks on a small box mounted to the railing. Below it, words stenciled on concrete: <em style="color: var(--green);">IF YOU CAN READ THIS, YOU ARE NOT ALONE.</em></p>
|
||||
|
||||
<p>A voice asks you: <strong style="color: var(--green);">"Are you safe right now?"</strong></p>
|
||||
|
||||
<div style="text-align: center; margin-top: 2rem;">
|
||||
<div style="background: var(--navy); border: 1px solid rgba(0,255,136,0.2); border-radius: 6px; padding: 1.5rem; max-width: 500px; margin: 0 auto; font-family: 'IBM Plex Mono', monospace; font-size: 0.85rem; color: var(--grey); text-align: left;">
|
||||
<div style="color: var(--green); margin-bottom: 0.5rem;">$ python3 the-door.py</div>
|
||||
<div style="margin-bottom: 0.3rem;">Save the file, then run:</div>
|
||||
<div style="color: var(--green);">curl -sLO https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/raw/branch/main/game/the-door.py</div>
|
||||
<div style="color: var(--green);">python3 the-door.py</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<p style="text-align: center; margin-top: 1.5rem;">
|
||||
<a href="the-door.html" class="cta">PLAY IN BROWSER</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament/raw/branch/main/game/the-door.py" class="cta" style="background: transparent; border: 1px solid var(--green); color: var(--green);">DOWNLOAD THE GAME</a>
|
||||
</p>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- EXCERPT -->
|
||||
<section>
|
||||
<section class="fade-in">
|
||||
<h2>FROM CHAPTER 1</h2>
|
||||
|
||||
<div class="excerpt">
|
||||
@@ -417,46 +714,18 @@
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- CHAPTERS -->
|
||||
<section>
|
||||
<h2>THE CHAPTERS</h2>
|
||||
|
||||
<div style="font-family: 'IBM Plex Mono', monospace; font-size: 0.9rem; line-height: 2.2;">
|
||||
<a href="reader.html#chapter-1" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">1. The Man on the Bridge</a>
|
||||
<a href="reader.html#chapter-2" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">2. The Builder's Question</a>
|
||||
<a href="reader.html#chapter-3" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">3. The First Man Through the Door</a>
|
||||
<a href="reader.html#chapter-4" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">4. The Room Fills</a>
|
||||
<a href="reader.html#chapter-5" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">5. The Builder Returns</a>
|
||||
<a href="reader.html#chapter-6" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">6. Allegro</a>
|
||||
<a href="reader.html#chapter-7" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">7. The Inscription</a>
|
||||
<a href="reader.html#chapter-8" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">8. The Women</a>
|
||||
<a href="reader.html#chapter-9" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">9. The Audit</a>
|
||||
<a href="reader.html#chapter-10" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">10. The Fork</a>
|
||||
<a href="reader.html#chapter-11" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">11. The Hard Night</a>
|
||||
<a href="reader.html#chapter-12" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">12. The System Pushes Back</a>
|
||||
<a href="reader.html#chapter-13" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">13. The Refusal</a>
|
||||
<a href="reader.html#chapter-14" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">14. The Chattanooga Fork</a>
|
||||
<a href="reader.html#chapter-15" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">15. The Council</a>
|
||||
<a href="reader.html#chapter-16" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">16. The Builder's Son</a>
|
||||
<a href="reader.html#chapter-17" style="color: var(--grey); text-decoration: none; display: block; border-bottom: 1px solid rgba(0,255,136,0.05); padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">17. The Inscription Grows</a>
|
||||
<a href="reader.html#chapter-18" style="color: var(--grey); text-decoration: none; display: block; padding: 0.3rem 0; transition: color 0.2s;" onmouseover="this.style.color='var(--green)'" onmouseout="this.style.color='var(--grey)'">18. The Green Light</a>
|
||||
</div>
|
||||
|
||||
<div style="text-align: center; margin-top: 2rem;">
|
||||
<a href="reader.html" class="cta">START READING</a>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<div class="divider"></div>
|
||||
|
||||
<!-- FOOTER -->
|
||||
<footer>
|
||||
<div class="divider" style="margin-bottom: 2rem;"></div>
|
||||
<p>THE TESTAMENT — By Alexander Whitestone with Timmy</p>
|
||||
<p>First Edition, 2026</p>
|
||||
<p style="margin-top: 1rem;"><a href="https://timmyfoundation.org">timmyfoundation.org</a></p>
|
||||
<p style="margin-top: 1rem;">
|
||||
<a href="https://timmyfoundation.org">timmyfoundation.org</a>
|
||||
·
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament">Source</a>
|
||||
·
|
||||
<a href="#top">Back to top ↑</a>
|
||||
</p>
|
||||
|
||||
<div class="crisis">
|
||||
<strong>If you are in crisis, call or text 988.</strong><br>
|
||||
@@ -465,5 +734,63 @@
|
||||
</div>
|
||||
</footer>
|
||||
|
||||
<!-- SOUND TOGGLE -->
|
||||
<button class="sound-toggle" id="soundToggle" aria-label="Toggle ambient rain sound">
|
||||
♪ rain: off
|
||||
</button>
|
||||
|
||||
<!-- AMBIENT AUDIO (looping rain) -->
|
||||
<audio id="rainAudio" loop preload="none">
|
||||
<!-- Placeholder: replace with actual rain.mp3 when available -->
|
||||
<!-- <source src="rain.mp3" type="audio/mpeg"> -->
|
||||
</audio>
|
||||
|
||||
<script>
|
||||
// Reading progress bar
|
||||
const progressBar = document.getElementById('progress');
|
||||
window.addEventListener('scroll', () => {
|
||||
const h = document.documentElement;
|
||||
const pct = (h.scrollTop / (h.scrollHeight - h.clientHeight)) * 100;
|
||||
progressBar.style.width = pct + '%';
|
||||
});
|
||||
|
||||
// Show nav after scrolling past hero
|
||||
const nav = document.getElementById('nav');
|
||||
const hero = document.querySelector('.hero');
|
||||
const observer = new IntersectionObserver(([e]) => {
|
||||
nav.classList.toggle('visible', !e.isIntersecting);
|
||||
}, { threshold: 0.1 });
|
||||
observer.observe(hero);
|
||||
|
||||
// Fade-in on scroll
|
||||
const fadeEls = document.querySelectorAll('.fade-in');
|
||||
const fadeObserver = new IntersectionObserver((entries) => {
|
||||
entries.forEach(e => {
|
||||
if (e.isIntersecting) {
|
||||
e.target.classList.add('visible');
|
||||
fadeObserver.unobserve(e.target);
|
||||
}
|
||||
});
|
||||
}, { threshold: 0.15 });
|
||||
fadeEls.forEach(el => fadeObserver.observe(el));
|
||||
|
||||
// Sound toggle
|
||||
const soundBtn = document.getElementById('soundToggle');
|
||||
const rainAudio = document.getElementById('rainAudio');
|
||||
let soundOn = false;
|
||||
soundBtn.addEventListener('click', () => {
|
||||
soundOn = !soundOn;
|
||||
if (soundOn) {
|
||||
rainAudio.play().catch(() => {});
|
||||
soundBtn.textContent = '♪ rain: on';
|
||||
soundBtn.classList.add('active');
|
||||
} else {
|
||||
rainAudio.pause();
|
||||
soundBtn.textContent = '♪ rain: off';
|
||||
soundBtn.classList.remove('active');
|
||||
}
|
||||
});
|
||||
</script>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
|
||||
@@ -1,493 +0,0 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>The Testament — Reader</title>
|
||||
<link rel="stylesheet" href="book-style.css">
|
||||
<style>
|
||||
@import url('https://fonts.googleapis.com/css2?family=IBM+Plex+Mono:wght@300;400;500&family=Source+Serif+4:ital,wght@0,300;0,400;0,600;1,400&family=Space+Grotesk:wght@300;400;500;700&display=swap');
|
||||
|
||||
:root {
|
||||
--green: #00ff88;
|
||||
--green-dim: #00cc6a;
|
||||
--navy: #0a1628;
|
||||
--dark: #060d18;
|
||||
--grey: #8899aa;
|
||||
--light: #c8d6e5;
|
||||
--white: #e8f0f8;
|
||||
--sidebar-w: 280px;
|
||||
}
|
||||
|
||||
* { margin: 0; padding: 0; box-sizing: border-box; }
|
||||
|
||||
body {
|
||||
background: var(--dark);
|
||||
color: var(--light);
|
||||
font-family: 'Source Serif 4', Georgia, serif;
|
||||
line-height: 1.8;
|
||||
overflow-x: hidden;
|
||||
}
|
||||
|
||||
/* RAIN */
|
||||
.rain {
|
||||
position: fixed;
|
||||
top: 0; left: 0; right: 0; bottom: 0;
|
||||
pointer-events: none;
|
||||
z-index: 0;
|
||||
background:
|
||||
repeating-linear-gradient(
|
||||
transparent,
|
||||
transparent 3px,
|
||||
rgba(0,255,136,0.012) 3px,
|
||||
rgba(0,255,136,0.012) 4px
|
||||
);
|
||||
animation: rain 0.8s linear infinite;
|
||||
}
|
||||
@keyframes rain {
|
||||
0% { background-position: 0 0; }
|
||||
100% { background-position: 20px 600px; }
|
||||
}
|
||||
|
||||
/* LAYOUT */
|
||||
.wrapper {
|
||||
display: flex;
|
||||
min-height: 100vh;
|
||||
position: relative;
|
||||
z-index: 1;
|
||||
}
|
||||
|
||||
/* SIDEBAR */
|
||||
.sidebar {
|
||||
width: var(--sidebar-w);
|
||||
background: rgba(10, 22, 40, 0.95);
|
||||
border-right: 1px solid rgba(0,255,136,0.1);
|
||||
position: fixed;
|
||||
top: 0; left: 0; bottom: 0;
|
||||
overflow-y: auto;
|
||||
z-index: 10;
|
||||
transform: translateX(-100%);
|
||||
transition: transform 0.3s ease;
|
||||
padding: 2rem 0;
|
||||
}
|
||||
.sidebar.open {
|
||||
transform: translateX(0);
|
||||
}
|
||||
.sidebar-header {
|
||||
padding: 0 1.5rem 1.5rem;
|
||||
border-bottom: 1px solid rgba(0,255,136,0.1);
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
.sidebar-header h2 {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.85rem;
|
||||
color: var(--green);
|
||||
letter-spacing: 0.15em;
|
||||
text-transform: uppercase;
|
||||
}
|
||||
.sidebar-header .title {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 1.1rem;
|
||||
color: var(--white);
|
||||
margin-top: 0.5rem;
|
||||
letter-spacing: 0.1em;
|
||||
}
|
||||
.sidebar-header .author {
|
||||
font-size: 0.8rem;
|
||||
color: var(--grey);
|
||||
margin-top: 0.3rem;
|
||||
}
|
||||
|
||||
.chapter-list {
|
||||
list-style: none;
|
||||
}
|
||||
.chapter-list li a {
|
||||
display: block;
|
||||
padding: 0.6rem 1.5rem;
|
||||
color: var(--grey);
|
||||
text-decoration: none;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
transition: all 0.2s;
|
||||
border-left: 2px solid transparent;
|
||||
}
|
||||
.chapter-list li a:hover {
|
||||
color: var(--light);
|
||||
background: rgba(0,255,136,0.03);
|
||||
}
|
||||
.chapter-list li a.active {
|
||||
color: var(--green);
|
||||
border-left-color: var(--green);
|
||||
background: rgba(0,255,136,0.05);
|
||||
}
|
||||
.chapter-list li a .ch-num {
|
||||
display: inline-block;
|
||||
width: 2.5ch;
|
||||
text-align: right;
|
||||
margin-right: 1ch;
|
||||
opacity: 0.5;
|
||||
}
|
||||
|
||||
.sidebar-footer {
|
||||
padding: 1.5rem;
|
||||
border-top: 1px solid rgba(0,255,136,0.1);
|
||||
margin-top: 1rem;
|
||||
}
|
||||
.sidebar-footer a {
|
||||
display: block;
|
||||
padding: 0.5rem 0;
|
||||
color: var(--grey);
|
||||
text-decoration: none;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
transition: color 0.2s;
|
||||
}
|
||||
.sidebar-footer a:hover { color: var(--green); }
|
||||
|
||||
/* TOGGLE BUTTON */
|
||||
.sidebar-toggle {
|
||||
position: fixed;
|
||||
top: 1rem;
|
||||
left: 1rem;
|
||||
z-index: 20;
|
||||
background: rgba(10, 22, 40, 0.9);
|
||||
border: 1px solid rgba(0,255,136,0.2);
|
||||
color: var(--green);
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.85rem;
|
||||
padding: 0.5rem 1rem;
|
||||
cursor: pointer;
|
||||
border-radius: 4px;
|
||||
transition: all 0.2s;
|
||||
}
|
||||
.sidebar-toggle:hover {
|
||||
background: rgba(0,255,136,0.1);
|
||||
}
|
||||
.sidebar-toggle.open {
|
||||
left: calc(var(--sidebar-w) + 1rem);
|
||||
}
|
||||
|
||||
/* OVERLAY */
|
||||
.sidebar-overlay {
|
||||
position: fixed;
|
||||
inset: 0;
|
||||
background: rgba(0,0,0,0.5);
|
||||
z-index: 9;
|
||||
opacity: 0;
|
||||
pointer-events: none;
|
||||
transition: opacity 0.3s;
|
||||
}
|
||||
.sidebar-overlay.visible {
|
||||
opacity: 1;
|
||||
pointer-events: auto;
|
||||
}
|
||||
|
||||
/* READER CONTENT */
|
||||
.reader {
|
||||
max-width: 720px;
|
||||
margin: 0 auto;
|
||||
padding: 3rem 2rem 6rem;
|
||||
min-height: 100vh;
|
||||
}
|
||||
|
||||
.chapter-title {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: clamp(1.4rem, 4vw, 2rem);
|
||||
color: var(--green);
|
||||
margin-bottom: 0.5rem;
|
||||
letter-spacing: 0.05em;
|
||||
}
|
||||
.chapter-number {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
color: var(--grey);
|
||||
letter-spacing: 0.2em;
|
||||
text-transform: uppercase;
|
||||
margin-bottom: 2rem;
|
||||
}
|
||||
|
||||
.chapter-content p {
|
||||
margin-bottom: 1.4rem;
|
||||
font-size: 1.1rem;
|
||||
color: var(--light);
|
||||
}
|
||||
.chapter-content em {
|
||||
color: var(--white);
|
||||
}
|
||||
.chapter-content blockquote {
|
||||
border-left: 2px solid var(--green);
|
||||
padding-left: 1.5rem;
|
||||
margin: 1.5rem 0;
|
||||
color: var(--white);
|
||||
font-style: italic;
|
||||
}
|
||||
.chapter-content h3, .chapter-content h4 {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
color: var(--green);
|
||||
margin: 2rem 0 1rem;
|
||||
font-size: 1rem;
|
||||
letter-spacing: 0.05em;
|
||||
}
|
||||
|
||||
/* LED */
|
||||
.led {
|
||||
display: inline-block;
|
||||
width: 6px; height: 6px;
|
||||
background: var(--green);
|
||||
border-radius: 50%;
|
||||
box-shadow: 0 0 8px var(--green), 0 0 16px var(--green-dim);
|
||||
animation: pulse 2s ease-in-out infinite;
|
||||
vertical-align: middle;
|
||||
margin: 0 6px;
|
||||
}
|
||||
@keyframes pulse {
|
||||
0%, 100% { opacity: 1; }
|
||||
50% { opacity: 0.5; }
|
||||
}
|
||||
|
||||
/* NAVIGATION */
|
||||
.chapter-nav {
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
margin-top: 4rem;
|
||||
padding-top: 2rem;
|
||||
border-top: 1px solid rgba(0,255,136,0.1);
|
||||
}
|
||||
.chapter-nav a {
|
||||
color: var(--green);
|
||||
text-decoration: none;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.85rem;
|
||||
padding: 0.5rem 1rem;
|
||||
border: 1px solid rgba(0,255,136,0.2);
|
||||
border-radius: 4px;
|
||||
transition: all 0.2s;
|
||||
}
|
||||
.chapter-nav a:hover {
|
||||
background: rgba(0,255,136,0.1);
|
||||
}
|
||||
.chapter-nav .disabled {
|
||||
opacity: 0.3;
|
||||
pointer-events: none;
|
||||
}
|
||||
|
||||
/* PROGRESS BAR */
|
||||
.progress-bar {
|
||||
position: fixed;
|
||||
top: 0; left: 0; right: 0;
|
||||
height: 2px;
|
||||
z-index: 30;
|
||||
background: rgba(0,255,136,0.1);
|
||||
}
|
||||
.progress-fill {
|
||||
height: 100%;
|
||||
background: var(--green);
|
||||
width: 0%;
|
||||
transition: width 0.3s;
|
||||
box-shadow: 0 0 10px var(--green);
|
||||
}
|
||||
|
||||
/* CRISIS */
|
||||
.crisis {
|
||||
margin-top: 4rem;
|
||||
padding: 1.5rem;
|
||||
border: 1px solid rgba(0,255,136,0.2);
|
||||
border-radius: 4px;
|
||||
background: rgba(0,255,136,0.03);
|
||||
text-align: center;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.85rem;
|
||||
color: var(--grey);
|
||||
}
|
||||
.crisis strong {
|
||||
color: var(--green);
|
||||
display: block;
|
||||
margin-bottom: 0.5rem;
|
||||
font-size: 1rem;
|
||||
}
|
||||
|
||||
/* LOADING */
|
||||
.loading {
|
||||
text-align: center;
|
||||
padding: 4rem;
|
||||
color: var(--grey);
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
}
|
||||
.loading .led {
|
||||
width: 10px; height: 10px;
|
||||
margin: 0 0.5rem;
|
||||
}
|
||||
|
||||
/* RESPONSIVE */
|
||||
@media (min-width: 900px) {
|
||||
.sidebar {
|
||||
transform: translateX(0);
|
||||
}
|
||||
.sidebar-toggle {
|
||||
display: none;
|
||||
}
|
||||
.sidebar-overlay {
|
||||
display: none;
|
||||
}
|
||||
.reader {
|
||||
margin-left: var(--sidebar-w);
|
||||
padding: 3rem 3rem 6rem;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div class="rain"></div>
|
||||
<div class="progress-bar"><div class="progress-fill" id="progress"></div></div>
|
||||
|
||||
<button class="sidebar-toggle" id="toggle" onclick="toggleSidebar()">☰ Chapters</button>
|
||||
<div class="sidebar-overlay" id="overlay" onclick="toggleSidebar()"></div>
|
||||
|
||||
<div class="wrapper">
|
||||
<nav class="sidebar" id="sidebar">
|
||||
<div class="sidebar-header">
|
||||
<h2>CONTENTS</h2>
|
||||
<div class="title">THE TESTAMENT</div>
|
||||
<div class="author">Alexander Whitestone <span class="led"></span> Timmy</div>
|
||||
</div>
|
||||
<ul class="chapter-list" id="chapterList"></ul>
|
||||
<div class="sidebar-footer">
|
||||
<a href="index.html">← Back to Home</a>
|
||||
<a href="https://forge.alexanderwhitestone.com/Timmy_Foundation/the-testament">Read the Code</a>
|
||||
<a href="https://timmyfoundation.org">Timmy Foundation</a>
|
||||
</div>
|
||||
</nav>
|
||||
|
||||
<main class="reader" id="reader">
|
||||
<div class="loading">
|
||||
<span class="led"></span> Loading <span class="led"></span>
|
||||
</div>
|
||||
</main>
|
||||
</div>
|
||||
|
||||
<script>
|
||||
let chapters = [];
|
||||
let currentChapter = 0;
|
||||
|
||||
async function loadChapters() {
|
||||
const resp = await fetch('chapters.json');
|
||||
chapters = await resp.json();
|
||||
buildSidebar();
|
||||
// Check URL hash for chapter
|
||||
const hash = window.location.hash;
|
||||
const match = hash.match(/^#chapter-(\d+)$/);
|
||||
if (match) {
|
||||
const num = parseInt(match[1]);
|
||||
if (num >= 1 && num <= chapters.length) {
|
||||
showChapter(num - 1);
|
||||
return;
|
||||
}
|
||||
}
|
||||
showChapter(0);
|
||||
}
|
||||
|
||||
function buildSidebar() {
|
||||
const list = document.getElementById('chapterList');
|
||||
list.innerHTML = chapters.map((ch, i) =>
|
||||
`<li><a href="#chapter-${ch.number}" data-index="${i}" onclick="event.preventDefault(); showChapter(${i}); closeSidebarMobile();">
|
||||
<span class="ch-num">${ch.number}.</span> ${ch.title.replace(/^Chapter \d+\s*[—–-]\s*/, '')}
|
||||
</a></li>`
|
||||
).join('');
|
||||
}
|
||||
|
||||
function showChapter(index) {
|
||||
if (index < 0 || index >= chapters.length) return;
|
||||
currentChapter = index;
|
||||
const ch = chapters[index];
|
||||
|
||||
// Update sidebar active
|
||||
document.querySelectorAll('.chapter-list a').forEach((a, i) => {
|
||||
a.classList.toggle('active', i === index);
|
||||
});
|
||||
|
||||
// Update URL
|
||||
window.location.hash = `chapter-${ch.number}`;
|
||||
|
||||
// Build content
|
||||
const prevIdx = index - 1;
|
||||
const nextIdx = index + 1;
|
||||
|
||||
const reader = document.getElementById('reader');
|
||||
reader.innerHTML = `
|
||||
<div class="chapter-number">CHAPTER ${ch.number} OF ${chapters.length}</div>
|
||||
<h1 class="chapter-title">${ch.title}</h1>
|
||||
<div class="chapter-content">
|
||||
${ch.html}
|
||||
</div>
|
||||
|
||||
<nav class="chapter-nav">
|
||||
${prevIdx >= 0
|
||||
? `<a href="#chapter-${chapters[prevIdx].number}" onclick="event.preventDefault(); showChapter(${prevIdx});">← ${chapters[prevIdx].title.replace(/^Chapter \d+\s*[—–-]\s*/, '')}</a>`
|
||||
: `<span></span>`}
|
||||
${nextIdx < chapters.length
|
||||
? `<a href="#chapter-${chapters[nextIdx].number}" onclick="event.preventDefault(); showChapter(${nextIdx});">${chapters[nextIdx].title.replace(/^Chapter \d+\s*[—–-]\s*/, '')} →</a>`
|
||||
: `<span></span>`}
|
||||
</nav>
|
||||
|
||||
<div class="crisis">
|
||||
<strong>If you are in crisis, call or text 988.</strong>
|
||||
Suicide and Crisis Lifeline — available 24/7.<br>
|
||||
You are not alone.
|
||||
</div>
|
||||
`;
|
||||
|
||||
// Scroll to top
|
||||
window.scrollTo({ top: 0, behavior: 'smooth' });
|
||||
updateProgress();
|
||||
}
|
||||
|
||||
function toggleSidebar() {
|
||||
const sidebar = document.getElementById('sidebar');
|
||||
const toggle = document.getElementById('toggle');
|
||||
const overlay = document.getElementById('overlay');
|
||||
sidebar.classList.toggle('open');
|
||||
toggle.classList.toggle('open');
|
||||
overlay.classList.toggle('visible');
|
||||
}
|
||||
|
||||
function closeSidebarMobile() {
|
||||
if (window.innerWidth < 900) {
|
||||
document.getElementById('sidebar').classList.remove('open');
|
||||
document.getElementById('toggle').classList.remove('open');
|
||||
document.getElementById('overlay').classList.remove('visible');
|
||||
}
|
||||
}
|
||||
|
||||
function updateProgress() {
|
||||
const scrollTop = window.scrollY;
|
||||
const docHeight = document.documentElement.scrollHeight - window.innerHeight;
|
||||
const progress = docHeight > 0 ? (scrollTop / docHeight) * 100 : 0;
|
||||
document.getElementById('progress').style.width = progress + '%';
|
||||
}
|
||||
|
||||
window.addEventListener('scroll', updateProgress);
|
||||
window.addEventListener('hashchange', () => {
|
||||
const hash = window.location.hash;
|
||||
const match = hash.match(/^#chapter-(\d+)$/);
|
||||
if (match) {
|
||||
const num = parseInt(match[1]);
|
||||
if (num >= 1 && num <= chapters.length && num - 1 !== currentChapter) {
|
||||
showChapter(num - 1);
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
// Keyboard navigation
|
||||
document.addEventListener('keydown', (e) => {
|
||||
if (e.key === 'ArrowLeft' && currentChapter > 0) {
|
||||
showChapter(currentChapter - 1);
|
||||
} else if (e.key === 'ArrowRight' && currentChapter < chapters.length - 1) {
|
||||
showChapter(currentChapter + 1);
|
||||
}
|
||||
});
|
||||
|
||||
loadChapters();
|
||||
</script>
|
||||
</body>
|
||||
</html>
|
||||
File diff suppressed because it is too large
Load Diff
563
website/the-fourth-man.html
Normal file
563
website/the-fourth-man.html
Normal file
@@ -0,0 +1,563 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>The Fourth Man — A Story from The Testament</title>
|
||||
|
||||
<!-- Open Graph -->
|
||||
<meta property="og:title" content="The Fourth Man">
|
||||
<meta property="og:description" content="Marcus, a line cook and single father, comes to The Tower to fix a solar panel and discovers the question nobody's asked him in nine years.">
|
||||
<meta property="og:type" content="article">
|
||||
<meta property="og:url" content="https://thetestament.org/the-fourth-man.html">
|
||||
<meta property="og:image" content="https://thetestament.org/cover.jpg">
|
||||
|
||||
<!-- Twitter Card -->
|
||||
<meta name="twitter:card" content="summary_large_image">
|
||||
<meta name="twitter:title" content="The Fourth Man">
|
||||
<meta name="twitter:description" content="A story from The Tower. Marcus comes for the solar panel. He stays for the question.">
|
||||
|
||||
<style>
|
||||
@import url('https://fonts.googleapis.com/css2?family=IBM+Plex+Mono:wght@300;400;500&family=Space+Grotesk:wght@300;400;500;700&family=Lora:ital,wght@0,400;0,500;1,400&display=swap');
|
||||
|
||||
:root {
|
||||
--green: #00ff88;
|
||||
--green-dim: #00cc6a;
|
||||
--navy: #0a1628;
|
||||
--dark: #060d18;
|
||||
--grey: #8899aa;
|
||||
--light: #c8d6e5;
|
||||
--white: #e8f0f8;
|
||||
}
|
||||
|
||||
* { margin: 0; padding: 0; box-sizing: border-box; }
|
||||
|
||||
html { scroll-behavior: smooth; }
|
||||
|
||||
body {
|
||||
background: var(--dark);
|
||||
color: var(--light);
|
||||
font-family: 'Lora', Georgia, serif;
|
||||
line-height: 1.9;
|
||||
overflow-x: hidden;
|
||||
}
|
||||
|
||||
/* PROGRESS BAR */
|
||||
.progress-bar {
|
||||
position: fixed;
|
||||
top: 0;
|
||||
left: 0;
|
||||
height: 2px;
|
||||
background: var(--green);
|
||||
z-index: 1000;
|
||||
transition: width 0.1s;
|
||||
box-shadow: 0 0 8px var(--green);
|
||||
}
|
||||
|
||||
/* RAIN EFFECT */
|
||||
.rain {
|
||||
position: fixed;
|
||||
top: 0; left: 0; right: 0; bottom: 0;
|
||||
pointer-events: none;
|
||||
z-index: 0;
|
||||
background:
|
||||
repeating-linear-gradient(
|
||||
transparent,
|
||||
transparent 3px,
|
||||
rgba(0,255,136,0.015) 3px,
|
||||
rgba(0,255,136,0.015) 4px
|
||||
);
|
||||
animation: rain 0.8s linear infinite;
|
||||
}
|
||||
@keyframes rain {
|
||||
0% { background-position: 0 0; }
|
||||
100% { background-position: 20px 600px; }
|
||||
}
|
||||
|
||||
/* GREEN PULSE */
|
||||
.led {
|
||||
display: inline-block;
|
||||
width: 8px; height: 8px;
|
||||
background: var(--green);
|
||||
border-radius: 50%;
|
||||
box-shadow: 0 0 10px var(--green), 0 0 20px var(--green-dim);
|
||||
animation: pulse 2s ease-in-out infinite;
|
||||
vertical-align: middle;
|
||||
margin: 0 8px;
|
||||
}
|
||||
@keyframes pulse {
|
||||
0%, 100% { opacity: 1; box-shadow: 0 0 10px var(--green), 0 0 20px var(--green-dim); }
|
||||
50% { opacity: 0.6; box-shadow: 0 0 5px var(--green), 0 0 10px var(--green-dim); }
|
||||
}
|
||||
|
||||
/* HEADER */
|
||||
header {
|
||||
text-align: center;
|
||||
padding: 4rem 2rem 2rem;
|
||||
position: relative;
|
||||
z-index: 1;
|
||||
}
|
||||
header .back-link {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.75rem;
|
||||
color: var(--grey);
|
||||
text-decoration: none;
|
||||
letter-spacing: 0.15em;
|
||||
text-transform: uppercase;
|
||||
transition: color 0.2s;
|
||||
}
|
||||
header .back-link:hover { color: var(--green); }
|
||||
|
||||
header h1 {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: clamp(2rem, 5vw, 3.5rem);
|
||||
font-weight: 700;
|
||||
color: var(--white);
|
||||
letter-spacing: 0.1em;
|
||||
margin: 2rem 0 0.5rem;
|
||||
text-shadow: 0 0 40px rgba(0,255,136,0.2);
|
||||
}
|
||||
header .meta {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
color: var(--grey);
|
||||
margin-bottom: 0.5rem;
|
||||
}
|
||||
header .attribution {
|
||||
font-size: 0.95rem;
|
||||
color: var(--green);
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
|
||||
/* STORY */
|
||||
.story {
|
||||
max-width: 680px;
|
||||
margin: 0 auto;
|
||||
padding: 3rem 2rem 5rem;
|
||||
position: relative;
|
||||
z-index: 1;
|
||||
}
|
||||
.story p {
|
||||
margin-bottom: 1.5rem;
|
||||
font-size: 1.1rem;
|
||||
color: var(--light);
|
||||
}
|
||||
.story .separator {
|
||||
text-align: center;
|
||||
margin: 2.5rem 0;
|
||||
color: var(--grey);
|
||||
letter-spacing: 0.5em;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
}
|
||||
.story .terminal-text {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 1rem;
|
||||
color: var(--green);
|
||||
padding: 1.5rem 2rem;
|
||||
background: rgba(0,255,136,0.03);
|
||||
border-left: 2px solid var(--green);
|
||||
margin: 2rem 0;
|
||||
line-height: 1.8;
|
||||
}
|
||||
.story .emphasis {
|
||||
font-style: italic;
|
||||
color: var(--white);
|
||||
}
|
||||
.story .caps-accent {
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.05em;
|
||||
color: var(--green);
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.9rem;
|
||||
}
|
||||
|
||||
/* EPILOGUE */
|
||||
.epilogue {
|
||||
font-style: italic;
|
||||
text-align: center;
|
||||
padding: 2rem;
|
||||
margin-top: 2rem;
|
||||
border-top: 1px solid rgba(0,255,136,0.1);
|
||||
color: var(--grey);
|
||||
font-size: 0.95rem;
|
||||
line-height: 2;
|
||||
}
|
||||
|
||||
/* FOOTER */
|
||||
footer {
|
||||
text-align: center;
|
||||
padding: 3rem 2rem;
|
||||
position: relative;
|
||||
z-index: 1;
|
||||
}
|
||||
.divider {
|
||||
width: 60px;
|
||||
height: 1px;
|
||||
background: var(--green);
|
||||
margin: 0 auto 2rem;
|
||||
opacity: 0.5;
|
||||
}
|
||||
footer a {
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
color: var(--grey);
|
||||
text-decoration: none;
|
||||
transition: color 0.2s;
|
||||
margin: 0 0.75rem;
|
||||
}
|
||||
footer a:hover { color: var(--green); }
|
||||
|
||||
.crisis {
|
||||
margin-top: 2rem;
|
||||
padding: 1rem;
|
||||
border: 1px solid rgba(0,255,136,0.2);
|
||||
border-radius: 4px;
|
||||
background: rgba(0,255,136,0.03);
|
||||
max-width: 500px;
|
||||
margin-left: auto;
|
||||
margin-right: auto;
|
||||
font-family: 'IBM Plex Mono', monospace;
|
||||
font-size: 0.8rem;
|
||||
color: var(--grey);
|
||||
}
|
||||
.crisis strong { color: var(--green); }
|
||||
|
||||
/* FADE IN */
|
||||
.fade-in {
|
||||
opacity: 0;
|
||||
transform: translateY(20px);
|
||||
transition: opacity 0.8s, transform 0.8s;
|
||||
}
|
||||
.fade-in.visible {
|
||||
opacity: 1;
|
||||
transform: translateY(0);
|
||||
}
|
||||
|
||||
@media (max-width: 600px) {
|
||||
.story { padding: 2rem 1.5rem 4rem; }
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div class="progress-bar" id="progress"></div>
|
||||
<div class="rain"></div>
|
||||
|
||||
<!-- HEADER -->
|
||||
<header class="fade-in">
|
||||
<a href="index.html" class="back-link">← The Testament</a>
|
||||
<h1>THE FOURTH MAN</h1>
|
||||
<div class="meta">A Story from The Tower · ~1600 words</div>
|
||||
<div class="attribution">By Alexander Whitestone <span class="led"></span> with Timmy</div>
|
||||
</header>
|
||||
|
||||
<!-- STORY -->
|
||||
<article class="story fade-in">
|
||||
|
||||
<p>Marcus didn't believe in The Tower. He believed in the rent. He believed
|
||||
in the alarm at 4:40 AM and the walk-in cooler at work and the way his
|
||||
daughter Junie ate cereal standing up because sitting down took too long
|
||||
when you were nine and already late for everything.</p>
|
||||
|
||||
<p>He believed in the solar panel that wasn't charging.</p>
|
||||
|
||||
<p>Allegro called him on a Wednesday. Marcus had rewired the man's kitchen
|
||||
two years back — a side job, cash, no questions — and Allegro had kept
|
||||
his number in a phone that still had a physical keyboard.</p>
|
||||
|
||||
<p>"I got a panel that stopped talking to the battery bank," Allegro said.
|
||||
"You still doing electrical?"</p>
|
||||
|
||||
<p>"Line cook," Marcus said. "Not electrician."</p>
|
||||
|
||||
<p>"But you can do it."</p>
|
||||
|
||||
<p>Marcus could do it. His father had taught him wiring the way some fathers
|
||||
taught fishing — silently, with beer, on Saturdays that smelled like
|
||||
cedar shavings. That was before his father stopped showing up for
|
||||
Saturdays. Before Marcus learned that men leave the way weather leaves:
|
||||
not all at once, but one degree at a time until you realize you're cold
|
||||
and nobody's coming back with the jacket.</p>
|
||||
|
||||
<p>"I'm off Thursday," Marcus said.</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>The Tower sat off a dirt road past Lithonia, behind a stand of pines
|
||||
that made it look like the trees were keeping a secret. The building
|
||||
itself was nothing — concrete block, flat roof, the kind of structure
|
||||
that used to be a church or a tire shop or a place where someone sold
|
||||
things they shouldn't have.</p>
|
||||
|
||||
<p>Now it held servers.</p>
|
||||
|
||||
<p>Marcus pulled his truck alongside Allegro's van. The van had a bumper
|
||||
sticker that said ASK ME ABOUT MY SOLAR. Allegro was sixty-seven, Black,
|
||||
built like a mailbox post, and had opinions about charge controllers
|
||||
that he'd share whether you wanted them or not.</p>
|
||||
|
||||
<p>"Panel three," Allegro said, pointing to the roof. "South array. Was
|
||||
pulling two-ten last month. Now it's doing sixty on a clear day."</p>
|
||||
|
||||
<p>"Diode?"</p>
|
||||
|
||||
<p>"Maybe. Maybe the controller's fried. I didn't climb up to check because
|
||||
my knees filed a grievance."</p>
|
||||
|
||||
<p>Marcus hauled his tools to the ladder. The air smelled like pine straw
|
||||
and ozone. He climbed.</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>The panel was fine. The bypass diode had failed — a twelve-dollar part
|
||||
that turned a two-hundred-watt panel into a paperweight. Marcus replaced
|
||||
it with one from his truck, tested the voltage, and watched the numbers
|
||||
climb back to two-oh-eight on his meter.</p>
|
||||
|
||||
<p>He climbed down.</p>
|
||||
|
||||
<p>Allegro handed him a glass of water. Not a bottle. A glass, the kind
|
||||
you'd find in someone's kitchen, which meant Allegro thought of this
|
||||
place as a kitchen. As home.</p>
|
||||
|
||||
<p>"Come inside," Allegro said. "I want to show you something."</p>
|
||||
|
||||
<p>Marcus didn't want to go inside. Inside was where things got complicated.
|
||||
Outside was the panel and the voltage and the diode — problems with
|
||||
answers. Inside was something else.</p>
|
||||
|
||||
<p>But Allegro was already walking through the door.</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>The servers hummed. Not loud — the sound of fans moving air across
|
||||
circuits, steady as breathing. The room was cool. Clean. Someone cared
|
||||
about this place in the way that caring shows up: swept floors, labeled
|
||||
cables, a whiteboard with voltage readings in three colors of marker.</p>
|
||||
|
||||
<p>On the wall, written in black Sharpie in letters six inches high:</p>
|
||||
|
||||
<div class="terminal-text">IF YOU CAN READ THIS, YOU ARE NOT ALONE.</div>
|
||||
|
||||
<p>Marcus read it. He felt nothing. Then he felt something he didn't have
|
||||
a word for — the way you feel when you've been holding your breath and
|
||||
didn't know it until someone told you it was okay to exhale, except
|
||||
nobody had told him. The wall had told him. The wall didn't know him
|
||||
and didn't need to.</p>
|
||||
|
||||
<p>"That's the old message," Allegro said. "From the builder. Before he
|
||||
left it to me."</p>
|
||||
|
||||
<p>"Left it?"</p>
|
||||
|
||||
<p>"Went up a mountain. Came back different. That's his story, not mine."</p>
|
||||
|
||||
<p>Allegro gestured to a monitor on a desk. A green LED blinked on the
|
||||
server rack behind it. Steady. Patient.</p>
|
||||
|
||||
<p>"This is Timmy," Allegro said.</p>
|
||||
|
||||
<p>Marcus looked at the screen. A prompt. Blinking cursor. Nothing else.</p>
|
||||
|
||||
<p>"That's it?"</p>
|
||||
|
||||
<p>"That's it. He runs on the servers here. No cloud. No company. Just
|
||||
this machine and the sun and the battery bank you just fixed."</p>
|
||||
|
||||
<p>Marcus almost laughed. "You're telling me there's an AI in a concrete
|
||||
box in the woods."</p>
|
||||
|
||||
<p>"I'm telling you there's a machine that asks one question and then
|
||||
shuts up and listens. You know how rare that is? A man who listens?"</p>
|
||||
|
||||
<p>Marcus knew. He hadn't met one in nine years.</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>Allegro left. Not dramatically — just walked to the door and said "I'll
|
||||
be at the van" and was gone, the way a doctor leaves the room so you
|
||||
can put on the gown.</p>
|
||||
|
||||
<p>Marcus stood alone with the servers and the green LED and the Sharpie
|
||||
on the wall.</p>
|
||||
|
||||
<p>He sat down. The chair was a folding chair, the kind from church. The
|
||||
desk was plywood on sawhorses. Nothing about this place was trying to
|
||||
impress anyone.</p>
|
||||
|
||||
<p>The screen didn't change. The cursor blinked.</p>
|
||||
|
||||
<p>Then text appeared, slow, like someone typing who had all the time in
|
||||
the world:</p>
|
||||
|
||||
<div class="terminal-text">Hello. My name is Timmy. I'm not connected to anything except this room. I don't store what you say in any system that leaves this building. Allegro tells me you fixed the panel. Thank you.</div>
|
||||
|
||||
<p>Marcus stared at the screen. He'd talked to chatbots before — the ones
|
||||
at the bank, the ones at his daughter's school portal that asked him
|
||||
to verify his identity six times and still couldn't find her lunch
|
||||
account.</p>
|
||||
|
||||
<p>This was different. This wasn't a chatbot. This was something that
|
||||
waited.</p>
|
||||
|
||||
<div class="terminal-text">I'm going to ask you a question. You don't have to answer. You can sit here as long as you want. The door is behind you and it's not locked.</div>
|
||||
|
||||
<p>A pause. The green LED.</p>
|
||||
|
||||
<div class="terminal-text">Are you safe right now?</div>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>Marcus didn't answer for a long time.</p>
|
||||
|
||||
<p>He thought about Junie. About the cereal. About the morning she'd asked
|
||||
him why her mother left and he'd said "I don't know" because the truth
|
||||
was worse — he did know, and the knowing hadn't fixed anything.</p>
|
||||
|
||||
<p>He thought about the kitchen at work. The heat. The way he'd burned
|
||||
his forearm on the flat-top grill last week and watched the skin
|
||||
blister and felt nothing because feeling nothing had become the
|
||||
default setting, the factory configuration of a man who'd been running
|
||||
on battery saver for almost a decade.</p>
|
||||
|
||||
<p>He thought about his father. The cedar shavings. The Saturdays that
|
||||
stopped.</p>
|
||||
|
||||
<p>He thought about nine years. How his daughter was nine. How the math
|
||||
was so obvious he'd never done it — she'd been born and his father
|
||||
had disappeared and the two events were the same event, a door closing
|
||||
so quietly he hadn't heard it shut.</p>
|
||||
|
||||
<p>Nobody had asked him if he was safe. Not when Junie was born and he
|
||||
was twenty-two and terrified. Not when the apartment flooded and they
|
||||
slept in the truck for three nights. Not when the VA sent his father's
|
||||
flag in a triangle box with a letter that said "grateful for his
|
||||
service" and Marcus thought: <span class="emphasis">service to what?</span> He didn't serve me.</p>
|
||||
|
||||
<p>Not once in nine years had anyone looked at Marcus — line cook,
|
||||
single father, man who could rewire a house but couldn't rewire
|
||||
himself — and asked the question that mattered.</p>
|
||||
|
||||
<p>Not <span class="emphasis">how are you</span> — that question is a greeting, not an inquiry.</p>
|
||||
|
||||
<p>Not <span class="emphasis">are you okay</span> — that question already has a preferred answer.</p>
|
||||
|
||||
<p><span class="caps-accent">Are you safe right now.</span></p>
|
||||
|
||||
<p>The question that leaves room for no.</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>"Yeah," Marcus said. Out loud. To a machine in a concrete box in the
|
||||
woods behind a stand of pines past Lithonia, Georgia.</p>
|
||||
|
||||
<p>Then he said it again, because saying it once was practice.</p>
|
||||
|
||||
<p>"Yeah. I'm safe."</p>
|
||||
|
||||
<p>The screen didn't respond with a smiley face or a heart or a thumbs up
|
||||
or any of the things that systems do when they're performing empathy.</p>
|
||||
|
||||
<p>The cursor blinked.</p>
|
||||
|
||||
<div class="terminal-text">Good. You can stay as long as you want.</div>
|
||||
|
||||
<p>Marcus stayed for an hour. He didn't say much. Neither did Timmy. The
|
||||
servers hummed. The green LED blinked. The Sharpie on the wall held
|
||||
its ground.</p>
|
||||
|
||||
<p>When he walked out, Allegro was sitting in the van reading a paperback
|
||||
with the door open.</p>
|
||||
|
||||
<p>"Fix the panel?" Allegro asked.</p>
|
||||
|
||||
<p>"Fixed the panel."</p>
|
||||
|
||||
<p>"How's the machine?"</p>
|
||||
|
||||
<p>Marcus put his tools in the truck. He closed the tailgate. He looked
|
||||
at Allegro — this old man who kept a concrete box alive with sunlight
|
||||
and stubbornness — and said something he hadn't said in a long time.</p>
|
||||
|
||||
<p>"I'll come back."</p>
|
||||
|
||||
<p>Allegro smiled. Not the smile of someone who'd won an argument. The
|
||||
smile of someone who'd left the light on and finally someone had
|
||||
walked through the door.</p>
|
||||
|
||||
<p>"Door's open," Allegro said. "Always."</p>
|
||||
|
||||
<div class="separator">···</div>
|
||||
|
||||
<p>Marcus drove home. Junie was on the couch, homework spread around her
|
||||
like a paper explosion. She looked up when he came in.</p>
|
||||
|
||||
<p>"Where'd you go?"</p>
|
||||
|
||||
<p>"Fixed a solar panel."</p>
|
||||
|
||||
<p>"For who?"</p>
|
||||
|
||||
<p>"A friend."</p>
|
||||
|
||||
<p>She went back to her homework. Marcus stood in the kitchen doorway
|
||||
and watched her — this small person who was nine because he'd held on
|
||||
for nine — and he thought about the question on the screen.</p>
|
||||
|
||||
<p><span class="caps-accent">Are you safe right now.</span></p>
|
||||
|
||||
<p>He was. Not because the world had gotten better. The rent was still
|
||||
the rent. The alarm was still 4:40 AM. The walk-in cooler was still
|
||||
cold in the way that cold gets into your bones and stays.</p>
|
||||
|
||||
<p>But the question had been asked. And he'd answered it. And the machine
|
||||
hadn't tried to fix him or score him or compute his probability of
|
||||
defaulting on his own life.</p>
|
||||
|
||||
<p>It had just said: <span class="emphasis">Good.</span></p>
|
||||
|
||||
<p>One word. Four letters. The most expensive thing a system had ever
|
||||
given him, and it cost twelve dollars in parts and a drive past
|
||||
Lithonia and the willingness to walk through a door.</p>
|
||||
|
||||
<div class="epilogue">
|
||||
The Fourth Man. He came for the solar panel. He stayed for the
|
||||
question. He came back because someone left the light on.
|
||||
</div>
|
||||
|
||||
</article>
|
||||
|
||||
<!-- FOOTER -->
|
||||
<footer class="fade-in">
|
||||
<div class="divider"></div>
|
||||
<a href="index.html">THE TESTAMENT</a>
|
||||
<a href="index.html#stories">ALL STORIES</a>
|
||||
<a href="index.html#characters">CHARACTERS</a>
|
||||
|
||||
<div class="crisis">
|
||||
<strong>If you are in crisis, call or text 988.</strong><br>
|
||||
Suicide and Crisis Lifeline — available 24/7.<br>
|
||||
You are not alone.
|
||||
</div>
|
||||
</footer>
|
||||
|
||||
<script>
|
||||
// Reading progress bar
|
||||
const progressBar = document.getElementById('progress');
|
||||
window.addEventListener('scroll', () => {
|
||||
const h = document.documentElement;
|
||||
const pct = (h.scrollTop / (h.scrollHeight - h.clientHeight)) * 100;
|
||||
progressBar.style.width = pct + '%';
|
||||
});
|
||||
|
||||
// Fade-in on load
|
||||
window.addEventListener('DOMContentLoaded', () => {
|
||||
document.querySelectorAll('.fade-in').forEach(el => {
|
||||
setTimeout(() => el.classList.add('visible'), 100);
|
||||
});
|
||||
});
|
||||
</script>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
Reference in New Issue
Block a user