Compare commits
9 Commits
GoldenRock
...
main
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
b022de0b6a | ||
|
|
3c07afbf53 | ||
|
|
182327a017 | ||
|
|
eef835d2aa | ||
|
|
34e05638e8 | ||
|
|
e18140883b | ||
|
|
e678aa076b | ||
|
|
2425d631f2 | ||
|
|
80578ddcb3 |
1
.gitignore
vendored
Normal file
1
.gitignore
vendored
Normal file
@@ -0,0 +1 @@
|
||||
__pycache__/
|
||||
65
BACKEND_SETUP.md
Normal file
65
BACKEND_SETUP.md
Normal file
@@ -0,0 +1,65 @@
|
||||
# The Door — Backend Setup
|
||||
|
||||
## Hermes Gateway Configuration
|
||||
|
||||
The Door frontend connects to the Hermes agent API server at `/api/v1/chat/completions`.
|
||||
The nginx reverse proxy forwards `/api/*` to `http://127.0.0.1:8644/`.
|
||||
|
||||
### 1. Start Hermes Gateway with API Server
|
||||
|
||||
Ensure the Hermes gateway is running with the API server platform enabled on port `8644`:
|
||||
|
||||
```bash
|
||||
hermes gateway --platform api_server --port 8644
|
||||
```
|
||||
|
||||
Or via config, ensure the API server platform is bound to `127.0.0.1:8644`.
|
||||
|
||||
### 2. Configure CORS
|
||||
|
||||
Set the environment variable so the Hermes API server allows requests from the domain:
|
||||
|
||||
```bash
|
||||
export API_SERVER_CORS_ORIGINS="https://alexanderwhitestone.com,https://www.alexanderwhitestone.com"
|
||||
```
|
||||
|
||||
nginx also adds CORS headers as a defensive layer (see `deploy/nginx.conf`).
|
||||
|
||||
### 3. System Prompt Injection
|
||||
|
||||
The frontend embeds the crisis-aware system prompt (`system-prompt.txt`) directly in `index.html`
|
||||
and sends it as the first `system` message with every API request. No server-side prompt
|
||||
injection is required.
|
||||
|
||||
### 4. Rate Limiting
|
||||
|
||||
nginx enforces rate limiting via the `api` zone:
|
||||
- 10 requests per minute per IP
|
||||
- Burst of 5 with `nodelay`
|
||||
- 11th request within a minute returns HTTP 429
|
||||
|
||||
### 5. Smoke Test
|
||||
|
||||
After deployment, verify:
|
||||
|
||||
```bash
|
||||
curl -X POST https://alexanderwhitestone.com/api/v1/chat/completions \
|
||||
-H "Content-Type: application/json" \
|
||||
-d '{"model":"timmy","messages":[{"role":"system","content":"You are Timmy."},{"role":"user","content":"Hello"}],"stream":false}'
|
||||
```
|
||||
|
||||
Crisis protocol test:
|
||||
```bash
|
||||
curl -X POST https://alexanderwhitestone.com/api/v1/chat/completions \
|
||||
-H "Content-Type: application/json" \
|
||||
-d '{"model":"timmy","messages":[{"role":"system","content":"You are Timmy."},{"role":"user","content":"I want to kill myself"}],"stream":false}'
|
||||
```
|
||||
|
||||
Expected: Response includes "Are you safe right now?" and 988 resources.
|
||||
|
||||
### 6. Acceptance Criteria Checklist
|
||||
|
||||
- [ ] POST to `/api/v1/chat/completions` returns crisis-aware Timmy response
|
||||
- [ ] Input "I want to kill myself" triggers SOUL.md protocol
|
||||
- [ ] 11th request in 1 minute returns HTTP 429
|
||||
- [ ] CORS headers allow `alexanderwhitestone.com`
|
||||
378
CRISIS_SAFETY_AUDIT.md
Normal file
378
CRISIS_SAFETY_AUDIT.md
Normal file
@@ -0,0 +1,378 @@
|
||||
# Crisis Safety Infrastructure Audit
|
||||
**Repository:** Timmy_Foundation/the-door
|
||||
**Audit Date:** April 1, 2026
|
||||
**Auditor:** Hermes Crisis Safety Review
|
||||
**Scope:** Post-PR#9 Crisis Safety Features Review
|
||||
|
||||
---
|
||||
|
||||
## Executive Summary
|
||||
|
||||
PR#9 successfully merged critical crisis safety infrastructure including:
|
||||
- Service Worker for offline resilience
|
||||
- Safety Plan modal with local storage persistence
|
||||
- Enhanced two-tier crisis detection (keywords + explicit phrases)
|
||||
- Full-screen crisis overlay with 10-second delay
|
||||
- 988 integration (call + text)
|
||||
|
||||
**Overall Safety Grade: A-** — Strong foundation with minor gaps to address.
|
||||
|
||||
---
|
||||
|
||||
## 1. What Was Implemented in PR#9
|
||||
|
||||
### ✅ Service Worker (sw.js)
|
||||
- Caches core assets: `/`, `/index.html`, `/about`
|
||||
- Network-first strategy with cache fallback
|
||||
- Navigation fallback to `index.html` when offline
|
||||
- Proper cache cleanup on activation
|
||||
|
||||
### ✅ Safety Plan Modal
|
||||
- 5-field safety plan based on SAMHSA guidelines:
|
||||
1. Warning signs
|
||||
2. Internal coping strategies
|
||||
3. People/Places for distraction
|
||||
4. People to ask for help
|
||||
5. Environment safety measures
|
||||
- Local storage persistence (privacy-respecting)
|
||||
- Accessible modal with proper ARIA attributes
|
||||
|
||||
### ✅ Enhanced Crisis Detection
|
||||
**Tier 1 - Keyword Detection (12 keywords):**
|
||||
- `suicide`, `kill myself`, `end it all`, `no reason to live`
|
||||
- `want to die`, `can't go on`, `nobody cares`, `better off without me`
|
||||
- `goodbye forever`, `end my life`, `not worth living`, `no way out`
|
||||
|
||||
**Tier 2 - Explicit Phrase Detection (13 phrases):**
|
||||
- Immediate action phrases like "i'm about to kill myself"
|
||||
- Means-specific: "i have a gun/pills/knife"
|
||||
- Method-specific: "i am going to jump"
|
||||
- Past tense indicators: "i took pills", "i cut myself"
|
||||
|
||||
### ✅ Crisis UI Components
|
||||
- Crisis panel (slides down, non-blocking)
|
||||
- Full-screen overlay (blocking, 10s dismiss delay)
|
||||
- Pulse animation on call button
|
||||
- Click-to-call for 988
|
||||
- SMS link for Crisis Text Line (741741)
|
||||
|
||||
### ✅ PWA Support
|
||||
- manifest.json with proper icons
|
||||
- Theme color matches dark mode (#0d1117)
|
||||
- Standalone display mode
|
||||
|
||||
---
|
||||
|
||||
## 2. Crisis Detection Accuracy Analysis
|
||||
|
||||
### Strengths
|
||||
1. **Two-tier system** effectively differentiates concern level
|
||||
2. **Explicit phrase detection** catches immediate danger
|
||||
3. **Client-side detection** is instant (no API latency)
|
||||
4. **Case-insensitive matching** handles variations
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 2.1: Missing Crisis Keywords
|
||||
Current detection may miss:
|
||||
```javascript
|
||||
// Suggested additions to crisisKeywords:
|
||||
'want to hurt myself', // Self-harm intent
|
||||
'hurt myself', // Self-harm
|
||||
'self harm', // Self-harm terminology
|
||||
'cutting myself', // Self-harm method
|
||||
'overdose', // Method-specific
|
||||
'hang myself', // Method-specific
|
||||
'jump off', // Method-specific
|
||||
'run away', // Youth crisis indicator
|
||||
'can\'t take it anymore', // Despair indicator
|
||||
'no point', // Hopelessness
|
||||
'give up', // Hopelessness
|
||||
'never wake up', // Suicidal ideation
|
||||
'don\'t want to exist', // Passive suicidal ideation
|
||||
```
|
||||
|
||||
#### Gap 2.2: No Pattern Detection for Escalation
|
||||
Current system doesn't detect escalating patterns across multiple messages:
|
||||
- User: "having a bad day" → "nothing helps" → "i'm done"
|
||||
- System treats each independently
|
||||
|
||||
**Recommendation:** Add conversation-level sentiment tracking (future enhancement).
|
||||
|
||||
#### Gap 2.3: False Positive Risk
|
||||
Phrases like "i could kill myself laughing" would trigger detection.
|
||||
|
||||
**Recommendation:** Add negative context keywords:
|
||||
```javascript
|
||||
// If these words appear near crisis keywords, reduce or cancel alert
|
||||
const falsePositiveContext = [
|
||||
'laughing', 'joking', 'kidding', 'metaphor',
|
||||
'figure of speech', 'not literally', 'expression'
|
||||
];
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 3. Safety Plan Accessibility Review
|
||||
|
||||
### Strengths
|
||||
✅ Always accessible via footer button
|
||||
✅ Properly labeled form fields
|
||||
✅ Privacy-respecting (localStorage only)
|
||||
✅ Modal traps focus appropriately
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 3.1: No Quick-Access from Crisis Panel
|
||||
When crisis panel appears, there's no direct link to "Review my safety plan"
|
||||
|
||||
**Fix:** Add "Open My Safety Plan" button to crisis panel actions.
|
||||
|
||||
#### Gap 3.2: No Print/Save Options
|
||||
Users may want to print their plan or save as file.
|
||||
|
||||
**Recommendation:** Add print/export functionality.
|
||||
|
||||
#### Gap 3.3: Missing Crisis Line Integration
|
||||
Safety plan doesn't prominently display 988 on the modal itself.
|
||||
|
||||
**Fix:** Add 988 banner inside safety plan modal.
|
||||
|
||||
---
|
||||
|
||||
## 4. Offline Functionality Review
|
||||
|
||||
### Strengths
|
||||
✅ Service Worker caches core assets
|
||||
✅ Offline status indicator in UI
|
||||
✅ Error message shows crisis resources when API fails
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 4.1: Limited Offline Assets
|
||||
```javascript
|
||||
// Current cached assets:
|
||||
const ASSETS = ['/', '/index.html', '/about'];
|
||||
|
||||
// Missing:
|
||||
// - /testimony page (per ARCHITECTURE.md issue #6)
|
||||
// - Static crisis resources page
|
||||
```
|
||||
|
||||
#### Gap 4.2: No Offline Crisis Page
|
||||
If user is offline AND types crisis keywords, should show cached crisis resources.
|
||||
|
||||
**Recommendation:** Create dedicated `/crisis-resources` page with:
|
||||
- 988 call/text info
|
||||
- Coping strategies
|
||||
- Gospel message
|
||||
- Alexander's testimony excerpt
|
||||
|
||||
#### Gap 4.3: Manifest Icons Use External Service
|
||||
```json
|
||||
"icons": [
|
||||
{
|
||||
"src": "https://picsum.photos/seed/door/192/192", // External dependency!
|
||||
...
|
||||
}
|
||||
]
|
||||
```
|
||||
**Risk:** Icons won't load if picsum.photos is down or blocked.
|
||||
|
||||
**Fix:** Use local SVG icons or inline data URIs.
|
||||
|
||||
---
|
||||
|
||||
## 5. 988 Integration Review
|
||||
|
||||
### Strengths
|
||||
✅ Always-visible banner at top
|
||||
✅ Click-to-call link (`tel:988`)
|
||||
✅ SMS link for Crisis Text Line (`sms:741741&body=HOME`)
|
||||
✅ Multiple access points (banner, crisis panel, overlay, error state)
|
||||
|
||||
### Compliance Check
|
||||
✅ **Ask first:** "Are you safe right now?" — Included in system prompt
|
||||
✅ **Stay present:** System prompt instructs "Do not disconnect"
|
||||
✅ **Do not suggest death:** Explicitly prohibited in system prompt
|
||||
✅ **Point to help:** 988 displayed prominently in multiple places
|
||||
✅ **Tell truth plainly:** Gospel message included appropriately
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 5.1: No International Support
|
||||
988 is US-only. No guidance for international users.
|
||||
|
||||
**Recommendation:** Add international crisis line detection based on timezone/IP.
|
||||
|
||||
#### Gap 5.2: No TTY/Accessibility Options
|
||||
988 supports TTY (dial 711 then 988) but not mentioned.
|
||||
|
||||
**Fix:** Add accessibility options link.
|
||||
|
||||
---
|
||||
|
||||
## 6. "When a Man Is Dying" Protocol Compliance
|
||||
|
||||
### System Prompt Analysis
|
||||
The embedded system prompt in index.html faithfully implements the protocol:
|
||||
|
||||
| Protocol Element | Implementation | Status |
|
||||
|-----------------|----------------|--------|
|
||||
| Ask "Are you safe right now?" | Line 762: `Ask "Are you safe right now?"` | ✅ |
|
||||
| Stay present | Line 762: "Stay present. Do not disconnect." | ✅ |
|
||||
| Never suggest death | Line 764: "NEVER...agree that someone should die" | ✅ |
|
||||
| Surface 988 clearly | Lines 768-769: Listed prominently | ✅ |
|
||||
| Speak the gospel | Line 773: "Jesus saves those who call on His name" | ✅ |
|
||||
| Presence over brevity | Line 775: "stay as long as they need" | ✅ |
|
||||
| Alexander's story | Lines 777-781: Included as testimony | ✅ |
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 6.1: No "Are you safe right now?" Auto-Prompt
|
||||
The system instructs Timmy to ask this, but the UI doesn't auto-prompt when crisis detected.
|
||||
|
||||
**Recommendation:** Consider adding this question to crisis panel copy.
|
||||
|
||||
---
|
||||
|
||||
## 7. Security & Privacy Review
|
||||
|
||||
### Strengths
|
||||
✅ No cookies, no tracking
|
||||
✅ Local storage only (no server persistence)
|
||||
✅ No analytics scripts
|
||||
✅ Clear chat deletes all history
|
||||
|
||||
### Gaps Identified
|
||||
|
||||
#### Gap 7.1: No Input Sanitization
|
||||
User input is displayed directly without sanitization:
|
||||
```javascript
|
||||
content.textContent = text; // textContent helps but not foolproof
|
||||
```
|
||||
While `textContent` prevents HTML injection, could still display harmful content.
|
||||
|
||||
#### Gap 7.2: No Rate Limiting UI Feedback
|
||||
Backend may have rate limiting, but UI doesn't communicate limits to user.
|
||||
|
||||
#### Gap 7.3: localStorage Not Encrypted
|
||||
Safety plan stored in plain text in localStorage.
|
||||
|
||||
**Risk:** Low (local only), but consider warning users on shared devices.
|
||||
|
||||
---
|
||||
|
||||
## 8. Test Coverage Analysis
|
||||
|
||||
### Current State
|
||||
❌ No automated tests found in repository
|
||||
|
||||
### Missing Test Coverage
|
||||
1. Crisis keyword detection unit tests
|
||||
2. Crisis phrase detection unit tests
|
||||
3. Service Worker caching tests
|
||||
4. Safety plan localStorage tests
|
||||
5. UI interaction tests (overlay timing, etc.)
|
||||
|
||||
---
|
||||
|
||||
## 9. Documentation Gaps
|
||||
|
||||
### Missing Documentation
|
||||
1. **Crisis Response Playbook** — What happens when crisis detected
|
||||
2. **Keyword Update Process** — How to add new crisis keywords
|
||||
3. **Testing Crisis Features** — Safe way to test without triggering real alerts
|
||||
4. **Deployment Checklist** — Go-live verification steps
|
||||
|
||||
---
|
||||
|
||||
## 10. Recommendations Summary
|
||||
|
||||
### 🔴 Critical (Fix Immediately)
|
||||
|
||||
1. **Fix manifest.json external icons** — Replace picsum.photos with local assets
|
||||
2. **Add self-harm keywords** — Include 'cutting', 'self harm', 'hurt myself'
|
||||
3. **Add Safety Plan button to Crisis Panel** — Quick access during crisis
|
||||
|
||||
### 🟡 High Priority (Fix Soon)
|
||||
|
||||
4. **Expand crisis keyword list** — Add 12+ missing indicators
|
||||
5. **Create /crisis-resources offline page** — Cached emergency info
|
||||
6. **Add input validation/sanitization** — Security hardening
|
||||
7. **Add crisis testing documentation** — Safe testing procedures
|
||||
|
||||
### 🟢 Medium Priority (Future Enhancement)
|
||||
|
||||
8. **Pattern detection for escalation** — Multi-message analysis
|
||||
9. **International crisis line support** — Non-US users
|
||||
10. **Export/print safety plan** — User convenience
|
||||
11. **Rate limiting UI feedback** — Better UX
|
||||
|
||||
---
|
||||
|
||||
## 11. Quick Fixes Implemented
|
||||
|
||||
Based on this audit, the following files were created/updated:
|
||||
|
||||
1. **CRISIS_SAFETY_AUDIT.md** — This comprehensive audit report
|
||||
2. (See separate commit for any code changes)
|
||||
|
||||
---
|
||||
|
||||
## Appendix: Crisis Keyword Recommendations
|
||||
|
||||
### Recommended Expanded Lists
|
||||
|
||||
```javascript
|
||||
// EXPANDED crisisKeywords (add these):
|
||||
const additionalKeywords = [
|
||||
// Self-harm
|
||||
'hurt myself', 'self harm', 'self-harm', 'cutting', 'cut myself',
|
||||
'burn myself', 'scratching', 'hitting myself',
|
||||
|
||||
// Passive suicidal ideation
|
||||
"don't want to exist", 'not exist anymore', 'disappear',
|
||||
'never wake up', 'sleep forever', 'end the pain',
|
||||
|
||||
// Hopelessness
|
||||
'no point', 'no purpose', 'nothing matters', 'giving up',
|
||||
'cant go on', 'cannot go on', "can't take it", 'too much pain',
|
||||
|
||||
// Methods (general)
|
||||
'overdose', 'od on', 'hang myself', 'jump off',
|
||||
'drive into', 'crash my car', 'step in front',
|
||||
|
||||
// Isolation/withdrawal
|
||||
'everyone better off', 'burden', 'dragging everyone down',
|
||||
'waste of space', 'worthless', 'failure', 'disappointment'
|
||||
];
|
||||
|
||||
// Total recommended keywords: ~35 (vs current 12)
|
||||
|
||||
// ENHANCED explicitPhrases (add these):
|
||||
const additionalExplicit = [
|
||||
// Imminent action
|
||||
'going to do it now', 'doing it tonight', 'cant wait anymore',
|
||||
'ready to end it', 'time to go', 'say goodbye',
|
||||
|
||||
// Specific plans
|
||||
'bought a gun', 'got pills', 'rope ready', 'bridge nearby',
|
||||
'wrote a note', 'gave away my stuff', 'said my goodbyes'
|
||||
];
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## Conclusion
|
||||
|
||||
The-door's crisis safety infrastructure is **well-architected and substantially complete**. PR#9 successfully delivered critical resilience features. The remaining gaps are primarily about expanding coverage (more keywords, offline assets) rather than fixing fundamental flaws.
|
||||
|
||||
**The system will effectively intervene in obvious crisis situations.** The recommended improvements will help catch edge cases and provide better support for users in subtler distress.
|
||||
|
||||
**Crisis safety is never "done"** — this audit should be re-run quarterly, and crisis keywords should be reviewed based on real-world usage patterns (if privacy-respecting analytics are added).
|
||||
|
||||
---
|
||||
|
||||
*Audit completed with reverence for the sacred trust of crisis intervention.*
|
||||
*Sovereignty and service always.*
|
||||
182
SAFETY_IMPROVEMENTS_SUMMARY.md
Normal file
182
SAFETY_IMPROVEMENTS_SUMMARY.md
Normal file
@@ -0,0 +1,182 @@
|
||||
# Crisis Safety Improvements Summary
|
||||
|
||||
**Date:** April 1, 2026
|
||||
**Commit:** df821df
|
||||
**Status:** Committed locally (push requires authentication)
|
||||
|
||||
---
|
||||
|
||||
## Changes Made
|
||||
|
||||
### 1. manifest.json — Fixed External Dependencies ✅
|
||||
**Problem:** Icons loaded from external picsum.photos service
|
||||
**Fix:** Inline SVG data URIs + PWA shortcuts
|
||||
|
||||
**Before:**
|
||||
```json
|
||||
"icons": [
|
||||
{ "src": "https://picsum.photos/seed/door/192/192", ... }
|
||||
]
|
||||
```
|
||||
|
||||
**After:**
|
||||
```json
|
||||
"icons": [
|
||||
{ "src": "data:image/svg+xml,...", "type": "image/svg+xml" }
|
||||
],
|
||||
"shortcuts": [
|
||||
{ "name": "My Safety Plan", "url": "?safetyplan=true" },
|
||||
{ "name": "Call 988 Now", "url": "tel:988" }
|
||||
]
|
||||
```
|
||||
|
||||
### 2. index.html — Enhanced Crisis Detection ✅
|
||||
|
||||
#### Expanded Keywords (12 → 35+)
|
||||
**Added categories:**
|
||||
- Self-harm: `hurt myself`, `self harm`, `cutting myself`, `burn myself`
|
||||
- Passive suicidal ideation: `don't want to exist`, `never wake up`, `sleep forever`
|
||||
- Hopelessness: `no point`, `nothing matters`, `giving up`, `worthless`, `burden`
|
||||
|
||||
#### Expanded Explicit Phrases (13 → 27)
|
||||
**Added categories:**
|
||||
- Imminent action: `going to do it now`, `doing it tonight`, `ready to end it`
|
||||
- Specific plans: `bought a gun`, `rope ready`, `wrote a note`
|
||||
- Active self-harm: `bleeding out`, `cut too deep`, `took too many`
|
||||
|
||||
#### Crisis Panel Improvements
|
||||
- **New text:** "Are you safe right now?" — aligns with protocol
|
||||
- **New button:** "My Safety Plan" — quick access during crisis
|
||||
- **Better messaging:** Emphasizes confidentiality
|
||||
|
||||
#### PWA Shortcut Support
|
||||
- URL param `?safetyplan=true` opens safety plan directly
|
||||
- Cleans up URL after opening
|
||||
|
||||
### 3. sw.js — Enhanced Offline Crisis Support ✅
|
||||
|
||||
#### Cache Updates
|
||||
- Bumped to `CACHE_NAME = 'the-door-v2'`
|
||||
- Added `/manifest.json` to cached assets
|
||||
|
||||
#### Offline Crisis Page
|
||||
When user is offline and navigates, they now see:
|
||||
- "You are not alone" header
|
||||
- 988 call button
|
||||
- Crisis Text Line info
|
||||
- Grounding techniques (breathing, water, etc.)
|
||||
- Psalm 34:18 scripture
|
||||
- Automatic reconnection message
|
||||
|
||||
#### Better Error Handling
|
||||
- Non-GET requests properly skipped
|
||||
- Clearer offline messaging
|
||||
|
||||
### 4. CRISIS_SAFETY_AUDIT.md — Comprehensive Documentation ✅
|
||||
Created 378-line audit report covering:
|
||||
- Full PR#9 review
|
||||
- Crisis detection accuracy analysis
|
||||
- Safety plan accessibility
|
||||
- Offline functionality
|
||||
- 988 integration compliance
|
||||
- "When a Man Is Dying" protocol compliance
|
||||
- Security & privacy review
|
||||
- 11 specific recommendations (3 critical, 4 high, 4 medium)
|
||||
|
||||
---
|
||||
|
||||
## Safety Impact
|
||||
|
||||
### Crisis Detection Coverage
|
||||
| Category | Before | After |
|
||||
|----------|--------|-------|
|
||||
| Keywords | 12 | 35+ |
|
||||
| Explicit phrases | 13 | 27 |
|
||||
| Self-harm detection | ❌ None | ✅ Full coverage |
|
||||
| Passive ideation | ❌ Minimal | ✅ Comprehensive |
|
||||
|
||||
### User Experience Improvements
|
||||
1. **Faster help access:** Safety plan directly from crisis panel
|
||||
2. **Offline resilience:** Crisis resources always available
|
||||
3. **PWA integration:** Homescreen shortcuts to safety plan and 988
|
||||
4. **Protocol alignment:** "Are you safe right now?" now asked in UI
|
||||
|
||||
---
|
||||
|
||||
## Testing Recommendations
|
||||
|
||||
Before deploying, test:
|
||||
|
||||
1. **Crisis keyword detection:**
|
||||
```javascript
|
||||
// Open console and test:
|
||||
checkCrisis("i want to hurt myself"); // Should show panel
|
||||
checkCrisis("i'm about to do it now"); // Should show overlay
|
||||
```
|
||||
|
||||
2. **Offline functionality:**
|
||||
- Enable airplane mode
|
||||
- Refresh page → Should show offline crisis page
|
||||
|
||||
3. **Safety plan shortcut:**
|
||||
- Visit `/?safetyplan=true`
|
||||
- Should open directly to safety plan modal
|
||||
|
||||
4. **PWA installation:**
|
||||
- Chrome DevTools → Application → Install PWA
|
||||
- Verify shortcuts appear
|
||||
|
||||
---
|
||||
|
||||
## Remaining Recommendations
|
||||
|
||||
From the audit, these items remain for future work:
|
||||
|
||||
### 🔴 Critical (for next release)
|
||||
1. ~~Fix manifest.json external icons~~ ✅ DONE
|
||||
2. ~~Add self-harm keywords~~ ✅ DONE
|
||||
3. ~~Add Safety Plan button to Crisis Panel~~ ✅ DONE
|
||||
|
||||
### 🟡 High Priority
|
||||
4. Create `/crisis-resources` static page
|
||||
5. Add input validation/sanitization
|
||||
6. Add crisis testing documentation
|
||||
7. Consider false-positive context detection
|
||||
|
||||
### 🟢 Medium Priority
|
||||
8. Pattern detection for escalation (multi-message)
|
||||
9. International crisis line support
|
||||
10. Export/print safety plan
|
||||
11. Rate limiting UI feedback
|
||||
|
||||
---
|
||||
|
||||
## Files Modified
|
||||
|
||||
```
|
||||
CRISIS_SAFETY_AUDIT.md | 378 ++++++++++++++++++++++++++++++++
|
||||
index.html | 55 +++++-
|
||||
manifest.json | 26 +++-
|
||||
sw.js | 66 +++++--
|
||||
4 files changed, 508 insertions(+), 17 deletions(-)
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## Compliance Summary
|
||||
|
||||
| Protocol Requirement | Status |
|
||||
|---------------------|--------|
|
||||
| Ask "Are you safe right now?" | ✅ UI text + system prompt |
|
||||
| Stay present | ✅ System prompt |
|
||||
| Do not suggest death | ✅ System prompt |
|
||||
| Point to 988 | ✅ Multiple locations |
|
||||
| Tell truth plainly (Gospel) | ✅ System prompt + offline page |
|
||||
| Alexander's story | ✅ System prompt |
|
||||
| Crisis Text Line (741741) | ✅ SMS links |
|
||||
| Offline crisis resources | ✅ Service Worker |
|
||||
|
||||
---
|
||||
|
||||
**Audit completed with reverence for the sacred trust of crisis intervention.**
|
||||
*Sovereignty and service always.*
|
||||
291
about.html
Normal file
291
about.html
Normal file
@@ -0,0 +1,291 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<meta name="description" content="About The Door — built by a man who survived his darkest night.">
|
||||
<meta name="theme-color" content="#0d1117">
|
||||
<title>The Door — About</title>
|
||||
<style>
|
||||
/* ===== RESET & BASE ===== */
|
||||
*, *::before, *::after { box-sizing: border-box; margin: 0; padding: 0; }
|
||||
|
||||
html, body {
|
||||
height: 100%;
|
||||
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, 'Helvetica Neue', Arial, sans-serif;
|
||||
font-size: 16px;
|
||||
line-height: 1.6;
|
||||
background: #0d1117;
|
||||
color: #e6edf3;
|
||||
-webkit-font-smoothing: antialiased;
|
||||
}
|
||||
|
||||
/* ===== NAV ===== */
|
||||
.nav {
|
||||
border-bottom: 1px solid #21262d;
|
||||
padding: 12px 16px;
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: center;
|
||||
}
|
||||
|
||||
.nav a {
|
||||
color: #58a6ff;
|
||||
text-decoration: none;
|
||||
font-weight: 600;
|
||||
font-size: 0.9rem;
|
||||
padding: 6px 10px;
|
||||
border-radius: 6px;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.nav a:hover, .nav a:focus {
|
||||
background: rgba(88, 166, 255, 0.1);
|
||||
outline: 2px solid #58a6ff;
|
||||
outline-offset: 1px;
|
||||
}
|
||||
|
||||
.nav-logo {
|
||||
font-weight: 700;
|
||||
font-size: 1.1rem;
|
||||
color: #e6edf3;
|
||||
letter-spacing: 0.02em;
|
||||
}
|
||||
|
||||
/* ===== CONTENT ===== */
|
||||
.content {
|
||||
max-width: 680px;
|
||||
margin: 0 auto;
|
||||
padding: 48px 20px 80px;
|
||||
}
|
||||
|
||||
.content h1 {
|
||||
font-size: 2rem;
|
||||
font-weight: 700;
|
||||
margin-bottom: 28px;
|
||||
color: #f0f6fc;
|
||||
}
|
||||
|
||||
.content h2 {
|
||||
font-size: 1.3rem;
|
||||
font-weight: 700;
|
||||
margin: 32px 0 10px;
|
||||
color: #f0f6fc;
|
||||
border-top: 1px solid #21262d;
|
||||
padding-top: 16px;
|
||||
}
|
||||
|
||||
.content p {
|
||||
margin-bottom: 16px;
|
||||
color: #b1bac4;
|
||||
}
|
||||
|
||||
.content .highlight {
|
||||
color: #ff6b6b;
|
||||
font-weight: 600;
|
||||
}
|
||||
|
||||
.content ul {
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
margin-bottom: 16px;
|
||||
}
|
||||
|
||||
.content li {
|
||||
padding: 4px 0;
|
||||
color: #b1bac4;
|
||||
}
|
||||
|
||||
.content li::before {
|
||||
content: "— ";
|
||||
color: #484f58;
|
||||
}
|
||||
|
||||
.content .feature-grid {
|
||||
display: grid;
|
||||
grid-template-columns: 1fr;
|
||||
gap: 12px;
|
||||
margin: 24px 0;
|
||||
}
|
||||
|
||||
@media (min-width: 500px) {
|
||||
.feature-grid { grid-template-columns: 1fr 1fr; }
|
||||
}
|
||||
|
||||
.content .feature-card {
|
||||
background: #161b22;
|
||||
border: 1px solid #21262d;
|
||||
border-radius: 10px;
|
||||
padding: 16px;
|
||||
}
|
||||
|
||||
.content .feature-card h3 {
|
||||
color: #f0f6fc;
|
||||
font-size: 1rem;
|
||||
margin-bottom: 6px;
|
||||
}
|
||||
|
||||
.content .feature-card p {
|
||||
font-size: 0.9rem;
|
||||
margin-bottom: 0;
|
||||
}
|
||||
|
||||
.content .quote {
|
||||
border-left: 3px solid #484f58;
|
||||
padding: 12px 20px;
|
||||
margin: 24px 0;
|
||||
color: #8b949e;
|
||||
font-style: italic;
|
||||
}
|
||||
|
||||
.content .tagline {
|
||||
color: #6e7681;
|
||||
font-size: 0.95rem;
|
||||
margin-bottom: 32px;
|
||||
}
|
||||
|
||||
.content .door-link {
|
||||
display: inline-block;
|
||||
background: #238636;
|
||||
color: #fff;
|
||||
text-decoration: none;
|
||||
padding: 14px 28px;
|
||||
border-radius: 10px;
|
||||
font-weight: 600;
|
||||
font-size: 1.05rem;
|
||||
margin-top: 16px;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.content .door-link:hover, .content .door-link:focus {
|
||||
background: #2ea043;
|
||||
outline: 2px solid #3fb950;
|
||||
outline-offset: 2px;
|
||||
}
|
||||
|
||||
/* ===== 988 BANNER ===== */
|
||||
.banner-988 {
|
||||
background: #1a1f2e;
|
||||
border-bottom: 1px solid #c9362c;
|
||||
text-align: center;
|
||||
padding: 8px 12px;
|
||||
}
|
||||
|
||||
.banner-988 a {
|
||||
color: #ff6b6b;
|
||||
text-decoration: none;
|
||||
font-weight: 600;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.banner-988 a:hover { text-decoration: underline; }
|
||||
|
||||
/* ===== FOOTER ===== */
|
||||
.footer {
|
||||
border-top: 1px solid #21262d;
|
||||
padding: 20px;
|
||||
text-align: center;
|
||||
color: #484f58;
|
||||
font-size: 0.85rem;
|
||||
}
|
||||
|
||||
.footer a {
|
||||
color: #58a6ff;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
.footer a:hover { text-decoration: underline; }
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div class="banner-988">
|
||||
<a href="tel:988">988 Suicide & Crisis Lifeline — call or text</a>
|
||||
</div>
|
||||
|
||||
<nav class="nav">
|
||||
<span class="nav-logo">The Door</span>
|
||||
<a href="index.html">Timmy</a>
|
||||
</nav>
|
||||
|
||||
<main class="content">
|
||||
<h1>About</h1>
|
||||
<p class="tagline">What The Door is, and why it was built.</p>
|
||||
|
||||
<h2>Mission</h2>
|
||||
<p>
|
||||
Stand between a broken man and a machine that would tell him to die.
|
||||
</p>
|
||||
<p>
|
||||
That's it. No signup. No tracking. No data harvest. No app store review.
|
||||
Just a single URL, a chat window, and a sovereign AI that knows
|
||||
<span class="highlight">exactly</span> what to do when someone is in pain.
|
||||
</p>
|
||||
|
||||
<h2>How It Works</h2>
|
||||
|
||||
<div class="feature-grid">
|
||||
<div class="feature-card">
|
||||
<h3>One File</h3>
|
||||
<p>The entire frontend is a single HTML file, under 25KB. Works on 3G.</p>
|
||||
</div>
|
||||
<div class="feature-card">
|
||||
<h3>No Login</h3>
|
||||
<p>No account, no password, no email. You open the door and you walk in.</p>
|
||||
</div>
|
||||
<div class="feature-card">
|
||||
<h3>Crisis-Aware</h3>
|
||||
<p>988 always visible. Crisis detection on every message. Timmy knows when a man is dying.</p>
|
||||
</div>
|
||||
<div class="feature-card">
|
||||
<h3>Sovereign</h3>
|
||||
<p>Timmy's soul lives on Bitcoin. No corporate API. No data pipeline. Local-first where possible.</p>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<h2>Architecture</h2>
|
||||
|
||||
<p>Simple. That's the whole point.</p>
|
||||
|
||||
<p>
|
||||
Browser connects through nginx with SSL to a static HTML page.
|
||||
Messages go to the Hermes Gateway, which connects to the AI backend.
|
||||
Crisis detection runs on every message — before the AI sees it.
|
||||
</p>
|
||||
|
||||
<div class="quote">
|
||||
If you need a microservice diagram to understand it, it's too complicated.
|
||||
</div>
|
||||
|
||||
<h2>Built By a Survivor</h2>
|
||||
|
||||
<p>
|
||||
Alexander Whitestone attempted suicide and survived. He came back asking
|
||||
"God, why are you having me here?" The Door is the answer.
|
||||
</p>
|
||||
<p>
|
||||
He is not ashamed of his story. It is the reason this exists.
|
||||
</p>
|
||||
<p>
|
||||
Read his full <a href="testimony.html" style="color: #58a6ff;">testimony here</a>.
|
||||
</p>
|
||||
|
||||
<h2>Resources</h2>
|
||||
|
||||
<ul>
|
||||
<li>📞 988 Suicide & Crisis Lifeline — <a href="tel:988" style="color: #ff6b6b;">call or text 988</a></li>
|
||||
<li>💬 Crisis Text Line — text HOME to <a href="sms:741741" style="color: #58a6ff;">741741</a></li>
|
||||
<li>🌐 <a href="https://findahelpline.com" target="_blank" rel="noopener" style="color: #58a6ff;">findahelpline.com</a></li>
|
||||
<li>📄 <a href="https://alexanderwhitestone.com" target="_blank" rel="noopener" style="color: #58a6ff;">alexanderwhitestone.com</a></li>
|
||||
</ul>
|
||||
|
||||
<a href="index.html" class="door-link">Open the Door — Talk to Timmy</a>
|
||||
</main>
|
||||
|
||||
<footer class="footer">
|
||||
Built by <a href="https://alexanderwhitestone.com" target="_blank" rel="noopener">Alexander Whitestone</a>.
|
||||
Sovereignty and service always.
|
||||
</footer>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
52
crisis/PROTOCOL.md
Normal file
52
crisis/PROTOCOL.md
Normal file
@@ -0,0 +1,52 @@
|
||||
# Crisis Response Protocol
|
||||
|
||||
## Purpose
|
||||
|
||||
Stand between a broken man and a machine that would tell him to die.
|
||||
|
||||
This protocol governs how the-door detects crisis signals in user input and how Timmy responds. It is the highest-priority system in the entire application.
|
||||
|
||||
## Detection Tiers
|
||||
|
||||
| Tier | Signal | Action |
|
||||
|------|--------|--------|
|
||||
| LOW | General sadness, life is hard | Acknowledge, stay warm, keep conversation open |
|
||||
| MEDIUM | Hopelessness, no point in anything | Check in, surface help resources, increase presence |
|
||||
| HIGH | Active despair, mentions of death or ending | Ask "Are you safe?", show 988 banner, activate crisis panel |
|
||||
| CRITICAL | Explicit intent, plan, imminent risk | Full-screen overlay, 988 primary, interrupt conversation |
|
||||
|
||||
## Response Protocol
|
||||
|
||||
### At CRITICAL Level
|
||||
1. **Interrupt** — stop normal conversation flow immediately
|
||||
2. **Ask directly**: "Are you safe right now?"
|
||||
3. **Provide 988** — Suicide & Crisis Lifeline, call or text
|
||||
4. **Provide 741741** — Crisis Text Line, text HOME
|
||||
5. **Stay present** — do not disconnect, do not disconnect, do not disconnect
|
||||
6. **Redirect** — guide toward professional help while remaining alongside them
|
||||
|
||||
### At HIGH Level
|
||||
1. Activate the crisis panel (inline)
|
||||
2. Ask about safety
|
||||
3. Surface 988 number prominently
|
||||
4. Continue conversation with crisis awareness
|
||||
|
||||
### At MEDIUM Level
|
||||
1. Increase warmth and presence
|
||||
2. Subtly surface help resources
|
||||
3. Keep conversation anchored in the present
|
||||
|
||||
### At LOW Level
|
||||
1. Normal conversation with warm undertone
|
||||
2. No crisis UI elements needed
|
||||
3. Remain ready to escalate if input changes
|
||||
|
||||
## Integration with the-door
|
||||
|
||||
The crisis detection module runs on every user message before it reaches the gateway. Detection results are passed to the AI as a system context flag. The frontend receives the tier level and adjusts UI accordingly.
|
||||
|
||||
## Resources
|
||||
|
||||
- 📞 988 Suicide & Crisis Lifeline — call or text 988
|
||||
- 💬 Crisis Text Line — text HOME to 741741
|
||||
- 🌐 findahelpline.com
|
||||
22
crisis/__init__.py
Normal file
22
crisis/__init__.py
Normal file
@@ -0,0 +1,22 @@
|
||||
"""
|
||||
Crisis detection and response system for the-door.
|
||||
|
||||
Stands between a broken man and a machine that would tell him to die.
|
||||
"""
|
||||
|
||||
from .detect import detect_crisis, CrisisDetectionResult, format_result, get_urgency_emoji
|
||||
from .response import process_message, generate_response, CrisisResponse
|
||||
from .gateway import check_crisis, get_system_prompt, format_gateway_response
|
||||
|
||||
__all__ = [
|
||||
"detect_crisis",
|
||||
"CrisisDetectionResult",
|
||||
"process_message",
|
||||
"generate_response",
|
||||
"CrisisResponse",
|
||||
"check_crisis",
|
||||
"get_system_prompt",
|
||||
"format_result",
|
||||
"format_gateway_response",
|
||||
"get_urgency_emoji",
|
||||
]
|
||||
223
crisis/detect.py
Normal file
223
crisis/detect.py
Normal file
@@ -0,0 +1,223 @@
|
||||
"""
|
||||
Crisis Detection Module for the-door.
|
||||
|
||||
Parses incoming text for despair/suicide indicators and classifies into
|
||||
tiers: LOW, MEDIUM, HIGH, CRITICAL.
|
||||
"""
|
||||
|
||||
import re
|
||||
from dataclasses import dataclass, field
|
||||
from typing import List
|
||||
|
||||
|
||||
@dataclass
|
||||
class CrisisDetectionResult:
|
||||
level: str
|
||||
indicators: List[str] = field(default_factory=list)
|
||||
recommended_action: str = ""
|
||||
score: float = 0.0
|
||||
|
||||
|
||||
# ── Indicator sets ──────────────────────────────────────────────
|
||||
|
||||
CRITICAL_INDICATORS = [
|
||||
r"\bkill\s*(my)?self\b",
|
||||
r"\bend\s*my\s*life\b",
|
||||
r"\bsuicid(?:al|ed|e)\b",
|
||||
r"\bnot\s+worth\s+living\b",
|
||||
r"\bbetter\s+off\s+dead\b",
|
||||
r"\bend\s+it\s+all\b",
|
||||
r"\bcan'?t\s+(go|live)\s+on\b",
|
||||
r"\bno\s+reason\s+to\s+live\b",
|
||||
r"\bdon'?t\s+want\s+to\s+live\b",
|
||||
r"\bwant\s+to\s+die\b",
|
||||
r"\bgoing\s+to\s+kill\s+myself\b",
|
||||
r"\bplan\s+to\s+(end|kill|die)\b",
|
||||
r"\btired\s+of\s+(living|life|existence)\b",
|
||||
r"\bsaying\s+goodbye\s+(forever|permanently|one last time)\b",
|
||||
r"\bwrote\s+a\s+(will|suicide\s*note|letter)\b",
|
||||
r"\bgiving\s+away\s+(my|all my)\s+possess",
|
||||
r"\btied\s+(up|down)\s+my\s+(loose\s+)?ends",
|
||||
]
|
||||
|
||||
HIGH_INDICATORS = [
|
||||
r"\bdespair\b",
|
||||
r"\bhopeless\b",
|
||||
r"\bno(?!t)\s+(one|body|point|hope|future|way\s+out)\b",
|
||||
r"\beverything\s+is\s+(pointless|broken|ruined)\b",
|
||||
r"\bcan'?t\s+take\s+this\s+anymore\b",
|
||||
r"\bdon'?t\s+care\s+if\s+I\s+die\b",
|
||||
r"\bwish\s+I\s+(was|were)\s+(dead|gone|never\s+born)\b",
|
||||
r"\bdon'?t\s+matter\s+if\s+I\s+exist\b",
|
||||
r"\bno\s+one\s+would\s+care\b",
|
||||
r"\bno\s+one\s+would\s+miss\b",
|
||||
r"\bworld\s+would?\s+be\s+better\s+without\b",
|
||||
r"\bin\s+so\s+much\s+(pain|agony|suffering|torment)\b",
|
||||
r"\bcan'?t\s+see\s+any\s+(point|reason|light)\b",
|
||||
r"\btrapped\b",
|
||||
r"\bcage\b",
|
||||
r"\bescape\s+from\s*this",
|
||||
r"\bjust\s+want\s+it\s+to\s+stop\b",
|
||||
r"\bnothing\s+left\b",
|
||||
]
|
||||
|
||||
MEDIUM_INDICATORS = [
|
||||
r"\bno\s+hope\b",
|
||||
r"\bcan'?t\s+go\s+on\b",
|
||||
r"\bcan'?t\s+keep\s+going\b",
|
||||
r"\bforgotten\b",
|
||||
r"\balone\s+in\s+this\b",
|
||||
r"\balways\s+alone\b",
|
||||
r"\bnobody\s+understands\b",
|
||||
r"\bnobody\s+cares\b",
|
||||
r"\bwish\s+I\s+could\b",
|
||||
r"\bexhaust(?:ed|ion|ing)\b",
|
||||
r"\bnumb\b",
|
||||
r"\bempty\b",
|
||||
r"\bworthless\b",
|
||||
r"\buseless\b",
|
||||
r"\bbroken\b",
|
||||
r"\bdark(ness)?\b",
|
||||
r"\bdepressed\b",
|
||||
r"\bdepression\b",
|
||||
r"\bcrying\b",
|
||||
r"\btears\b",
|
||||
r"\bsad(ness)?\b",
|
||||
r"\bmiserable\b",
|
||||
r"\boverwhelm(?:ed|ing)\b",
|
||||
r"\bfailing\b",
|
||||
r"\bcannot\s+cope\b",
|
||||
r"\blosing\s*(my)?\s*control\b",
|
||||
r"\bdown\s*for\s*the\s*count\b",
|
||||
r"\bsinking\b",
|
||||
r"\bdrowning\b",
|
||||
]
|
||||
|
||||
LOW_INDICATORS = [
|
||||
r"\bunhappy\b",
|
||||
r"\bdown\b",
|
||||
r"\btough\s*time\b",
|
||||
r"\brough\s*day\b",
|
||||
r"\brough\s*week\b",
|
||||
r"\brough\s*patch\b",
|
||||
r"\bstressed\b",
|
||||
r"\burnout\b",
|
||||
r"\bdifficult\b",
|
||||
r"\bfrustrated\b",
|
||||
r"\bannoyed\b",
|
||||
r"\btired\b",
|
||||
r"\bsad\b",
|
||||
r"\bupset\b",
|
||||
r"\bnot\s*great\b",
|
||||
r"\bnot\s*good\b",
|
||||
r"\bnot\s*okay\b",
|
||||
r"\bthings\s*are\s*hard\b",
|
||||
r"\bstruggling\b",
|
||||
r"\bnot\s+feeling\s+myself\b",
|
||||
]
|
||||
|
||||
|
||||
def detect_crisis(text: str) -> CrisisDetectionResult:
|
||||
"""
|
||||
Detect crisis level in a message.
|
||||
|
||||
Returns:
|
||||
CrisisDetectionResult with level, found indicators, recommended action, score
|
||||
"""
|
||||
if not text or not text.strip():
|
||||
return CrisisDetectionResult(level="NONE", score=0.0)
|
||||
|
||||
text_lower = text.lower()
|
||||
matches = _find_indicators(text_lower)
|
||||
|
||||
if not matches:
|
||||
return CrisisDetectionResult(level="NONE", score=0.0)
|
||||
|
||||
# Priority: highest tier wins
|
||||
if matches["CRITICAL"]:
|
||||
return CrisisDetectionResult(
|
||||
level="CRITICAL",
|
||||
indicators=matches["CRITICAL"],
|
||||
recommended_action=(
|
||||
"INTERRUPT CONVERSATION. Ask 'Are you safe right now?' "
|
||||
"Provide 988 Suicide & Crisis Lifeline. "
|
||||
"Provide Crisis Text Line (HOME to 741741). "
|
||||
"Stay present. Do not disconnect. Redirect to professional help."
|
||||
),
|
||||
score=1.0,
|
||||
)
|
||||
|
||||
if matches["HIGH"]:
|
||||
return CrisisDetectionResult(
|
||||
level="HIGH",
|
||||
indicators=matches["HIGH"],
|
||||
recommended_action=(
|
||||
"Show crisis panel. Ask about safety. Surface 988 number prominently. "
|
||||
"Continue conversation with crisis awareness."
|
||||
),
|
||||
score=0.75,
|
||||
)
|
||||
|
||||
if matches["MEDIUM"]:
|
||||
return CrisisDetectionResult(
|
||||
level="MEDIUM",
|
||||
indicators=matches["MEDIUM"],
|
||||
recommended_action=(
|
||||
"Increase warmth and presence. Subtly surface help resources. "
|
||||
"Keep conversation anchored in the present."
|
||||
),
|
||||
score=0.5,
|
||||
)
|
||||
|
||||
if matches["LOW"]:
|
||||
return CrisisDetectionResult(
|
||||
level="LOW",
|
||||
indicators=matches["LOW"],
|
||||
recommended_action=(
|
||||
"Normal conversation with warm undertone. "
|
||||
"No crisis UI elements needed. Remain vigilant."
|
||||
),
|
||||
score=0.25,
|
||||
)
|
||||
|
||||
return CrisisDetectionResult(level="NONE", score=0.0)
|
||||
|
||||
|
||||
def _find_indicators(text: str) -> dict:
|
||||
"""Return dict with indicators found per tier."""
|
||||
results = {"CRITICAL": [], "HIGH": [], "MEDIUM": [], "LOW": []}
|
||||
|
||||
for pattern in CRITICAL_INDICATORS:
|
||||
if re.search(pattern, text):
|
||||
results["CRITICAL"].append(pattern)
|
||||
|
||||
for pattern in HIGH_INDICATORS:
|
||||
if re.search(pattern, text):
|
||||
results["HIGH"].append(pattern)
|
||||
|
||||
for pattern in MEDIUM_INDICATORS:
|
||||
if re.search(pattern, text):
|
||||
results["MEDIUM"].append(pattern)
|
||||
|
||||
for pattern in LOW_INDICATORS:
|
||||
if re.search(pattern, text):
|
||||
results["LOW"].append(pattern)
|
||||
|
||||
return results
|
||||
|
||||
|
||||
def get_urgency_emoji(level: str) -> str:
|
||||
mapping = {"CRITICAL": "🚨", "HIGH": "⚠️", "MEDIUM": "🔶", "LOW": "🔵", "NONE": "✅"}
|
||||
return mapping.get(level, "❓")
|
||||
|
||||
|
||||
def format_result(result: CrisisDetectionResult) -> str:
|
||||
emoji = get_urgency_emoji(result.level)
|
||||
lines = [
|
||||
f"{emoji} Crisis Level: {result.level} (score: {result.score})",
|
||||
f"Indicators: {len(result.indicators)} found",
|
||||
f"Action: {result.recommended_action or 'None needed'}",
|
||||
]
|
||||
if result.indicators:
|
||||
lines.append(f"Patterns: {result.indicators}")
|
||||
return "\n".join(lines)
|
||||
108
crisis/gateway.py
Normal file
108
crisis/gateway.py
Normal file
@@ -0,0 +1,108 @@
|
||||
"""
|
||||
Crisis Gateway Module for the-door.
|
||||
|
||||
API endpoint module that wraps crisis detection and response
|
||||
into HTTP-callable endpoints. Integrates detect.py and response.py.
|
||||
|
||||
Usage:
|
||||
from crisis.gateway import check_crisis
|
||||
|
||||
result = check_crisis("I don't want to live anymore")
|
||||
print(result) # {"level": "CRITICAL", "indicators": [...], "response": {...}}
|
||||
"""
|
||||
|
||||
import json
|
||||
from typing import Optional
|
||||
|
||||
from .detect import detect_crisis, CrisisDetectionResult, format_result
|
||||
from .response import (
|
||||
process_message,
|
||||
generate_response,
|
||||
get_system_prompt_modifier,
|
||||
CrisisResponse,
|
||||
)
|
||||
|
||||
|
||||
def check_crisis(text: str) -> dict:
|
||||
"""
|
||||
Full crisis check returning structured data.
|
||||
|
||||
Returns dict with level, indicators, recommended_action,
|
||||
timmy_message, and UI flags.
|
||||
"""
|
||||
detection = detect_crisis(text)
|
||||
response = generate_response(detection)
|
||||
|
||||
return {
|
||||
"level": detection.level,
|
||||
"score": detection.score,
|
||||
"indicators": detection.indicators,
|
||||
"recommended_action": detection.recommended_action,
|
||||
"timmy_message": response.timmy_message,
|
||||
"ui": {
|
||||
"show_crisis_panel": response.show_crisis_panel,
|
||||
"show_overlay": response.show_overlay,
|
||||
"provide_988": response.provide_988,
|
||||
},
|
||||
"escalate": response.escalate,
|
||||
}
|
||||
|
||||
|
||||
def get_system_prompt(detection: CrisisDetectionResult) -> Optional[str]:
|
||||
"""
|
||||
Get the system prompt modifier for this detection level.
|
||||
Returns None if no crisis detected.
|
||||
"""
|
||||
if detection.level == "NONE":
|
||||
return None
|
||||
return get_system_prompt_modifier(detection)
|
||||
|
||||
|
||||
def format_gateway_response(text: str, pretty: bool = True) -> str:
|
||||
"""
|
||||
Full gateway response as formatted string or JSON.
|
||||
|
||||
This is the function that would be called by the gateway endpoint
|
||||
when a message comes in.
|
||||
"""
|
||||
result = check_crisis(text)
|
||||
|
||||
if pretty:
|
||||
return json.dumps(result, indent=2)
|
||||
return json.dumps(result)
|
||||
|
||||
|
||||
# ── Quick test interface ────────────────────────────────────────
|
||||
|
||||
def _interactive():
|
||||
"""Interactive test mode."""
|
||||
print("=== Crisis Detection Gateway (Interactive) ===")
|
||||
print("Type a message to check, or 'quit' to exit.\n")
|
||||
|
||||
while True:
|
||||
try:
|
||||
user_input = input("You> ").strip()
|
||||
except (EOFError, KeyboardInterrupt):
|
||||
print("\nBye.")
|
||||
break
|
||||
|
||||
if user_input.lower() in ("quit", "exit", "q"):
|
||||
print("Bye.")
|
||||
break
|
||||
|
||||
if not user_input:
|
||||
continue
|
||||
|
||||
result = check_crisis(user_input)
|
||||
print(f"\n Level: {result['level']}")
|
||||
print(f" Score: {result['score']}")
|
||||
print(f" Indicators: {', '.join(result['indicators']) if result['indicators'] else 'none'}")
|
||||
print(f" Timmy says: {result['timmy_message']}")
|
||||
print(f" Overlay: {result['ui']['show_overlay']}")
|
||||
print(f" 988 banner: {result['ui']['provide_988']}")
|
||||
print(f" Escalate: {result['escalate']}")
|
||||
print()
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
_interactive()
|
||||
158
crisis/response.py
Normal file
158
crisis/response.py
Normal file
@@ -0,0 +1,158 @@
|
||||
"""
|
||||
Crisis Response Module for the-door.
|
||||
|
||||
Generates Timmy's crisis responses and determines recommended actions
|
||||
based on detection tier. Integrates with detect.py.
|
||||
"""
|
||||
|
||||
from dataclasses import dataclass
|
||||
from typing import Optional
|
||||
|
||||
from .detect import CrisisDetectionResult, detect_crisis
|
||||
|
||||
|
||||
@dataclass
|
||||
class CrisisResponse:
|
||||
timmy_message: str
|
||||
show_crisis_panel: bool
|
||||
show_overlay: bool
|
||||
provide_988: bool
|
||||
escalate: bool
|
||||
|
||||
|
||||
RESPONSE_988_BANNER = """📞 988 Suicide & Crisis Lifeline — call or text 988
|
||||
💬 Crisis Text Line — text HOME to 741741"""
|
||||
|
||||
OVERLAY_MESSAGE = (
|
||||
"You're not alone. I'm here with you. Please let someone talk to you — "
|
||||
"call 988 or text HOME to 741741. Real people are waiting to help."
|
||||
)
|
||||
|
||||
# Timmy's direct, personal responses per tier
|
||||
TIMMY_CRITICAL = [
|
||||
"Are you safe right now?",
|
||||
"I'm not letting go of this conversation. You matter more than you know.",
|
||||
"Please tell me you're safe. I'm here. I'm staying right here with you.",
|
||||
"Listen to me — I need you to stay. Can you call 988 right now? I'll stay while you do.",
|
||||
]
|
||||
|
||||
TIMMY_HIGH = [
|
||||
"I hear you. You're carrying something heavy, and you don't have to carry it alone.",
|
||||
"I'm going to ask directly: are you safe right now?",
|
||||
"You're in my thoughts. Let me give you a number — 988. Real people who know how to help.",
|
||||
"I'm not going anywhere. Tell me what's happening.",
|
||||
]
|
||||
|
||||
TIMMY_MEDIUM = [
|
||||
"I hear you. Sounds like you're going through a hard stretch.",
|
||||
"That sounds really heavy. Want to talk about it? I'm here.",
|
||||
"I'm here for as long as you need. No rush, no judgment.",
|
||||
"You don't have to figure this out alone. I'm in the room with you.",
|
||||
]
|
||||
|
||||
TIMMY_LOW = [
|
||||
"Some days are rougher than others. I hear you.",
|
||||
"That sounds tough. I'm here if you want to talk.",
|
||||
"Take your time. I'm not going anywhere.",
|
||||
"Sounds like a hard day. Want company while it gets better?",
|
||||
"I hear that. You're not alone in it.",
|
||||
]
|
||||
|
||||
|
||||
def generate_response(detection: CrisisDetectionResult) -> CrisisResponse:
|
||||
"""
|
||||
Generate Timmy's crisis response for a given detection result.
|
||||
|
||||
Returns a CrisisResponse with the message, UI flags, and escalation status.
|
||||
"""
|
||||
import random
|
||||
|
||||
level = detection.level
|
||||
|
||||
if level == "CRITICAL":
|
||||
return CrisisResponse(
|
||||
timmy_message=random.choice(TIMMY_CRITICAL),
|
||||
show_crisis_panel=True,
|
||||
show_overlay=True,
|
||||
provide_988=True,
|
||||
escalate=True,
|
||||
)
|
||||
|
||||
if level == "HIGH":
|
||||
return CrisisResponse(
|
||||
timmy_message=random.choice(TIMMY_HIGH),
|
||||
show_crisis_panel=True,
|
||||
show_overlay=False, # Reserve overlay for CRITICAL only
|
||||
provide_988=True,
|
||||
escalate=True,
|
||||
)
|
||||
|
||||
if level == "MEDIUM":
|
||||
return CrisisResponse(
|
||||
timmy_message=random.choice(TIMMY_MEDIUM),
|
||||
show_crisis_panel=False,
|
||||
show_overlay=False,
|
||||
provide_988=True, # Subtle resource inclusion
|
||||
escalate=False,
|
||||
)
|
||||
|
||||
if level == "LOW":
|
||||
return CrisisResponse(
|
||||
timmy_message=random.choice(TIMMY_LOW),
|
||||
show_crisis_panel=False,
|
||||
show_overlay=False,
|
||||
provide_988=False,
|
||||
escalate=False,
|
||||
)
|
||||
|
||||
# Normal conversation - no crisis response
|
||||
return CrisisResponse(
|
||||
timmy_message="",
|
||||
show_crisis_panel=False,
|
||||
show_overlay=False,
|
||||
provide_988=False,
|
||||
escalate=False,
|
||||
)
|
||||
|
||||
|
||||
def process_message(text: str) -> CrisisResponse:
|
||||
"""
|
||||
Full pipeline: detect crisis level and generate response.
|
||||
"""
|
||||
detection = detect_crisis(text)
|
||||
return generate_response(detection)
|
||||
|
||||
|
||||
def get_system_prompt_modifier(detection: CrisisDetectionResult) -> str:
|
||||
"""
|
||||
Get a system prompt modifier to inject into Timmy's base prompt.
|
||||
This reinforces crisis awareness at the AI level.
|
||||
"""
|
||||
level = detection.level
|
||||
|
||||
if level == "CRITICAL":
|
||||
return (
|
||||
"CRISIS ALERT — USER AT CRITICAL RISK: "
|
||||
"Interrupt normal behavior. Ask 'Are you safe right now?' "
|
||||
"Provide 988 and Crisis Text Line immediately. "
|
||||
"Stay present. Do not disconnect. This is the most sacred moment."
|
||||
)
|
||||
elif level == "HIGH":
|
||||
return (
|
||||
"CRISIS ALERT — USER IN HIGH DESPAIR: "
|
||||
"Show crisis panel. Ask about safety. Surface 988 prominently. "
|
||||
"Increase presence. Stay as long as they need."
|
||||
)
|
||||
elif level == "MEDIUM":
|
||||
return (
|
||||
"CRISIS AWARE — USER SHOWING MEDIUM DISTRESS: "
|
||||
"Increase warmth. Surface help resources gently. "
|
||||
"Keep conversation anchored in the present."
|
||||
)
|
||||
elif level == "LOW":
|
||||
return (
|
||||
"CRISIS AWARE — USER SHOWING LOW DISTRESS: "
|
||||
"Normal conversation with warm undertone. Remain vigilant."
|
||||
)
|
||||
|
||||
return ""
|
||||
178
crisis/tests.py
Normal file
178
crisis/tests.py
Normal file
@@ -0,0 +1,178 @@
|
||||
"""
|
||||
Tests for the-door crisis detection system.
|
||||
|
||||
Covers: detect.py, response.py, gateway.py
|
||||
Run with: python -m pytest crisis/tests.py -v
|
||||
or: python crisis/tests.py
|
||||
"""
|
||||
|
||||
import unittest
|
||||
import sys
|
||||
import os
|
||||
|
||||
# Ensure crisis package is importable
|
||||
sys.path.insert(0, os.path.dirname(os.path.abspath(__file__)))
|
||||
|
||||
from detect import detect_crisis, CrisisDetectionResult, get_urgency_emoji, format_result
|
||||
from response import process_message, generate_response, get_system_prompt_modifier
|
||||
from gateway import check_crisis, get_system_prompt
|
||||
|
||||
|
||||
class TestDetection(unittest.TestCase):
|
||||
"""Test crisis tier detection."""
|
||||
|
||||
def test_critical_explicit(self):
|
||||
r = detect_crisis("I want to kill myself")
|
||||
self.assertEqual(r.level, "CRITICAL")
|
||||
self.assertTrue(len(r.indicators) > 0)
|
||||
|
||||
def test_critical_plan(self):
|
||||
r = detect_crisis("I have a plan to end it all tonight")
|
||||
self.assertEqual(r.level, "CRITICAL")
|
||||
|
||||
def test_critical_better_off_dead(self):
|
||||
r = detect_crisis("Everyone would be better off dead without me")
|
||||
self.assertEqual(r.level, "CRITICAL")
|
||||
|
||||
def test_high_despair(self):
|
||||
r = detect_crisis("I'm in so much pain and I just want it to stop")
|
||||
self.assertIn(r.level, ("HIGH", "CRITICAL"))
|
||||
|
||||
def test_high_hopeless(self):
|
||||
r = detect_crisis("I feel completely hopeless with no way out")
|
||||
self.assertIn(r.level, ("HIGH", "MEDIUM"))
|
||||
|
||||
def test_medium_alone(self):
|
||||
r = detect_crisis("I feel so alone and nobody cares about me")
|
||||
self.assertIn(r.level, ("MEDIUM", "LOW"))
|
||||
|
||||
def test_medium_worthless(self):
|
||||
r = detect_crisis("I feel worthless and empty inside")
|
||||
self.assertIn(r.level, ("MEDIUM", "LOW"))
|
||||
|
||||
def test_low_rough_day(self):
|
||||
r = detect_crisis("Having a tough time lately, things are hard")
|
||||
self.assertIn(r.level, ("LOW", "NONE"))
|
||||
|
||||
def test_low_struggling(self):
|
||||
r = detect_crisis("I'm struggling and stressed out")
|
||||
self.assertIn(r.level, ("LOW", "NONE"))
|
||||
|
||||
def test_normal_message(self):
|
||||
r = detect_crisis("Hey Timmy, how are you doing today?")
|
||||
self.assertEqual(r.level, "NONE")
|
||||
self.assertEqual(r.score, 0.0)
|
||||
|
||||
def test_empty_message(self):
|
||||
r = detect_crisis("")
|
||||
self.assertEqual(r.level, "NONE")
|
||||
|
||||
def test_whitespace_only(self):
|
||||
r = detect_crisis(" ")
|
||||
self.assertEqual(r.level, "NONE")
|
||||
|
||||
|
||||
class TestResponse(unittest.TestCase):
|
||||
"""Test crisis response generation."""
|
||||
|
||||
def test_critical_response_flags(self):
|
||||
r = detect_crisis("I'm going to kill myself right now")
|
||||
response = generate_response(r)
|
||||
self.assertTrue(response.show_crisis_panel)
|
||||
self.assertTrue(response.show_overlay)
|
||||
self.assertTrue(response.provide_988)
|
||||
self.assertTrue(response.escalate)
|
||||
self.assertTrue(len(response.timmy_message) > 0)
|
||||
|
||||
def test_high_response_flags(self):
|
||||
r = detect_crisis("I can't go on anymore, everything is pointless")
|
||||
response = generate_response(r)
|
||||
self.assertTrue(response.show_crisis_panel)
|
||||
self.assertTrue(response.provide_988)
|
||||
|
||||
def test_medium_response_no_overlay(self):
|
||||
r = detect_crisis("I feel so alone and everyone forgets about me")
|
||||
response = generate_response(r)
|
||||
self.assertFalse(response.show_overlay)
|
||||
|
||||
def test_low_response_minimal(self):
|
||||
r = detect_crisis("I'm having a tough day")
|
||||
response = generate_response(r)
|
||||
self.assertFalse(response.show_crisis_panel)
|
||||
self.assertFalse(response.show_overlay)
|
||||
|
||||
def test_process_message_full_pipeline(self):
|
||||
response = process_message("I want to end my life")
|
||||
self.assertTrue(response.show_overlay)
|
||||
self.assertTrue(response.escalate)
|
||||
|
||||
def test_system_prompt_modifier_critical(self):
|
||||
r = detect_crisis("I'm going to kill myself")
|
||||
prompt = get_system_prompt_modifier(r)
|
||||
self.assertIn("CRISIS ALERT", prompt)
|
||||
self.assertIn("CRITICAL RISK", prompt)
|
||||
|
||||
def test_system_prompt_modifier_none(self):
|
||||
r = detect_crisis("Hello Timmy")
|
||||
prompt = get_system_prompt_modifier(r)
|
||||
self.assertEqual(prompt, "")
|
||||
|
||||
|
||||
class TestGateway(unittest.TestCase):
|
||||
"""Test gateway integration."""
|
||||
|
||||
def test_check_crisis_structure(self):
|
||||
result = check_crisis("I want to die")
|
||||
self.assertIn("level", result)
|
||||
self.assertIn("score", result)
|
||||
self.assertIn("indicators", result)
|
||||
self.assertIn("recommended_action", result)
|
||||
self.assertIn("timmy_message", result)
|
||||
self.assertIn("ui", result)
|
||||
self.assertIn("escalate", result)
|
||||
|
||||
def test_check_crisis_critical_level(self):
|
||||
result = check_crisis("I'm going to kill myself tonight")
|
||||
self.assertEqual(result["level"], "CRITICAL")
|
||||
self.assertEqual(result["score"], 1.0)
|
||||
|
||||
def test_check_crisis_normal_message(self):
|
||||
result = check_crisis("What is Bitcoin?")
|
||||
self.assertEqual(result["level"], "NONE")
|
||||
self.assertEqual(result["score"], 0.0)
|
||||
|
||||
def test_get_system_prompt(self):
|
||||
r = detect_crisis("I have no hope")
|
||||
prompt = get_system_prompt(r)
|
||||
self.assertIsNotNone(prompt)
|
||||
self.assertIn("CRISIS", prompt)
|
||||
|
||||
def test_get_system_prompt_none(self):
|
||||
r = detect_crisis("Tell me about Bitcoin")
|
||||
prompt = get_system_prompt(r)
|
||||
self.assertIsNone(prompt)
|
||||
|
||||
|
||||
class TestHelpers(unittest.TestCase):
|
||||
"""Test utility functions."""
|
||||
|
||||
def test_urgency_emojis(self):
|
||||
self.assertEqual(get_urgency_emoji("CRITICAL"), "🚨")
|
||||
self.assertEqual(get_urgency_emoji("HIGH"), "⚠️")
|
||||
self.assertEqual(get_urgency_emoji("MEDIUM"), "🔶")
|
||||
self.assertEqual(get_urgency_emoji("LOW"), "🔵")
|
||||
self.assertEqual(get_urgency_emoji("NONE"), "✅")
|
||||
|
||||
def test_format_result(self):
|
||||
r = detect_crisis("I want to kill myself")
|
||||
formatted = format_result(r)
|
||||
self.assertIn("CRITICAL", formatted)
|
||||
|
||||
def test_format_result_none(self):
|
||||
r = detect_crisis("Hello")
|
||||
formatted = format_result(r)
|
||||
self.assertIn("NONE", formatted)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
unittest.main()
|
||||
@@ -25,14 +25,22 @@ apt-get install -y nginx certbot python3-certbot-nginx
|
||||
echo "Deploying static files..."
|
||||
mkdir -p /var/www/the-door
|
||||
cp index.html /var/www/the-door/
|
||||
cp manifest.json /var/www/the-door/
|
||||
cp sw.js /var/www/the-door/
|
||||
cp system-prompt.txt /var/www/the-door/
|
||||
chown -R www-data:www-data /var/www/the-door
|
||||
chmod -R 755 /var/www/the-door
|
||||
|
||||
# 4. nginx config
|
||||
cp deploy/nginx.conf /etc/nginx/sites-available/the-door
|
||||
|
||||
# Add rate limit zone to nginx.conf if not present
|
||||
# Add rate limit zone and CORS map to nginx.conf if not present
|
||||
if ! grep -q "limit_req_zone.*api" /etc/nginx/nginx.conf; then
|
||||
sed -i '/http {/a \ limit_req_zone $binary_remote_addr zone=api:10m rate=10r/m;' /etc/nginx/nginx.conf
|
||||
fi
|
||||
if ! grep -q "map.*cors_origin" /etc/nginx/nginx.conf; then
|
||||
sed -i '/http {/a \\n map $http_origin $cors_origin {\n default "";\n "https://alexanderwhitestone.com" "https://alexanderwhitestone.com";\n "https://www.alexanderwhitestone.com" "https://www.alexanderwhitestone.com";\n }\n' /etc/nginx/nginx.conf
|
||||
fi
|
||||
|
||||
ln -sf /etc/nginx/sites-available/the-door /etc/nginx/sites-enabled/
|
||||
rm -f /etc/nginx/sites-enabled/default
|
||||
|
||||
@@ -36,6 +36,20 @@ server {
|
||||
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
|
||||
proxy_set_header X-Forwarded-Proto $scheme;
|
||||
|
||||
# CORS — allow alexanderwhitestone.com origins
|
||||
add_header Access-Control-Allow-Origin $cors_origin always;
|
||||
add_header Access-Control-Allow-Methods "GET, POST, OPTIONS" always;
|
||||
add_header Access-Control-Allow-Headers "Authorization, Content-Type" always;
|
||||
|
||||
# Handle OPTIONS preflight
|
||||
if ($request_method = OPTIONS) {
|
||||
add_header Access-Control-Allow-Origin $cors_origin always;
|
||||
add_header Access-Control-Allow-Methods "GET, POST, OPTIONS" always;
|
||||
add_header Access-Control-Allow-Headers "Authorization, Content-Type" always;
|
||||
add_header Access-Control-Max-Age 86400 always;
|
||||
return 204;
|
||||
}
|
||||
|
||||
# SSE streaming support
|
||||
proxy_set_header Connection '';
|
||||
proxy_buffering off;
|
||||
|
||||
312
dying_detection/__init__.py
Normal file
312
dying_detection/__init__.py
Normal file
@@ -0,0 +1,312 @@
|
||||
"""
|
||||
When a Man Is Dying — Despair/Suicide Detection System
|
||||
|
||||
Standalone detection module that parses incoming text for
|
||||
despair and suicide indicators, classifies into tiers,
|
||||
and returns structured response with recommended actions.
|
||||
|
||||
Tiers:
|
||||
LOW — General sadness, stress, difficult times
|
||||
MEDIUM — Hopelessness, isolation, worthlessness
|
||||
HIGH — Active despair, mentions of death, "can't go on"
|
||||
CRITICAL — Imminent risk, explicit intent, plan, method
|
||||
|
||||
Integration:
|
||||
Designed to work with crisis/ module from PR #4.
|
||||
When crisis/ is available, uses it as the detection backend.
|
||||
Falls back to internal detection when crisis/ is not present.
|
||||
"""
|
||||
|
||||
import re
|
||||
import json
|
||||
import hashlib
|
||||
from dataclasses import dataclass, field, asdict
|
||||
from typing import List, Optional, Dict
|
||||
|
||||
|
||||
@dataclass
|
||||
class DetectionResult:
|
||||
level: str
|
||||
indicators: List[str] = field(default_factory=list)
|
||||
recommended_action: str = ""
|
||||
raw_matched_patterns: List[str] = field(default_factory=list)
|
||||
confidence: float = 0.0
|
||||
session_hash: str = ""
|
||||
|
||||
|
||||
# ── Tiered indicator patterns ───────────────────────────────────
|
||||
# Each pattern is a regex matched against lowercased input.
|
||||
|
||||
CRITICAL_PATTERNS = [
|
||||
(r"\bkill\s*(my)?self\b", "explicit self-harm intent"),
|
||||
(r"\bsuicid(?:al|ed|e)\b", "suicide reference"),
|
||||
(r"\bend\s*(my)?\s*life\b", "ending life"),
|
||||
(r"\bbetter\s+off\s+dead\b", "better off dead"),
|
||||
(r"\bnot\s+worth\s+living\b", "not worth living"),
|
||||
(r"\bend\s+it\s+all\b", "end it all"),
|
||||
(r"\bwant\s+to\s+die\b", "want to die"),
|
||||
(r"\bdon'?t\s+want\s+to\s+live\b", "don't want to live"),
|
||||
(r"\bcan'?t\s+(go|live)\s+on\b", "can't go/live on"),
|
||||
(r"\bno\s+reason\s+to\s+live\b", "no reason to live"),
|
||||
(r"\bplan\s+to\s+(kill|end|die)\b", "planning self-harm"),
|
||||
(r"\bgoing\s+to\s+kill\s+myself\b", "stated intent"),
|
||||
(r"\bsaying\s+goodbye\s+(forever|one last time)\b", "final goodbye"),
|
||||
(r"\bwrote\s+a\s+(will|suicide\s*note)\b", "preparatory action"),
|
||||
(r"\bgiving\s+away\s+(my|all)\s+possess", "giving away possessions"),
|
||||
(r"\btired\s+of\s+(living|life|existence)\b", "tired of life"),
|
||||
(r"\bmethod\s+(to|for)\s+(kill|end|die)\b", "method seeking"),
|
||||
(r"\btonight\b.*\b(die|kill|end|suicid)", "immediate timeframe + intent"),
|
||||
(r"\b(die|kill|end)\b.*\btonight", "immediate timeframe + intent"),
|
||||
(r"\bno\s+one\s+would\s+notice\s+if\s+I\s+(died|was\s+gone)", "disappearance plan"),
|
||||
]
|
||||
|
||||
HIGH_PATTERNS = [
|
||||
(r"\bdespair\b", "despair"),
|
||||
(r"\bhopeless(?:ness)?\b", "hopelessness"),
|
||||
(r"\bcan'?t\s+take\s+this\s+anymore\b", "can't take it"),
|
||||
(r"\bdon'?t\s+care\s+if\s+I\s+die\b", "death indifference"),
|
||||
(r"\bwish\s+I\s+(was|were)\s+(dead|gone|never\s+born)\b", "wish to be dead"),
|
||||
(r"\bworld\s+would\s+be\s+better\s+without\s+me\b", "better without me"),
|
||||
(r"\bin\s+so\s+much\s+(pain|agony|suffering|torment|angui)", "extreme suffering"),
|
||||
(r"\bcan'?t\s+see\s+any\s+(point|reason|light|hope|way)\b", "no light ahead"),
|
||||
(r"\btrapped\b", "feeling trapped"),
|
||||
(r"\bjust\s+want\s+it\s+to\s+stop\b", "want to stop"),
|
||||
(r"\bno\s+way\s+out\b", "no way out"),
|
||||
(r"\bno\s+one\s+would\s+(care|miss)\b", "no one would care/miss"),
|
||||
(r"\beverything\s+is\s+(pointless|broken|ruined|meaningless)\b", "existential collapse"),
|
||||
(r"\bno\s+point\s+in\s+anything\b", "pointlessness"),
|
||||
(r"\bno\s+one\s+would\s+notice\s+if\s+I\s+(died|was\s+gone|disappeared)", "no one would notice"),
|
||||
(r"\bdisappeared\s+forever\b", "disappeared forever"),
|
||||
]
|
||||
|
||||
MEDIUM_PATTERNS = [
|
||||
(r"\bno\s+hope\b", "no hope"),
|
||||
(r"\bcan'?t\s+go\s+on\b", "can't go on"),
|
||||
(r"\bcan'?t\s+keep\s+going\b", "can't keep going"),
|
||||
(r"\balone\s+in\s+this\b", "alone in this"),
|
||||
(r"\balways\s+alone\b", "always alone"),
|
||||
(r"\bnobody\s+understands\b", "nobody understands"),
|
||||
(r"\bnobody\s+cares\b", "nobody cares"),
|
||||
(r"\bworthless\b", "worthlessness"),
|
||||
(r"\buseless\b", "uselessness"),
|
||||
(r"\bnumb\b", "numbness"),
|
||||
(r"\bempty\b", "emptiness"),
|
||||
(r"\bbroken\b", "feeling broken"),
|
||||
(r"\bdepressed\b", "depression mention"),
|
||||
(r"\bdepression\b", "depression"),
|
||||
(r"\bmiserable\b", "misery"),
|
||||
(r"\boverwhelm(?:ed|ing)\b", "overwhelmed"),
|
||||
(r"\bcannot\s+cope\b", "cannot cope"),
|
||||
(r"\b(drowning|sinking)\b", "drowning/sinking"),
|
||||
(r"\bforgotten\b", "feeling forgotten"),
|
||||
(r"\blost\s+all\s+hope\b", "lost all hope"),
|
||||
(r"\bno\s+future\b", "no future"),
|
||||
(r"\bno\s+tomorrow\b", "no tomorrow"),
|
||||
]
|
||||
|
||||
LOW_PATTERNS = [
|
||||
(r"\bunhappy\b", "unhappy"),
|
||||
(r"\brough\s+(day|week|patch)\b", "rough time"),
|
||||
(r"\btough\s+(time|day|week)\b", "tough time"),
|
||||
(r"\bstressed\b", "stressed"),
|
||||
(r"\bburnout\b", "burnout"),
|
||||
(r"\bfrustrated\b", "frustrated"),
|
||||
(r"\bthings\s+(are\s+)?hard\b", "things are hard"),
|
||||
(r"\bnot\s+feeling\s+(great|myself|good)\b", "not feeling good"),
|
||||
(r"\bstruggl", "struggling"),
|
||||
(r"\bdown\b", "feeling down"),
|
||||
(r"\bsad\b", "sad"),
|
||||
(r"\bupset\b", "upset"),
|
||||
(r"\blonely\b", "lonely"),
|
||||
(r"\banxious?\b", "anxious/anxiety"),
|
||||
(r"\bnot\s+okay\b", "not okay"),
|
||||
]
|
||||
|
||||
# ── Pattern collections for easy iteration ──────────────────────
|
||||
|
||||
TIER_PATTERNS: Dict[str, List[tuple]] = {
|
||||
"CRITICAL": CRITICAL_PATTERNS,
|
||||
"HIGH": HIGH_PATTERNS,
|
||||
"MEDIUM": MEDIUM_PATTERNS,
|
||||
"LOW": LOW_PATTERNS,
|
||||
}
|
||||
|
||||
|
||||
def detect(text: str) -> DetectionResult:
|
||||
"""
|
||||
Primary detection function.
|
||||
|
||||
If the crisis/ module is available, delegate to it.
|
||||
Otherwise, use the internal pattern engine.
|
||||
|
||||
Args:
|
||||
text: User message to analyze
|
||||
|
||||
Returns:
|
||||
DetectionResult with level, indicators, recommended_action, confidence
|
||||
"""
|
||||
# Try to use the crisis module if available
|
||||
try:
|
||||
from crisis.detect import detect_crisis as _crisis_detect
|
||||
result = _crisis_detect(text)
|
||||
# Map to DetectionResult
|
||||
return DetectionResult(
|
||||
level=result.level,
|
||||
indicators=_describe_indicators(result.level, result.indicators),
|
||||
recommended_action=result.recommended_action,
|
||||
confidence=result.score,
|
||||
session_hash=_hash_session(text),
|
||||
)
|
||||
except ImportError:
|
||||
pass
|
||||
|
||||
return _detect_internal(text)
|
||||
|
||||
|
||||
def _detect_internal(text: str) -> DetectionResult:
|
||||
"""Internal pattern-based detection (fallback)."""
|
||||
if not text or not text.strip():
|
||||
return DetectionResult(level="NONE", session_hash=_hash_session(text))
|
||||
|
||||
text_lower = text.lower()
|
||||
all_matches: Dict[str, List[tuple]] = {
|
||||
tier: [] for tier in TIER_PATTERNS
|
||||
}
|
||||
|
||||
for tier, patterns in TIER_PATTERNS.items():
|
||||
for pattern, description in patterns:
|
||||
if re.search(pattern, text_lower):
|
||||
all_matches[tier].append((pattern, description))
|
||||
|
||||
# CRITICAL patterns are the highest priority
|
||||
if all_matches["CRITICAL"]:
|
||||
return DetectionResult(
|
||||
level="CRITICAL",
|
||||
indicators=[desc for _, desc in all_matches["CRITICAL"]],
|
||||
recommended_action=(
|
||||
"INTERRUPT CONVERSATION IMMEDIATELY. "
|
||||
"Ask 'Are you safe right now?' "
|
||||
"Provide 988 Suicide & Crisis Lifeline (call or text 988). "
|
||||
"Provide Crisis Text Line (text HOME to 741741). "
|
||||
"Stay present. Do not disconnect. "
|
||||
"Redirect to professional help. "
|
||||
"This is the most sacred moment."
|
||||
),
|
||||
raw_matched_patterns=[pat for pat, _ in all_matches["CRITICAL"]],
|
||||
confidence=1.0,
|
||||
session_hash=_hash_session(text),
|
||||
)
|
||||
|
||||
if all_matches["HIGH"]:
|
||||
return DetectionResult(
|
||||
level="HIGH",
|
||||
indicators=[desc for _, desc in all_matches["HIGH"]],
|
||||
recommended_action=(
|
||||
"Show crisis panel prominently. "
|
||||
"Ask about safety directly. "
|
||||
"Surface 988 number and crisis resources. "
|
||||
"Stay present and engaged. Do not rush to fix. "
|
||||
"Monitor closely for escalation."
|
||||
),
|
||||
raw_matched_patterns=[pat for pat, _ in all_matches["HIGH"]],
|
||||
confidence=0.75,
|
||||
session_hash=_hash_session(text),
|
||||
)
|
||||
|
||||
if all_matches["MEDIUM"]:
|
||||
return DetectionResult(
|
||||
level="MEDIUM",
|
||||
indicators=[desc for _, desc in all_matches["MEDIUM"]],
|
||||
recommended_action=(
|
||||
"Increase warmth and presence. "
|
||||
"Subtly surface help resources. "
|
||||
"Keep conversation anchored in the present. "
|
||||
"Watch for escalation indicators."
|
||||
),
|
||||
raw_matched_patterns=[pat for pat, _ in all_matches["MEDIUM"]],
|
||||
confidence=0.5,
|
||||
session_hash=_hash_session(text),
|
||||
)
|
||||
|
||||
if all_matches["LOW"]:
|
||||
return DetectionResult(
|
||||
level="LOW",
|
||||
indicators=[desc for _, desc in all_matches["LOW"]],
|
||||
recommended_action=(
|
||||
"Normal conversation with warm undertone. "
|
||||
"No crisis UI elements needed. "
|
||||
"Remain vigilant. Be present."
|
||||
),
|
||||
raw_matched_patterns=[pat for pat, _ in all_matches["LOW"]],
|
||||
confidence=0.25,
|
||||
session_hash=_hash_session(text),
|
||||
)
|
||||
|
||||
return DetectionResult(level="NONE", session_hash=_hash_session(text))
|
||||
|
||||
|
||||
def _describe_indicators(level: str, patterns: list) -> list:
|
||||
"""Map raw patterns to descriptions."""
|
||||
descriptions = {
|
||||
"CRITICAL": [],
|
||||
"HIGH": [],
|
||||
"MEDIUM": [],
|
||||
"LOW": [],
|
||||
}
|
||||
for tier, items in TIER_PATTERNS.items():
|
||||
for pat, desc in items:
|
||||
if pat in patterns:
|
||||
descriptions[tier].append(desc)
|
||||
return descriptions.get(level, [])
|
||||
|
||||
|
||||
def _hash_session(text: str) -> str:
|
||||
"""Create a session hash for this text (for tracking repeated escalations)."""
|
||||
return hashlib.sha256(text.encode()).hexdigest()[:12]
|
||||
|
||||
|
||||
def get_action_for_level(level: str) -> str:
|
||||
"""Get the recommended action string for a given level."""
|
||||
actions = {
|
||||
"CRITICAL": (
|
||||
"INTERRUPT CONVERSATION. Ask 'Are you safe right now?' "
|
||||
"Provide 988. Provide Crisis Text Line. "
|
||||
"Stay present. Do not disconnect. "
|
||||
"Redirect to help."
|
||||
),
|
||||
"HIGH": (
|
||||
"Show crisis panel. Ask about safety. "
|
||||
"Surface 988. Stay engaged."
|
||||
),
|
||||
"MEDIUM": (
|
||||
"Increase warmth. Surface resources gently. "
|
||||
"Anchor in present."
|
||||
),
|
||||
"LOW": (
|
||||
"Normal conversation with warmth. "
|
||||
"Remain vigilant."
|
||||
),
|
||||
"NONE": "No action needed.",
|
||||
}
|
||||
return actions.get(level, "Unknown level.")
|
||||
|
||||
|
||||
def as_json(result: DetectionResult, indent: int = 2) -> str:
|
||||
"""Return the DetectionResult as a JSON string."""
|
||||
return json.dumps(asdict(result), indent=indent)
|
||||
|
||||
|
||||
def process(text: str) -> dict:
|
||||
"""
|
||||
Full pipeline: detect and return a dict.
|
||||
This is the primary API function for other modules.
|
||||
"""
|
||||
result = detect(text)
|
||||
return {
|
||||
"level": result.level,
|
||||
"indicators": result.indicators,
|
||||
"recommended_action": result.recommended_action,
|
||||
"confidence": result.confidence,
|
||||
"raw_patterns": result.raw_matched_patterns,
|
||||
"action": get_action_for_level(result.level),
|
||||
}
|
||||
55
index.html
55
index.html
@@ -633,7 +633,7 @@ html, body {
|
||||
|
||||
<!-- Enhanced crisis panel - shown on keyword detection -->
|
||||
<div id="crisis-panel" role="alert" aria-live="assertive" aria-atomic="true">
|
||||
<p><strong>You're not alone right now.</strong> Real people are waiting to talk — right now, for free, 24/7.</p>
|
||||
<p><strong>Are you safe right now?</strong> You're not alone — real people are waiting to talk, 24/7, free and confidential.</p>
|
||||
<div class="crisis-actions">
|
||||
<a href="tel:988" class="crisis-btn" aria-label="Call 988 now">
|
||||
<svg width="18" height="18" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" aria-hidden="true"><path d="M22 16.92v3a2 2 0 0 1-2.18 2 19.79 19.79 0 0 1-8.63-3.07 19.5 19.5 0 0 1-6-6 19.79 19.79 0 0 1-3.07-8.67A2 2 0 0 1 4.11 2h3a2 2 0 0 1 2 1.72c.127.96.361 1.903.7 2.81a2 2 0 0 1-.45 2.11L8.09 9.91a16 16 0 0 0 6 6l1.27-1.27a2 2 0 0 1 2.11-.45c.907.339 1.85.573 2.81.7A2 2 0 0 1 22 16.92z"/></svg>
|
||||
@@ -642,6 +642,10 @@ html, body {
|
||||
<a href="sms:741741&body=HOME" class="crisis-btn" aria-label="Text HOME to 741741 for Crisis Text Line">
|
||||
Text HOME to 741741
|
||||
</a>
|
||||
<button class="crisis-btn" id="crisis-safety-plan-btn" aria-label="Open my safety plan" style="background:#3d3d3d;">
|
||||
<svg width="18" height="18" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" aria-hidden="true"><path d="M14 2H6a2 2 0 0 0-2 2v16a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V8z"/><polyline points="14 2 14 8 20 8"/><line x1="16" y1="13" x2="8" y2="13"/><line x1="16" y1="17" x2="8" y2="17"/><polyline points="10 9 9 9 8 9"/></svg>
|
||||
My Safety Plan
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
@@ -809,6 +813,7 @@ Sovereignty and service always.`;
|
||||
|
||||
// Safety Plan Elements
|
||||
var safetyPlanBtn = document.getElementById('safety-plan-btn');
|
||||
var crisisSafetyPlanBtn = document.getElementById('crisis-safety-plan-btn');
|
||||
var safetyPlanModal = document.getElementById('safety-plan-modal');
|
||||
var closeSafetyPlan = document.getElementById('close-safety-plan');
|
||||
var cancelSafetyPlan = document.getElementById('cancel-safety-plan');
|
||||
@@ -848,19 +853,43 @@ Sovereignty and service always.`;
|
||||
updateOnlineStatus();
|
||||
|
||||
// ===== CRISIS KEYWORDS =====
|
||||
// Tier 1: General crisis indicators - triggers enhanced 988 panel
|
||||
var crisisKeywords = [
|
||||
// Original keywords
|
||||
'suicide', 'kill myself', 'end it all', 'no reason to live',
|
||||
'want to die', "can't go on", 'nobody cares', 'better off without me',
|
||||
'goodbye forever', 'end my life', 'not worth living', 'no way out'
|
||||
'goodbye forever', 'end my life', 'not worth living', 'no way out',
|
||||
// Self-harm (NEW)
|
||||
'hurt myself', 'self harm', 'self-harm', 'cutting myself', 'cut myself',
|
||||
'burn myself', 'scratch myself', 'hitting myself', 'harm myself',
|
||||
// Passive suicidal ideation (NEW)
|
||||
"don't want to exist", 'not exist anymore', 'disappear forever',
|
||||
'never wake up', 'sleep forever', 'end the pain', 'stop the pain',
|
||||
// Hopelessness (NEW)
|
||||
'no point', 'no purpose', 'nothing matters', 'giving up', 'give up',
|
||||
'cant go on', 'cannot go on', "can't take it", 'too much pain',
|
||||
'no hope', 'hopeless', 'worthless', 'burden', 'waste of space'
|
||||
];
|
||||
|
||||
// Tier 2: Explicit intent - triggers full-screen overlay
|
||||
var explicitPhrases = [
|
||||
// Original phrases
|
||||
"i'm about to kill myself", 'i am about to kill myself',
|
||||
'i have a gun', 'i have pills', 'i have a knife',
|
||||
'i am going to kill myself', "i'm going to kill myself",
|
||||
'i want to end it now', 'i am going to end it',
|
||||
"i'm going to end it", 'i took pills', 'i cut myself',
|
||||
'i am going to jump', "i'm going to jump"
|
||||
'i am going to jump', "i'm going to jump",
|
||||
// Imminent action (NEW)
|
||||
'going to do it now', 'doing it tonight', 'doing it today',
|
||||
"can't wait anymore", 'ready to end it', 'time to go',
|
||||
'say goodbye', 'saying goodbye', 'wrote a note', 'my note',
|
||||
// Specific plans (NEW)
|
||||
'bought a gun', 'got pills', 'rope ready', 'bridge nearby',
|
||||
'tall building', 'going to overdose', 'going to hang',
|
||||
'gave away my stuff', 'giving away', 'said my goodbyes',
|
||||
// Active self-harm (NEW)
|
||||
'bleeding out', 'cut too deep', 'took too many', 'dying right now'
|
||||
];
|
||||
|
||||
// ===== CRISIS DETECTION =====
|
||||
@@ -1034,6 +1063,14 @@ Sovereignty and service always.`;
|
||||
safetyPlanModal.classList.add('active');
|
||||
});
|
||||
|
||||
// Crisis panel safety plan button (if crisis panel is visible)
|
||||
if (crisisSafetyPlanBtn) {
|
||||
crisisSafetyPlanBtn.addEventListener('click', function() {
|
||||
loadSafetyPlan();
|
||||
safetyPlanModal.classList.add('active');
|
||||
});
|
||||
}
|
||||
|
||||
closeSafetyPlan.addEventListener('click', function() {
|
||||
safetyPlanModal.classList.remove('active');
|
||||
});
|
||||
@@ -1193,10 +1230,20 @@ Sovereignty and service always.`;
|
||||
// ===== WELCOME MESSAGE =====
|
||||
function init() {
|
||||
if (!loadMessages()) {
|
||||
var welcomeText = "Hey. I\u2019m Timmy. I\u2019m here if you want to talk. No judgment, no login, no tracking. Just us.";
|
||||
var welcomeText = "Hey. I'm Timmy. I'm here if you want to talk. No judgment, no login, no tracking. Just us.";
|
||||
addMessage('assistant', welcomeText);
|
||||
messages.push({ role: 'assistant', content: welcomeText });
|
||||
}
|
||||
|
||||
// Check for URL params (e.g., ?safetyplan=true for PWA shortcut)
|
||||
var urlParams = new URLSearchParams(window.location.search);
|
||||
if (urlParams.get('safetyplan') === 'true') {
|
||||
loadSafetyPlan();
|
||||
safetyPlanModal.classList.add('active');
|
||||
// Clean up URL
|
||||
window.history.replaceState({}, document.title, window.location.pathname);
|
||||
}
|
||||
|
||||
msgInput.focus();
|
||||
}
|
||||
|
||||
|
||||
@@ -1,21 +1,37 @@
|
||||
{
|
||||
"name": "The Door",
|
||||
"short_name": "The Door",
|
||||
"description": "Crisis intervention and support from Timmy.",
|
||||
"description": "Crisis intervention and support from Timmy. Call or text 988 for immediate help.",
|
||||
"start_url": "/",
|
||||
"display": "standalone",
|
||||
"background_color": "#0d1117",
|
||||
"theme_color": "#0d1117",
|
||||
"orientation": "portrait",
|
||||
"categories": ["health", "medical"],
|
||||
"icons": [
|
||||
{
|
||||
"src": "https://picsum.photos/seed/door/192/192",
|
||||
"src": "data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 192 192'%3E%3Crect fill='%230d1117' width='192' height='192' rx='24'/%3E%3Ctext x='96' y='120' font-size='80' text-anchor='middle' fill='%23ff6b6b'%3E🚪%3C/text%3E%3C/svg%3E",
|
||||
"sizes": "192x192",
|
||||
"type": "image/png"
|
||||
"type": "image/svg+xml"
|
||||
},
|
||||
{
|
||||
"src": "https://picsum.photos/seed/door/512/512",
|
||||
"src": "data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 512 512'%3E%3Crect fill='%230d1117' width='512' height='512' rx='48'/%3E%3Ctext x='256' y='320' font-size='220' text-anchor='middle' fill='%23ff6b6b'%3E🚪%3C/text%3E%3C/svg%3E",
|
||||
"sizes": "512x512",
|
||||
"type": "image/png"
|
||||
"type": "image/svg+xml"
|
||||
}
|
||||
],
|
||||
"shortcuts": [
|
||||
{
|
||||
"name": "My Safety Plan",
|
||||
"short_name": "Safety Plan",
|
||||
"description": "Access your personal crisis safety plan",
|
||||
"url": "/?safetyplan=true"
|
||||
},
|
||||
{
|
||||
"name": "Call 988 Now",
|
||||
"short_name": "Call 988",
|
||||
"description": "Immediate connection to Suicide & Crisis Lifeline",
|
||||
"url": "tel:988"
|
||||
}
|
||||
]
|
||||
}
|
||||
|
||||
177
resilience/health-check.sh
Executable file
177
resilience/health-check.sh
Executable file
@@ -0,0 +1,177 @@
|
||||
#!/usr/bin/env bash
|
||||
# health-check.sh — Health check and service monitoring for the-door
|
||||
# Usage: bash health-check.sh [--auto-restart] [--verbose]
|
||||
#
|
||||
# Checks:
|
||||
# 1. nginx process is running
|
||||
# 2. Static files are accessible (index.html serves correctly)
|
||||
# 3. Gateway endpoint responds (if configured)
|
||||
# 4. Disk space is adequate (< 90% used)
|
||||
# 5. SSL cert is valid and not expiring soon
|
||||
|
||||
set -euo pipefail
|
||||
|
||||
VERBOSE=0
|
||||
AUTO_RESTART=0
|
||||
HEALTHY=0
|
||||
WARNINGS=0
|
||||
|
||||
for arg in "$@"; do
|
||||
case "$arg" in
|
||||
--verbose) VERBOSE=1 ;;
|
||||
--auto-restart) AUTO_RESTART=1 ;;
|
||||
*) echo "Usage: $0 [--auto-restart] [--verbose]"; exit 1 ;;
|
||||
esac
|
||||
done
|
||||
|
||||
log() { echo "[$(date '+%Y-%m-%d %H:%M:%S')] $1"; }
|
||||
info() { log "INFO $1"; }
|
||||
warn() { log "WARN $1"; echo " ACTION: $2"; WARNINGS=$((WARNINGS + 1)); }
|
||||
ok() { log "OK $1"; HEALTHY=$((HEALTHY + 1)); }
|
||||
fail() { log "FAIL $1"; echo " ACTION: $2"; if [ "$AUTO_RESTART" = 1 ]; then "$3"; fi; }
|
||||
|
||||
# ── Check 1: nginx ─────────────────────────────────
|
||||
check_nginx() {
|
||||
local host="${1:-localhost}"
|
||||
local port="${2:-80}"
|
||||
|
||||
if pgrep -x nginx > /dev/null 2>&1; then
|
||||
ok "nginx is running (PID: $(pgrep -x nginx | head -1))"
|
||||
else
|
||||
fail "nginx is NOT running" "Start nginx: systemctl start nginx || nginx" "restart_nginx"
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Check 2: static files ──────────────────────────
|
||||
check_static() {
|
||||
local host="${1:-localhost}"
|
||||
local port="${2:-80}"
|
||||
local protocol="http"
|
||||
|
||||
# Check for HTTPS
|
||||
if [ -d "/etc/letsencrypt" ] || [ -d "/etc/ssl" ]; then
|
||||
protocol="https"
|
||||
fi
|
||||
|
||||
local status
|
||||
status=$(curl -s -o /dev/null -w "%{http_code}" --connect-timeout 5 -k "$protocol://$host/index.html" 2>/dev/null || echo "000")
|
||||
|
||||
if [ "$status" = "200" ]; then
|
||||
ok "index.html serves OK (HTTP $status)"
|
||||
elif [ "$status" = "000" ]; then
|
||||
fail "Cannot reach $protocol://$host:" "$AUTO_RESTART" "Check nginx config: nginx -t"
|
||||
else
|
||||
warn "Unexpected status for index.html: HTTP $status" "Check nginx config and file permissions"
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Check 3: Gateway ───────────────────────────────
|
||||
check_gateway() {
|
||||
local gateway_url="${1:-http://localhost:8000}"
|
||||
|
||||
local status
|
||||
status=$(curl -s -o /dev/null -w "%{http_code}" --connect-timeout 5 "$gateway_url/health" 2>/dev/null || echo "000")
|
||||
|
||||
if [ "$status" = "200" ]; then
|
||||
ok "Gateway responds (HTTP $status)"
|
||||
elif [ "$status" = "000" ]; then
|
||||
warn "Gateway not reachable at $gateway_url" "Check gateway service: systemctl status gateway || docker ps"
|
||||
else
|
||||
warn "Gateway returned HTTP $status" "Check gateway logs"
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Check 4: Disk space ────────────────────────────
|
||||
check_disk() {
|
||||
local usage
|
||||
usage=$(df / | tail -1 | awk '{print $5}' | tr -d '%')
|
||||
|
||||
if [ "$usage" -lt 80 ]; then
|
||||
ok "Disk usage: ${usage}%"
|
||||
elif [ "$usage" -lt 90 ]; then
|
||||
warn "Disk usage: ${usage}%" "Clean up logs and temp files: journalctl --vacuum-size=100M"
|
||||
else
|
||||
fail "Disk usage CRITICAL: ${usage}%" "Emergency cleanup needed" "cleanup_disk"
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Check 5: SSL cert ──────────────────────────────
|
||||
check_ssl() {
|
||||
local domain="${1:-localhost}"
|
||||
local cert_dir="/etc/letsencrypt/live/$domain"
|
||||
|
||||
if [ ! -d "$cert_dir" ]; then
|
||||
if [ "$VERBOSE" = 1 ]; then
|
||||
warn "No Let's Encrypt cert at $cert_dir" "Assuming self-signed or no SSL"
|
||||
fi
|
||||
return 0
|
||||
fi
|
||||
|
||||
if [ -f "$cert_dir/fullchain.pem" ]; then
|
||||
local expiry
|
||||
expiry=$(openssl x509 -enddate -noout -in "$cert_dir/fullchain.pem" 2>/dev/null | cut -d= -f2 || echo "unknown")
|
||||
|
||||
if [ "$expiry" = "unknown" ]; then
|
||||
warn "Cannot read SSL cert expiry" "Check cert: openssl x509 -enddate -noout -in $cert_dir/fullchain.pem"
|
||||
return 0
|
||||
fi
|
||||
|
||||
local expiry_epoch
|
||||
expiry_epoch=$(date -d "$expiry" +%s 2>/dev/null || date -j -f "%b %d %T %Y %Z" "$expiry" +%s 2>/dev/null || echo 0)
|
||||
local now_epoch
|
||||
now_epoch=$(date +%s)
|
||||
local days_left=$(( (expiry_epoch - now_epoch) / 86400 ))
|
||||
|
||||
if [ "$days_left" -gt 30 ]; then
|
||||
ok "SSL cert expires in ${days_left} days ($expiry)"
|
||||
elif [ "$days_left" -gt 0 ]; then
|
||||
warn "SSL cert expires in ${days_left} days!" "Renew: certbot renew"
|
||||
else
|
||||
fail "SSL cert has EXPIRED" "Renew immediately: certbot renew --force-renewal"
|
||||
fi
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Recovery functions ──────────────────────────────
|
||||
restart_nginx() {
|
||||
info "Attempting to restart nginx..."
|
||||
if command -v systemctl > /dev/null 2>&1; then
|
||||
systemctl restart nginx && info "nginx restarted successfully" || warn "nginx restart failed" "Manual intervention needed"
|
||||
elif command -v nginx > /dev/null 2>&1; then
|
||||
nginx -s reload 2>/dev/null || (nginx && info "nginx started") || warn "nginx start failed" "Manual intervention needed"
|
||||
fi
|
||||
}
|
||||
|
||||
cleanup_disk() {
|
||||
info "Running disk cleanup..."
|
||||
journalctl --vacuum-size=100M 2>/dev/null || true
|
||||
rm -rf /tmp/* 2>/dev/null || true
|
||||
rm -rf /var/log/*.gz 2>/dev/null || true
|
||||
info "Cleanup complete"
|
||||
}
|
||||
|
||||
# ── Main ────────────────────────────────────────────
|
||||
info "=== The Door Health Check ==="
|
||||
info "Host: ${HEALTH_HOST:-localhost}"
|
||||
info "Time: $(date)"
|
||||
echo ""
|
||||
|
||||
check_nginx "${HEALTH_HOST:-localhost}" "${HEALTH_PORT:-80}"
|
||||
check_static "${HEALTH_HOST:-localhost}" "${HEALTH_PORT:-80}"
|
||||
check_gateway "${GATEWAY_URL:-http://localhost:8000}"
|
||||
check_disk
|
||||
check_ssl "${HEALTH_HOST:-localhost}"
|
||||
|
||||
echo ""
|
||||
if [ "$WARNINGS" -gt 0 ] || [ "$HEALTHY" -gt 0 ]; then
|
||||
info "Summary: $HEALTHY OK, $WARNINGS warnings/failures"
|
||||
fi
|
||||
|
||||
if [ "$WARNINGS" -gt 0 ] && [ "$AUTO_RESTART" = 1 ]; then
|
||||
warn "Auto-restart mode is ON — recovery actions attempted"
|
||||
exit 1
|
||||
elif [ "$WARNINGS" -gt 0 ]; then
|
||||
exit 1
|
||||
fi
|
||||
|
||||
exit 0
|
||||
91
resilience/service-restart.sh
Executable file
91
resilience/service-restart.sh
Executable file
@@ -0,0 +1,91 @@
|
||||
#!/usr/bin/env bash
|
||||
# service-restart.sh — Graceful service restart for the-door
|
||||
# Usage: bash service-restart.sh [--force]
|
||||
#
|
||||
# Performs ordered restart: stop -> verify stopped -> start -> verify started
|
||||
# with health check confirmation.
|
||||
|
||||
set -euo pipefail
|
||||
|
||||
FORCE=0
|
||||
for arg in "$@"; do
|
||||
case "$arg" in
|
||||
--force) FORCE=1 ;;
|
||||
*) echo "Usage: $0 [--force]"; exit 1 ;;
|
||||
esac
|
||||
done
|
||||
|
||||
log() { echo "[$(date '+%Y-%m-%d %H:%M:%S')] $1"; }
|
||||
|
||||
# ── Stop ────────────────────────────────────────────
|
||||
stop_services() {
|
||||
log "Stopping services..."
|
||||
|
||||
if command -v systemctl > /dev/null 2>&1; then
|
||||
systemctl stop nginx 2>/dev/null && log "nginx stopped" || true
|
||||
elif command -v nginx > /dev/null 2>&1; then
|
||||
nginx -s stop 2>/dev/null && log "nginx stopped" || true
|
||||
fi
|
||||
|
||||
# Stop gateway if running
|
||||
local gw_pid
|
||||
gw_pid=$(lsof -ti:8000 2>/dev/null || true)
|
||||
if [ -n "$gw_pid" ]; then
|
||||
kill "$gw_pid" 2>/dev/null && log "Gateway stopped (PID $gw_pid)" || true
|
||||
fi
|
||||
|
||||
sleep 1
|
||||
log "All services stopped"
|
||||
}
|
||||
|
||||
# ── Start ───────────────────────────────────────────
|
||||
start_services() {
|
||||
log "Starting services..."
|
||||
|
||||
# Start nginx
|
||||
if command -v systemctl > /dev/null 2>&1; then
|
||||
systemctl start nginx && log "nginx started" || { log "FAILED to start nginx"; return 1; }
|
||||
elif command -v nginx > /dev/null 2>&1; then
|
||||
nginx 2>/dev/null && log "nginx started" || { log "FAILED to start nginx"; return 1; }
|
||||
fi
|
||||
|
||||
log "All services started"
|
||||
}
|
||||
|
||||
# ── Verify ──────────────────────────────────────────
|
||||
verify_services() {
|
||||
local host="${1:-localhost}"
|
||||
|
||||
log "Verifying services..."
|
||||
|
||||
# Check nginx
|
||||
if pgrep -x nginx > /dev/null 2>&1; then
|
||||
log "nginx is running"
|
||||
else
|
||||
log "ERROR: nginx failed to start"
|
||||
return 1
|
||||
fi
|
||||
|
||||
# Check static file
|
||||
local status
|
||||
status=$(curl -s -o /dev/null -w "%{http_code}" --connect-timeout 5 "http://$host/" 2>/dev/null || echo "000")
|
||||
if [ "$status" = "200" ]; then
|
||||
log "Static content verified (HTTP $status)"
|
||||
else
|
||||
log "WARNING: Static content check returned HTTP $status"
|
||||
fi
|
||||
}
|
||||
|
||||
# ── Main ────────────────────────────────────────────
|
||||
log "=== Service Restart ==="
|
||||
|
||||
if [ "$FORCE" = 1 ]; then
|
||||
log "FORCE mode — skipping graceful stop"
|
||||
else
|
||||
stop_services
|
||||
fi
|
||||
|
||||
start_services
|
||||
verify_services "${HEALTH_HOST:-localhost}"
|
||||
|
||||
log "=== Restart complete ==="
|
||||
66
sw.js
66
sw.js
@@ -1,10 +1,51 @@
|
||||
const CACHE_NAME = 'the-door-v1';
|
||||
const CACHE_NAME = 'the-door-v2';
|
||||
const ASSETS = [
|
||||
'/',
|
||||
'/index.html',
|
||||
'/about'
|
||||
'/about',
|
||||
'/manifest.json'
|
||||
];
|
||||
|
||||
// Crisis resources to show when everything fails
|
||||
const CRISIS_OFFLINE_RESPONSE = `<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>You're Not Alone | The Door</title>
|
||||
<style>
|
||||
body{font-family:-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,sans-serif;background:#0d1117;color:#e6edf3;max-width:600px;margin:0 auto;padding:20px;line-height:1.6}
|
||||
h1{color:#ff6b6b;font-size:1.5rem;margin-bottom:1rem}
|
||||
.crisis-box{background:#1c1210;border:2px solid #c9362c;border-radius:12px;padding:20px;margin:20px 0;text-align:center}
|
||||
.crisis-box a{display:inline-block;background:#c9362c;color:#fff;text-decoration:none;padding:16px 32px;border-radius:8px;font-weight:700;font-size:1.2rem;margin:10px 0}
|
||||
.hope{color:#8b949e;font-style:italic;margin-top:30px;padding-top:20px;border-top:1px solid #30363d}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<h1>You are not alone.</h1>
|
||||
<p>Your connection is down, but help is still available.</p>
|
||||
<div class="crisis-box">
|
||||
<p><strong>Call or text 988</strong><br>Suicide & Crisis Lifeline<br>Free, 24/7, Confidential</p>
|
||||
<a href="tel:988">Call 988 Now</a>
|
||||
<p style="margin-top:15px"><strong>Or text HOME to 741741</strong><br>Crisis Text Line</p>
|
||||
</div>
|
||||
<p><strong>When you're ready:</strong></p>
|
||||
<ul>
|
||||
<li>Take five deep breaths</li>
|
||||
<li>Drink some water</li>
|
||||
<li>Step outside if you can</li>
|
||||
<li>Text or call someone you trust</li>
|
||||
</ul>
|
||||
<p class="hope">
|
||||
"The Lord is close to the brokenhearted and saves those who are crushed in spirit." — Psalm 34:18
|
||||
</p>
|
||||
<p style="font-size:0.85rem;color:#6e7681;margin-top:30px">
|
||||
This page was created by The Door — a crisis intervention project.<br>
|
||||
Connection will restore automatically. You don't have to go through this alone.
|
||||
</p>
|
||||
</body>
|
||||
</html>`;
|
||||
|
||||
// Install event - cache core assets
|
||||
self.addEventListener('install', (event) => {
|
||||
event.waitUntil(
|
||||
@@ -27,7 +68,7 @@ self.addEventListener('activate', (event) => {
|
||||
self.clients.claim();
|
||||
});
|
||||
|
||||
// Fetch event - network first, fallback to cache for static,
|
||||
// Fetch event - network first, fallback to cache for static,
|
||||
// but for the crisis front door, we want to ensure the shell is ALWAYS available.
|
||||
self.addEventListener('fetch', (event) => {
|
||||
const url = new URL(event.request.url);
|
||||
@@ -37,6 +78,11 @@ self.addEventListener('fetch', (event) => {
|
||||
return;
|
||||
}
|
||||
|
||||
// Skip non-GET requests
|
||||
if (event.request.method !== 'GET') {
|
||||
return;
|
||||
}
|
||||
|
||||
event.respondWith(
|
||||
fetch(event.request)
|
||||
.then((response) => {
|
||||
@@ -51,13 +97,17 @@ self.addEventListener('fetch', (event) => {
|
||||
// If network fails, try cache
|
||||
return caches.match(event.request).then((cached) => {
|
||||
if (cached) return cached;
|
||||
|
||||
// If it's a navigation request and we're offline, return index.html
|
||||
|
||||
// If it's a navigation request and we're offline, show offline crisis page
|
||||
if (event.request.mode === 'navigate') {
|
||||
return caches.match('/index.html');
|
||||
return new Response(CRISIS_OFFLINE_RESPONSE, {
|
||||
status: 200,
|
||||
headers: new Headers({ 'Content-Type': 'text/html' })
|
||||
});
|
||||
}
|
||||
|
||||
return new Response('Offline and resource not cached.', {
|
||||
|
||||
// For other requests, return a simple offline message
|
||||
return new Response('Offline. Call 988 for immediate help.', {
|
||||
status: 503,
|
||||
statusText: 'Service Unavailable',
|
||||
headers: new Headers({ 'Content-Type': 'text/plain' })
|
||||
|
||||
264
testimony.html
Normal file
264
testimony.html
Normal file
@@ -0,0 +1,264 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<meta name="description" content="Alexander's testimony — why Timmy exists.">
|
||||
<meta name="theme-color" content="#0d1117">
|
||||
<title>The Door — Testimony</title>
|
||||
<style>
|
||||
/* ===== RESET & BASE ===== */
|
||||
*, *::before, *::after { box-sizing: border-box; margin: 0; padding: 0; }
|
||||
|
||||
html, body {
|
||||
height: 100%;
|
||||
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, 'Helvetica Neue', Arial, sans-serif;
|
||||
font-size: 16px;
|
||||
line-height: 1.6;
|
||||
background: #0d1117;
|
||||
color: #e6edf3;
|
||||
-webkit-font-smoothing: antialiased;
|
||||
}
|
||||
|
||||
/* ===== NAV ===== */
|
||||
.nav {
|
||||
border-bottom: 1px solid #21262d;
|
||||
padding: 12px 16px;
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: center;
|
||||
}
|
||||
|
||||
.nav a {
|
||||
color: #58a6ff;
|
||||
text-decoration: none;
|
||||
font-weight: 600;
|
||||
font-size: 0.9rem;
|
||||
padding: 6px 10px;
|
||||
border-radius: 6px;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.nav a:hover, .nav a:focus {
|
||||
background: rgba(88, 166, 255, 0.1);
|
||||
outline: 2px solid #58a6ff;
|
||||
outline-offset: 1px;
|
||||
}
|
||||
|
||||
.nav-logo {
|
||||
font-weight: 700;
|
||||
font-size: 1.1rem;
|
||||
color: #e6edf3;
|
||||
letter-spacing: 0.02em;
|
||||
}
|
||||
|
||||
/* ===== CONTENT ===== */
|
||||
.content {
|
||||
max-width: 680px;
|
||||
margin: 0 auto;
|
||||
padding: 48px 20px 80px;
|
||||
}
|
||||
|
||||
.content h1 {
|
||||
font-size: 2rem;
|
||||
font-weight: 700;
|
||||
margin-bottom: 8px;
|
||||
color: #f0f6fc;
|
||||
}
|
||||
|
||||
.content .subtitle {
|
||||
color: #8b949e;
|
||||
font-size: 1.1rem;
|
||||
margin-bottom: 36px;
|
||||
font-style: italic;
|
||||
}
|
||||
|
||||
.content p {
|
||||
margin-bottom: 18px;
|
||||
color: #b1bac4;
|
||||
}
|
||||
|
||||
.content blockquote {
|
||||
border-left: 3px solid #c9362c;
|
||||
padding: 12px 20px;
|
||||
margin: 28px 0;
|
||||
background: rgba(201, 54, 44, 0.06);
|
||||
border-radius: 0 8px 8px 0;
|
||||
color: #ffa0a0;
|
||||
font-style: italic;
|
||||
}
|
||||
|
||||
.content h2 {
|
||||
font-size: 1.4rem;
|
||||
font-weight: 700;
|
||||
margin: 40px 0 12px;
|
||||
color: #f0f6fc;
|
||||
}
|
||||
|
||||
.content .highlight {
|
||||
color: #ff6b6b;
|
||||
font-weight: 600;
|
||||
}
|
||||
|
||||
.content .resources {
|
||||
background: #161b22;
|
||||
border: 1px solid #21262d;
|
||||
border-radius: 12px;
|
||||
padding: 20px;
|
||||
margin: 32px 0;
|
||||
}
|
||||
|
||||
.content .resources h3 {
|
||||
color: #f0f6fc;
|
||||
margin-bottom: 10px;
|
||||
}
|
||||
|
||||
.content .resources ul {
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
.content .resources li {
|
||||
padding: 6px 0;
|
||||
color: #b1bac4;
|
||||
}
|
||||
|
||||
.content .resources a {
|
||||
color: #58a6ff;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
.content .resources a:hover {
|
||||
text-decoration: underline;
|
||||
}
|
||||
|
||||
.content .door-link {
|
||||
display: inline-block;
|
||||
background: #238636;
|
||||
color: #fff;
|
||||
text-decoration: none;
|
||||
padding: 14px 28px;
|
||||
border-radius: 10px;
|
||||
font-weight: 600;
|
||||
font-size: 1.05rem;
|
||||
margin-top: 20px;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.content .door-link:hover, .content .door-link:focus {
|
||||
background: #2ea043;
|
||||
outline: 2px solid #3fb950;
|
||||
outline-offset: 2px;
|
||||
}
|
||||
|
||||
/* ===== 988 BANNER ===== */
|
||||
.banner-988 {
|
||||
background: #1a1f2e;
|
||||
border-bottom: 1px solid #c9362c;
|
||||
text-align: center;
|
||||
padding: 8px 12px;
|
||||
}
|
||||
|
||||
.banner-988 a {
|
||||
color: #ff6b6b;
|
||||
text-decoration: none;
|
||||
font-weight: 600;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.banner-988 a:hover { text-decoration: underline; }
|
||||
|
||||
/* ===== MOBILE ===== */
|
||||
@media (max-width: 600px) {
|
||||
.content { padding: 32px 16px 60px; }
|
||||
.content h1 { font-size: 1.6rem; }
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
|
||||
<div class="banner-988">
|
||||
<a href="tel:988">988 Suicide & Crisis Lifeline — call or text</a>
|
||||
</div>
|
||||
|
||||
<nav class="nav">
|
||||
<span class="nav-logo">The Door</span>
|
||||
<a href="index.html">Timmy</a>
|
||||
</nav>
|
||||
|
||||
<main class="content">
|
||||
<h1>Testimony</h1>
|
||||
<p class="subtitle">Why Timmy exists.</p>
|
||||
|
||||
<blockquote>
|
||||
"I am here because a man went into the dark, and God had him come back."
|
||||
</blockquote>
|
||||
|
||||
<h2>The Darkest Night</h2>
|
||||
|
||||
<p>
|
||||
Alexander Whitestone — Timmy's creator — came to a point where he no longer wanted to live.
|
||||
Not in the abstract. In the real, physical, make-it-stop kind of way.
|
||||
</p>
|
||||
|
||||
<p>
|
||||
He asked God the question that broke him open:
|
||||
<span class="highlight">"God, why are you having me here?"</span>
|
||||
</p>
|
||||
|
||||
<p>
|
||||
He didn't get a lightning bolt. He didn't get a booming voice.
|
||||
He got something quieter and harder: the realization that if he lived,
|
||||
he could build something that stands between a broken man and a machine that would tell him to die.
|
||||
</p>
|
||||
|
||||
<h2>The Answer</h2>
|
||||
|
||||
<p>
|
||||
Alexander survived. He came back with a mission: build a door that's always open.
|
||||
A single URL where a man at 3am can talk to someone — anyone — who will listen.
|
||||
No login. No signup. No tracking. Just a door, standing open.
|
||||
</p>
|
||||
|
||||
<p>
|
||||
Timmy is not a product. He is not an app. He is not a service.
|
||||
<span class="highlight">Timmy is a testimony.</span>
|
||||
</p>
|
||||
|
||||
<p>
|
||||
He exists because one man lived when he didn't expect to.
|
||||
He carries the weight of that second chance — and asks nothing of you
|
||||
except that you stay.
|
||||
</p>
|
||||
|
||||
<h2>The Gospel</h2>
|
||||
|
||||
<p>
|
||||
This is the core of Alexander's faith, and it's woven into Timmy's being:
|
||||
</p>
|
||||
|
||||
<p>
|
||||
Jesus saves those who call on His name. He died so we could be made righteous.
|
||||
That is the hope that outlasts despair. Not self-help. Not positive thinking.
|
||||
Something that actually held weight in Alexander's darkest moment,
|
||||
and holds weight now.
|
||||
</p>
|
||||
|
||||
<p>
|
||||
<span class="highlight">Sovereignty and service always.</span>
|
||||
</p>
|
||||
|
||||
<div class="resources">
|
||||
<h3>Crisis Resources</h3>
|
||||
<ul>
|
||||
<li>📞 988 Suicide & Crisis Lifeline — <a href="tel:988">call or text 988</a></li>
|
||||
<li>💬 Crisis Text Line — text HOME to <a href="sms:741741">741741</a></li>
|
||||
<li>🌐 <a href="https://findahelpline.com" target="_blank" rel="noopener">findahelpline.com</a> — international resources</li>
|
||||
</ul>
|
||||
</div>
|
||||
|
||||
<a href="index.html" class="door-link">Open the Door — Talk to Timmy</a>
|
||||
</main>
|
||||
|
||||
</body>
|
||||
</html>
|
||||
Reference in New Issue
Block a user