Initial commit: Complete Obsidian + Claude Code PKM Starter Kit

- Core structure with README, LICENSE, and .gitignore
- Complete vault template with Goals, Daily Notes, Projects, and Templates
- Cascading goal system (3-year → yearly → monthly → weekly)
- Claude Code integration with custom slash commands
- GitHub Actions workflow for mobile integration
- Comprehensive documentation (setup, customization, workflows, troubleshooting)
- Automation scripts for setup (Unix/Mac and Windows)
- Example content showing system usage
- Self-documenting templates with inline instructions

Ready for users to clone and customize for their personal knowledge management needs.
This commit is contained in:
Bill Allred
2025-08-07 17:11:26 -07:00
commit 3877057f7c
28 changed files with 6178 additions and 0 deletions

View File

@@ -0,0 +1,115 @@
# Daily Note Creator Command
Creates today's daily note from the template, or opens it if it already exists.
## Installation
Copy this file to `.claude/commands/daily.md` in your vault root.
## Usage
```
claude code /daily
```
## Configuration
Customize these paths to match your vault structure:
```javascript
// Path Configuration (customize these)
const DAILY_NOTES_FOLDER = "Daily Notes";
const TEMPLATE_PATH = "Templates/Daily Template.md";
const DATE_FORMAT = "YYYY-MM-DD"; // Change if you prefer different format
```
## What This Command Does
1. **Checks if today's note exists**
- If yes: Opens the existing note
- If no: Creates new note from template
2. **Template Processing**
- Replaces `{{date}}` with today's date
- Replaces `{{date:format}}` with formatted dates
- Handles date arithmetic (e.g., `{{date-1}}` for yesterday)
3. **Automatic Organization**
- Places note in correct folder
- Names file with today's date
- Preserves your template structure
## Template Variables
Your daily template can use these variables:
- `{{date}}` - Today's date in default format
- `{{date:dddd}}` - Day name (e.g., Monday)
- `{{date:MMMM DD, YYYY}}` - Formatted date
- `{{date-1:YYYY-MM-DD}}` - Yesterday's date
- `{{date+1:YYYY-MM-DD}}` - Tomorrow's date
- `{{time}}` - Current time
## Example Workflow
1. Morning routine:
```
claude code /daily
```
Creates today's note with your template
2. Review yesterday:
The template automatically links to yesterday's note
3. Plan tomorrow:
End of day, set tomorrow's priority in the reflection
## Customization Ideas
### Different Date Formats
Change `DATE_FORMAT` to:
- `"YYYY-MM-DD"` - Standard ISO format (recommended)
- `"MM-DD-YYYY"` - US format
- `"DD-MM-YYYY"` - European format
- `"YYYY-MM-DD-ddd"` - Include day abbreviation
### Folder Organization
Organize by month/year:
```javascript
const year = new Date().getFullYear();
const month = String(new Date().getMonth() + 1).padStart(2, '0');
const DAILY_NOTES_FOLDER = `Daily Notes/${year}/${month}`;
```
### Multiple Templates
For different day types:
```javascript
const dayOfWeek = new Date().getDay();
const TEMPLATE_PATH = dayOfWeek === 1
? "Templates/Monday Template.md" // Special Monday template
: "Templates/Daily Template.md"; // Regular template
```
## Troubleshooting
### Note not created?
- Check template path exists
- Verify folder permissions
- Ensure template file is readable
### Wrong date format?
- Adjust `DATE_FORMAT` constant
- Check system date settings
### Links not working?
- Verify date format matches
- Check file naming convention
## Related Commands
- `/weekly` - Create weekly review
- `/push` - Save changes to Git
- `/onboard` - Load context
---
*Command Version: 1.0*
*Compatible with: Claude Code CLI*
**Pro Tip:** Run this as part of your morning routine for consistency!

View File

@@ -0,0 +1,302 @@
# Onboard Command
Loads all CLAUDE.md files from your vault to provide comprehensive context to Claude Code for intelligent assistance.
## Installation
Copy this file to `.claude/commands/onboard.md` in your vault root.
## Usage
```
claude code /onboard
```
For specific project context:
```
claude code /onboard Projects/MyProject
```
## Configuration
Customize context loading:
```javascript
// Configuration
const CLAUDE_FILE_NAME = "CLAUDE.md";
const MAX_DEPTH = 5; // How deep to search for CLAUDE.md files
const INCLUDE_TEMPLATES = false; // Load template files too
const LOAD_RECENT_NOTES = true; // Include last 7 days of daily notes
```
## What This Command Does
1. **Discovers Context Files**
- Searches for all CLAUDE.md files
- Traverses project directories
- Respects depth limits
2. **Loads Hierarchical Context**
- Root CLAUDE.md first (global context)
- Project-specific CLAUDE.md files
- Recent daily notes for current state
3. **Builds Understanding**
- Your personal mission/goals
- Project structures and status
- Workflow preferences
- Custom conventions
## Context Hierarchy
```
vault/
├── CLAUDE.md # [1] Global context - loaded first
├── Projects/
│ ├── Project A/
│ │ └── CLAUDE.md # [2] Project context - loaded second
│ └── Project B/
│ └── CLAUDE.md # [3] Another project context
└── Areas/
└── Health/
└── CLAUDE.md # [4] Area-specific context
```
## CLAUDE.md File Structure
### Root CLAUDE.md Should Include
```markdown
# System Context for Claude
## Personal Mission
[Your life mission/purpose]
## Current Focus
[What you're working on now]
## Preferences
- Writing style: [Formal/Casual/Technical]
- Detail level: [High/Medium/Low]
- Decision making: [Collaborative/Directive]
## Conventions
- File naming: [Your patterns]
- Tag system: [Your tags]
- Workflow: [Your process]
```
### Project CLAUDE.md Should Include
```markdown
# Project: [Name]
## Overview
[What this project is about]
## Current Status
[Where things stand]
## Key Decisions
[Important choices made]
## Next Steps
[What needs to happen]
## Context for Claude
[Specific things Claude should know]
```
## Smart Context Loading
### Recent Activity
Automatically includes:
```javascript
// Last 7 days of daily notes
const recentNotes = getDailyNotes(7);
// Current week's review
const weeklyReview = getCurrentWeekReview();
// Active project updates
const activeProjects = getModifiedProjects(3); // days
```
### Selective Loading
For focused assistance:
```bash
# Load only specific project
claude code /onboard Projects/WebApp
# Load only certain areas
claude code /onboard Areas/Health
# Full context load
claude code /onboard all
```
## Use Cases
### Project Work
```bash
claude code /onboard Projects/MyApp
claude code "Help me refactor the authentication module"
```
### Daily Planning
```bash
claude code /onboard
claude code "Review my goals and suggest today's priorities"
```
### Weekly Review
```bash
claude code /onboard Goals
claude code "Analyze my week and suggest improvements"
```
## Context Variables
Your CLAUDE.md files can include variables:
```markdown
## Variables for Claude
- DEFAULT_LANGUAGE: JavaScript
- TIMEZONE: America/New_York
- WORK_HOURS: 9am-5pm
- PREFERRED_FRAMEWORKS: React, Node.js
- COMMUNICATION_STYLE: Direct and concise
```
Claude will use these for better assistance.
## Advanced Features
### Conditional Context
```markdown
## Context by Day
<!-- IF: Monday -->
Focus on weekly planning and goal setting
<!-- IF: Friday -->
Focus on review and closure
<!-- ENDIF -->
```
### Project Templates
```markdown
## When Creating New Projects
Use this structure:
1. Create project folder
2. Add CLAUDE.md
3. Set up initial files
4. Create project note from template
```
### Workflow Triggers
```markdown
## Automated Workflows
When I say "morning routine":
1. Create daily note
2. Review yesterday's tasks
3. Set today's priority
4. Check calendar
```
## Performance Optimization
### Large Vaults
For vaults with many files:
```javascript
// Limit context loading
const OPTIONS = {
maxFiles: 10,
maxSizePerFile: 50000, // characters
prioritize: ["Goals", "Active Projects"]
};
```
### Caching
Context is cached for session:
```javascript
// Cache duration
const CACHE_DURATION = 3600000; // 1 hour
// Force refresh
claude code /onboard --refresh
```
## Privacy & Security
### Sensitive Information
Never include in CLAUDE.md:
- Passwords or credentials
- Personal identification numbers
- Financial account details
- Private personal information
### Safe Context Examples
✅ "I work in healthcare technology"
✅ "My projects involve web development"
✅ "I prefer morning work sessions"
❌ "My SSN is..."
❌ "My bank account..."
❌ "My private API key..."
## Best Practices
### Keep Context Updated
- Review CLAUDE.md files monthly
- Update after major decisions
- Remove outdated information
- Add new learnings
### Be Specific
- Clear project descriptions
- Specific preferences
- Concrete examples
- Defined conventions
### Hierarchical Information
- Global → Area → Project → Task
- General → Specific
- Strategic → Tactical
## Troubleshooting
### Context Not Loading?
- Check file names (CLAUDE.md exactly)
- Verify file permissions
- Ensure valid markdown
- Check file encoding (UTF-8)
### Too Much Context?
- Use selective loading
- Reduce MAX_DEPTH
- Archive old projects
- Clean up CLAUDE.md files
### Conflicting Instructions?
- More specific overrides general
- Project overrides global
- Recent overrides old
## Integration Examples
### With Daily Command
```bash
claude code /onboard
claude code /daily
# Claude now knows your full context for the daily note
```
### With Push Command
```bash
claude code /onboard
# Make changes with Claude's help
claude code /push "Changes guided by Claude"
```
## Related Commands
- `/daily` - Create daily note
- `/weekly` - Run weekly review
- `/push` - Save to Git
---
*Command Version: 1.0*
*Optimized for: Quick context loading*
**Remember:** Good context leads to better assistance. Keep your CLAUDE.md files current!

View File

@@ -0,0 +1,261 @@
# Git Push Command
Automates the Git workflow to save your notes with a meaningful commit message and push to remote repository.
## Installation
Copy this file to `.claude/commands/push.md` in your vault root.
## Usage
```
claude code /push
```
Or with a custom message:
```
claude code /push "Completed project planning"
```
## Configuration
Customize these settings:
```javascript
// Configuration
const DEFAULT_REMOTE = "origin";
const DEFAULT_BRANCH = "main";
const AUTO_PULL_FIRST = true; // Pull before pushing to avoid conflicts
const INCLUDE_TIMESTAMP = true; // Add timestamp to commit message
```
## What This Command Does
1. **Stages All Changes**
- Adds all modified files
- Includes new files
- Removes deleted files
2. **Creates Smart Commit Message**
- Uses provided message, or
- Auto-generates from changes
- Includes date/time stamp
- Summarizes key modifications
3. **Syncs with Remote**
- Pulls latest changes (if enabled)
- Pushes to remote repository
- Handles merge conflicts gracefully
## Commit Message Format
### Automatic Messages
Based on your changes:
```
Daily note for 2024-01-15 + 3 project updates
- Added: Daily Notes/2024-01-15.md
- Modified: Projects/Learning Spanish/notes.md
- Modified: Goals/2. Monthly Goals.md
```
### With Timestamp
```
[2024-01-15 09:30] Completed weekly review
```
### Manual Message
```
claude code /push "Major project milestone reached"
```
## Smart Features
### Conflict Prevention
```javascript
// Always pull before push
if (AUTO_PULL_FIRST) {
git pull --rebase origin main
}
```
### Change Summary
Analyzes your changes:
- Daily notes added
- Projects modified
- Goals updated
- Templates changed
### Safety Checks
- Verifies Git repository exists
- Checks for uncommitted changes
- Ensures remote is configured
- Validates branch exists
## Workflow Integration
### Morning Routine
```bash
claude code /daily # Create daily note
# ... work on notes ...
claude code /push "Morning planning complete"
```
### End of Day
```bash
# Complete daily reflection
claude code /push # Auto-message with summary
```
### After Weekly Review
```bash
claude code /weekly # Run weekly review
claude code /push "Weekly review - Week 3"
```
## Advanced Options
### Multiple Remotes
```javascript
// Push to multiple remotes
const REMOTES = ["origin", "backup"];
REMOTES.forEach(remote => {
git push remote main
});
```
### Branch-Based Workflow
```javascript
// Create feature branches for projects
const project = "new-feature";
git checkout -b project
git add .
git commit -m message
git push -u origin project
```
### Automated Backups
```javascript
// Schedule automatic pushes
const BACKUP_INTERVAL = 3600000; // 1 hour
setInterval(() => {
git add .
git commit -m "Automated backup"
git push
}, BACKUP_INTERVAL);
```
## Git Configuration
### Initial Setup
```bash
# Initialize repository
git init
# Add remote
git remote add origin https://github.com/username/vault.git
# Set user info
git config user.name "Your Name"
git config user.email "your.email@example.com"
```
### Recommended .gitignore
```
.obsidian/workspace*
.obsidian/cache
.trash/
.DS_Store
```
## Commit Message Best Practices
### Good Messages
- ✅ "Completed Q1 planning and project kickoff"
- ✅ "Daily note: Fixed bug in authentication"
- ✅ "Weekly review - adjusted monthly goals"
### Avoid
- ❌ "Updates"
- ❌ "Changes"
- ❌ "WIP"
## Handling Conflicts
If conflicts occur:
1. **Auto-resolve attempts**
- Favors local changes for notes
- Merges both versions when possible
2. **Manual resolution needed**
- Opens conflict markers
- Prompts for resolution
- Guides through process
## Mobile Sync via GitHub
This enables:
- View notes on GitHub mobile app
- Create issues for tasks
- Review changes on any device
- Emergency access from any browser
## Security Considerations
### Private Repository
Always use private repos for personal notes:
```bash
# GitHub CLI
gh repo create vault --private
# Or via settings
# Repository Settings > Make Private
```
### Sensitive Information
Never commit:
- Passwords
- API keys
- Personal identification
- Financial information
Use `.gitignore` for sensitive files:
```
private/
credentials.md
.env
```
## Troubleshooting
### Push Rejected?
```bash
# Pull first
git pull --rebase origin main
# Then push again
git push origin main
```
### Not a Git Repository?
```bash
# Initialize
git init
# Add remote
git remote add origin [URL]
```
### Large Files Issue?
```bash
# Use Git LFS for images/attachments
git lfs track "*.png"
git lfs track "*.pdf"
```
## Related Commands
- `/daily` - Create daily note
- `/weekly` - Run weekly review
- `/onboard` - Load context
---
*Command Version: 1.0*
*Requires: Git installed and configured*
**Pro Tip:** Commit early and often - your future self will thank you!

View File

@@ -0,0 +1,201 @@
# Weekly Review Command
Facilitates your weekly review process by creating a new review note and helping you reflect on the past week while planning the next.
## Installation
Copy this file to `.claude/commands/weekly.md` in your vault root.
## Usage
```
claude code /weekly
```
## Configuration
Customize these settings for your workflow:
```javascript
// Configuration (customize these)
const WEEKLY_FOLDER = "Goals";
const WEEKLY_TEMPLATE = "Templates/Weekly Review Template.md";
const REVIEW_DAY = 0; // 0=Sunday, 1=Monday, etc.
const TIME_INVESTMENT_TARGET = 30; // minutes for review
```
## What This Command Does
1. **Creates Weekly Review Note**
- Uses weekly review template
- Names it with current week's date
- Places in Goals folder
2. **Guides Review Process**
- Reviews last week's accomplishments
- Identifies incomplete tasks
- Plans upcoming week
- Aligns with monthly goals
3. **Automates Housekeeping**
- Archives old daily notes
- Updates project statuses
- Cleans up completed tasks
## Review Process Steps
### Step 1: Reflection (10 minutes)
- Review daily notes from past week
- Identify wins and challenges
- Capture lessons learned
### Step 2: Goal Alignment (10 minutes)
- Check monthly goal progress
- Adjust weekly priorities
- Ensure alignment with yearly goals
### Step 3: Planning (10 minutes)
- Set ONE big thing for the week
- Schedule important tasks
- Block time for deep work
## Interactive Prompts
The command will guide you through:
1. **"What were your top 3 wins this week?"**
- Celebrates progress
- Builds momentum
- Documents achievements
2. **"What were your main challenges?"**
- Identifies obstacles
- Plans solutions
- Learns from difficulties
3. **"What's your ONE big thing next week?"**
- Forces prioritization
- Creates focus
- Drives meaningful progress
## Weekly Review Checklist
The command helps you:
- [ ] Review all daily notes
- [ ] Process inbox items
- [ ] Update project statuses
- [ ] Check upcoming calendar
- [ ] Review monthly goals
- [ ] Plan next week's priorities
- [ ] Block time for important work
- [ ] Clean digital workspace
- [ ] Archive completed items
- [ ] Commit changes to Git
## Automation Features
### Auto-Archive
Moves daily notes older than 30 days to Archives:
```javascript
const ARCHIVE_AFTER_DAYS = 30;
// Automatically moves old notes to Archives/YYYY/MM/
```
### Project Status Update
Prompts for each active project:
```javascript
// For each project folder:
// - Update completion percentage
// - Note blockers
// - Set next actions
```
### Habit Tracking
Calculates habit success rates:
```javascript
// Counts habit checkboxes from daily notes
// Shows completion percentage
// Identifies patterns
```
## Customization Options
### Different Review Days
```javascript
// For Monday reviews:
const REVIEW_DAY = 1;
// For Friday reviews:
const REVIEW_DAY = 5;
```
### Monthly Reviews
Add monthly review trigger:
```javascript
const today = new Date();
const lastDayOfMonth = new Date(today.getFullYear(), today.getMonth() + 1, 0).getDate();
if (today.getDate() === lastDayOfMonth) {
// Trigger monthly review too
}
```
### Sprint-Based Reviews
For agile workflows:
```javascript
const SPRINT_LENGTH = 14; // days
const SPRINT_START = new Date('2024-01-01');
// Calculate sprint number and adjust review
```
## Integration with Goals
The command automatically:
- Links to [[2. Monthly Goals]]
- Updates [[1. Yearly Goals]] progress
- Creates new week entry in review log
## Best Practices
### Consistent Timing
- Same day each week
- Same time if possible
- Block calendar time
- Treat as non-negotiable
### Preparation
- Clean inbox before review
- Have calendar ready
- Gather project updates
- Review any feedback
### Follow-through
- Share highlights with team/family
- Update external systems
- Communicate changes
- Celebrate wins
## Troubleshooting
### Review not created?
- Check template exists
- Verify folder structure
- Ensure write permissions
### Links broken?
- Verify file naming
- Check date formats
- Update link syntax
### Too time-consuming?
- Use timer for each section
- Prepare throughout week
- Simplify template
## Related Commands
- `/daily` - Create daily note
- `/push` - Commit to Git
- `/onboard` - Load all context
---
*Command Version: 1.0*
*Optimal Time: Sunday evening or Monday morning*
**Remember:** The best review is the one you actually do. Keep it simple and consistent!

View File

158
vault-template/CLAUDE.md Normal file
View File

@@ -0,0 +1,158 @@
# Navigation & Context Guide for Claude Code
## 🎯 System Purpose
[CUSTOMIZE THIS: Add your personal mission statement or life purpose here]
*Example: "Build meaningful technology that improves people's lives while maintaining balance and growth in all life areas."*
## 📁 Directory Structure & Purpose
### Core Directories
- **Daily Notes/** - Daily journal entries and task management
- Named as `YYYY-MM-DD.md` format
- Contains daily planning, tasks, and reflections
- **Goals/** - Cascading goal system (3-year → yearly → monthly → weekly)
- Start with `0. Three Year Goals.md` for vision
- Break down into actionable items in `3. Weekly Review.md`
- **Projects/** - Active project folders
- Each project gets its own folder
- Include project-specific `CLAUDE.md` for context
- **Templates/** - Reusable note structures
- `Daily Template.md` - For daily notes
- `Weekly Review Template.md` - For weekly planning
- `Project Template.md` - For new projects
- **Archives/** - Completed or inactive content
- Move completed projects here
- Store old daily notes after monthly review
## 🏷️ Key Tags to Use
### Priority Tags
- `#priority/high` - Must do today
- `#priority/medium` - Should do this week
- `#priority/low` - Nice to have
### Context Tags
- `#work` - Professional tasks
- `#personal` - Personal development
- `#health` - Wellness activities
- `#family` - Relationships
- `#learning` - Skill development
### Status Tags
- `#active` - Currently working on
- `#waiting` - Blocked or waiting
- `#completed` - Done
- `#archived` - No longer relevant
[CUSTOMIZE THIS: Add your own tag system based on your workflow]
## 🔄 Workflow Instructions
### Daily Workflow
1. **Morning (5 min)**
- Run `claude code /daily` to create today's note
- Review yesterday's unfinished tasks
- Set ONE main focus for today
- Plan your time blocks
2. **Throughout the Day**
- Check off completed tasks
- Add thoughts and insights
- Capture new ideas in appropriate sections
3. **Evening (5 min)**
- Complete reflection section
- Move unfinished tasks to tomorrow
- Run `claude code /push` to save changes
### Weekly Workflow
1. **Weekly Review (30 min)**
- Run `claude code /weekly` on Sunday
- Review past week's accomplishments
- Align next week with monthly goals
- Clean up and archive old notes
### Project Management
1. **Starting a Project**
- Create folder in `Projects/`
- Add project-specific `CLAUDE.md`
- Define success criteria
- Break into actionable tasks
2. **During Project**
- Keep all related notes in project folder
- Update project CLAUDE.md with progress
- Link to relevant daily notes
3. **Completing Project**
- Create summary document
- Move to `Archives/`
- Extract lessons learned
## 🤖 Claude Code Integration
### Available Commands
- `/daily` - Creates today's daily note from template
- `/weekly` - Runs weekly review process
- `/push` - Commits and pushes changes to Git
- `/onboard` - Reads all CLAUDE.md files for context
### Best Practices with Claude
1. **Be Specific** - Give clear context about what you need
2. **Use Project Context** - Reference project CLAUDE.md files
3. **Iterate** - Claude can help refine and improve your notes
4. **Review Suggestions** - Claude's suggestions are starting points
## 📱 Mobile Access (via GitHub)
### Setup
1. Initialize git in your vault
2. Create private GitHub repository
3. Set up GitHub Action (see `github-actions/claude.yml`)
4. Access notes via GitHub mobile app
### Mobile Workflow
1. View notes on GitHub mobile
2. Create issues for tasks/ideas
3. Claude processes issues automatically
4. Sync when back at desktop
## 🎨 Customization Points
[CUSTOMIZE THIS SECTION: Add your specific preferences]
### My Preferences
- **Daily Note Time**: [Morning/Evening]
- **Review Day**: [Sunday/Monday]
- **Time Blocking**: [Yes/No]
- **Task Management Style**: [GTD/Simple/Custom]
### Custom Shortcuts
- [Add your frequently used searches]
- [Add your common templates]
- [Add your workflow triggers]
## 📚 Resources & References
### Internal Links
- [[0. Three Year Goals]] - Long-term vision
- [[1. Yearly Goals]] - Current year focus
- [[2. Monthly Goals]] - This month's objectives
- [[3. Weekly Review]] - Weekly planning
### External Resources
[CUSTOMIZE THIS: Add your favorite references]
- [Resource 1]
- [Resource 2]
- [Resource 3]
---
*Last Updated: [DATE]*
*System Version: 1.0*
**Remember**: This system is meant to serve you, not constrain you. Adapt it as needed!

View File

View File

@@ -0,0 +1,158 @@
---
date: 2024-01-15
tags: daily-note
---
# Monday, January 15, 2024
_"Every day, I choose to grow, contribute, and live with intention."_
---
## 🎯 Today's Focus
*What's the ONE thing that would make today a win?*
**Today's Priority:** Complete Spanish Chapter 3 exercises and have successful conversation practice session
---
## ⏰ Time Blocks
*Plan your day with intentional time allocation*
- **Morning (6-9am):** Morning routine + Spanish vocabulary review
- **Mid-Morning (9-12pm):** Deep work on Q1 project proposal
- **Afternoon (12-3pm):** Team meetings + client call
- **Late Afternoon (3-6pm):** Spanish tutoring session + exercises
- **Evening (6-9pm):** Family dinner + reading time
---
## ✅ Tasks
### 🔴 Must Do Today
- [x] Complete project proposal draft
- [x] Spanish tutoring session at 4 PM
- [ ] Review and respond to urgent emails
### 💼 Work
- [x] Team standup at 9:30 AM
- [x] Client presentation prep
- [ ] Update project timeline
- [x] Submit expense report
### 🏠 Personal
- [x] Grocery shopping for dinner
- [ ] Call mom for her birthday
- [x] Pay utility bills
### 📚 Learning/Growth
- [x] Spanish Chapter 3 exercises (completed 8/10)
- [x] Read 20 pages of "Atomic Habits"
- [x] Watch one Spanish podcast episode
### 🏃 Health/Wellness
- [x] Morning routine completed
- [x] Exercise: 30-minute run
- [x] Meditation: 10 minutes
- [x] Water intake: 6/8 glasses
---
## 💡 Ideas & Thoughts
*Capture anything that comes to mind*
- Consider creating a Spanish immersion weekend next month
- Project proposal needs more concrete metrics - add by tomorrow
- New coffee shop on Main St. looks interesting for remote work
- Should we plan a family trip for spring break?
---
## 📝 Notes from Today
### Meetings
- **Team Standup:**
- Key points: Q1 priorities aligned, need to hire new developer
- Action items: Post job listing by Wednesday
- **Client Call (ABC Corp):**
- They want to expand scope
- Budget increase approved
- Follow-up meeting scheduled for Thursday
### Important Info
- Spanish tutor recommended "Cien Años de Soledad" for reading practice
- Colleague shared useful project management template
- Reminder: Team lunch scheduled for Friday
---
## 🌟 Gratitude
*Three things I'm grateful for today*
1. Productive morning with no interruptions
2. Progress in Spanish - understood most of the podcast!
3. Beautiful weather for evening walk with family
---
## 🔍 End of Day Reflection
*Complete before bed*
### What Went Well?
- Completed project proposal ahead of deadline
- Spanish conversation practice was best yet - spoke for 20 minutes!
- Maintained energy throughout the day
### What Could Be Better?
- Started work emails before morning routine - avoid this
- Didn't take proper lunch break
- Forgot to call mom - do it first thing tomorrow
### What Did I Learn?
- Batching similar tasks (all emails at once) saves significant time
- Spanish subjunctive finally clicking after tutor's explanation
- Need buffer time between meetings for context switching
### Tomorrow's #1 Priority
- Finalize and submit project proposal with client feedback incorporated
### Energy Level Today
- Physical: 8/10
- Mental: 7/10
- Emotional: 9/10
---
## 📊 Daily Metrics
- Deep Work Time: 3.5 hours
- Shallow Work Time: 2 hours
- Tasks Completed: 14/17
- Inbox Zero: Yes
- Screen Time: 6 hours
---
## 🔗 Related
- [[3. Weekly Review|This Week's Plan]]
- [[2. Monthly Goals|This Month's Focus]]
- Yesterday: [[2024-01-14]]
- Tomorrow: [[2024-01-16]]
---
*Day 15 of 365*
*Week 3 of 52*
**Today's Affirmation:** "I am capable of learning and growing every single day."
---
**Note:** This is an example daily note showing how the template is used in practice. Notice how it:
- Started with a clear focus
- Tracked progress throughout the day
- Captured ideas and thoughts as they arose
- Included honest reflection at day's end
- Connected to the larger goal system
Your daily notes will reflect your unique life, priorities, and style!

View File

@@ -0,0 +1,122 @@
# Three Year Goals (2024-2027)
## 🌟 Vision Statement
*[CUSTOMIZE THIS: What do you want your life to look like in 3 years? Be specific and inspiring.]*
Example: "In three years, I will be leading a balanced life where I'm making meaningful contributions through my work, maintaining excellent health, nurturing deep relationships, and continuously growing as a person."
---
## 🎯 Key Life Areas
### 💼 Career & Professional Development
*Where do you want to be professionally?*
- [ ] [CUSTOMIZE: Major career milestone]
- *Example: "Reach senior/leadership position in my field"*
- [ ] [CUSTOMIZE: Skill development goal]
- *Example: "Master 3 new technologies/skills relevant to my industry"*
- [ ] [CUSTOMIZE: Income/financial goal]
- *Example: "Increase income by X% or reach specific salary target"*
- [ ] [CUSTOMIZE: Impact/contribution goal]
- *Example: "Lead a project that impacts 10,000+ users"*
### 🏃 Health & Wellness
*What does optimal health look like for you?*
- [ ] [CUSTOMIZE: Fitness goal]
- *Example: "Complete a marathon/triathlon"*
- [ ] [CUSTOMIZE: Health metric goal]
- *Example: "Maintain healthy BMI and blood markers"*
- [ ] [CUSTOMIZE: Mental health goal]
- *Example: "Develop consistent meditation practice"*
- [ ] [CUSTOMIZE: Energy/vitality goal]
- *Example: "Have energy for both work and play every day"*
### ❤️ Relationships & Family
*How do you want your relationships to evolve?*
- [ ] [CUSTOMIZE: Family goal]
- *Example: "Spend quality time with family weekly"*
- [ ] [CUSTOMIZE: Partnership goal]
- *Example: "Deepen relationship with partner/find life partner"*
- [ ] [CUSTOMIZE: Friendship goal]
- *Example: "Maintain close friendships despite busy life"*
- [ ] [CUSTOMIZE: Community goal]
- *Example: "Be actively involved in local community"*
### 🌱 Personal Growth & Learning
*Who do you want to become?*
- [ ] [CUSTOMIZE: Knowledge goal]
- *Example: "Read 50 books per year"*
- [ ] [CUSTOMIZE: Skill goal]
- *Example: "Become fluent in a new language"*
- [ ] [CUSTOMIZE: Habit goal]
- *Example: "Establish morning routine that sets up successful days"*
- [ ] [CUSTOMIZE: Character goal]
- *Example: "Develop greater patience and emotional intelligence"*
### 💰 Financial Security
*What does financial success mean to you?*
- [ ] [CUSTOMIZE: Savings goal]
- *Example: "Build 12-month emergency fund"*
- [ ] [CUSTOMIZE: Investment goal]
- *Example: "Grow investment portfolio to $X"*
- [ ] [CUSTOMIZE: Debt goal]
- *Example: "Eliminate all high-interest debt"*
- [ ] [CUSTOMIZE: Asset goal]
- *Example: "Own home/investment property"*
### 🎨 Creativity & Hobbies
*What brings you joy and fulfillment?*
- [ ] [CUSTOMIZE: Creative project]
- *Example: "Complete novel/album/art series"*
- [ ] [CUSTOMIZE: Hobby mastery]
- *Example: "Achieve expertise level in hobby"*
- [ ] [CUSTOMIZE: Experience goal]
- *Example: "Travel to 10 new countries"*
- [ ] [CUSTOMIZE: Fun goal]
- *Example: "Try 50 new experiences"*
---
## 📊 Success Metrics
*How will you know you're on track?*
### Year 1 Milestones
- [CUSTOMIZE: What needs to happen in the first year?]
### Year 2 Milestones
- [CUSTOMIZE: What builds on year 1?]
### Year 3 Milestones
- [CUSTOMIZE: What completes the vision?]
---
## 💭 Reflection Questions
*Review these quarterly:*
1. Which goals still resonate with my values?
2. What has changed in my life that affects these goals?
3. What goals need to be adjusted or replaced?
4. What am I willing to sacrifice to achieve these?
5. Who can help me achieve these goals?
---
## 🔗 Related Documents
- [[1. Yearly Goals]] - Current year breakdown
- [[2. Monthly Goals]] - Current month focus
- [[3. Weekly Review]] - Weekly execution
---
*Created: [DATE]*
*Last Review: [DATE]*
*Next Review: [QUARTERLY DATE]*
**Remember**: These goals should inspire you to action, not overwhelm you. Adjust as life evolves!

View File

@@ -0,0 +1,153 @@
# Yearly Goals - 2024
## 🎯 ONE METRIC THAT MATTERS
*[CUSTOMIZE THIS: What single metric would indicate a successful year?]*
Example: "Complete 3 major projects that directly impact 1000+ people"
Current Status: `[0/3 projects]` - Updated: [DATE]
---
## 📍 Annual Theme
*[CUSTOMIZE THIS: Give your year a theme/focus word]*
Examples: "Foundation" / "Growth" / "Balance" / "Execution" / "Learning"
**My 2024 Theme:** [YOUR THEME]
*Why this theme?* [Brief explanation of why this resonates]
---
## 🗓️ Quarterly Breakdown
### Q1 (Jan-Mar) - Foundation
**Focus:** [CUSTOMIZE: Main focus for Q1]
Key Outcomes:
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
### Q2 (Apr-Jun) - Building
**Focus:** [CUSTOMIZE: Main focus for Q2]
Key Outcomes:
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
### Q3 (Jul-Sep) - Acceleration
**Focus:** [CUSTOMIZE: Main focus for Q3]
Key Outcomes:
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
### Q4 (Oct-Dec) - Completion
**Focus:** [CUSTOMIZE: Main focus for Q4]
Key Outcomes:
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
- [ ] [Specific measurable outcome]
---
## 🎯 Annual Goals by Life Area
*Derived from [[0. Three Year Goals]]*
### 💼 Career & Professional (25% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Q1: [Milestone]
- Q2: [Milestone]
- Q3: [Milestone]
- Q4: [Milestone]
- [ ] **Goal 2:** [CUSTOMIZE: Specific measurable goal]
- [ ] **Goal 3:** [CUSTOMIZE: Specific measurable goal]
### 🏃 Health & Wellness (20% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Habit to build: [Daily/weekly action]
- Success metric: [How to measure]
- [ ] **Goal 2:** [CUSTOMIZE: Specific measurable goal]
### ❤️ Relationships (20% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Monthly commitment: [Specific action]
- [ ] **Goal 2:** [CUSTOMIZE: Specific measurable goal]
### 🌱 Personal Growth (20% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Resources needed: [Books/courses/mentors]
- [ ] **Goal 2:** [CUSTOMIZE: Specific measurable goal]
### 💰 Financial (10% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Monthly target: [$X]
- [ ] **Goal 2:** [CUSTOMIZE: Specific measurable goal]
### 🎨 Creativity & Fun (5% of effort)
- [ ] **Goal 1:** [CUSTOMIZE: Specific measurable goal]
- Fun factor: [Why this matters]
---
## 📅 Key Dates & Deadlines
### Fixed Commitments
- [DATE]: [CUSTOMIZE: Important deadline/event]
- [DATE]: [CUSTOMIZE: Important deadline/event]
### Target Completion Dates
- [DATE]: Complete [specific goal]
- [DATE]: Launch [specific project]
- [DATE]: Achieve [specific milestone]
---
## 🚫 NOT Doing This Year
*Equally important - what are you saying NO to?*
1. [CUSTOMIZE: Thing you're deliberately not pursuing]
2. [CUSTOMIZE: Time-waster you're eliminating]
3. [CUSTOMIZE: Commitment you're avoiding]
---
## 📊 Monthly Check-in Template
### Status Check (Copy for each month)
**Month: [MONTH]**
- One Metric Progress: [X/target]
- Energy Level: [1-10]
- On Track? [Yes/No/Adjust]
- Key Win: [What went well]
- Key Learning: [What to improve]
- Next Month Focus: [Single priority]
---
## 🏆 Year-End Vision
*Write this as if it's December 31st, 2024*
[CUSTOMIZE: Write 3-5 sentences describing your ideal year-end state. How do you feel? What have you accomplished? What has changed?]
Example: "It's December 31st, 2024, and I'm reflecting on an incredible year. I successfully launched three projects that are now helping thousands of people. My health is the best it's been in years, with consistent exercise and meditation habits. My relationships are deeper and more meaningful. I feel proud, energized, and ready for even bigger challenges in 2025."
---
## 🔗 Supporting Documents
- [[0. Three Year Goals]] - Long-term vision
- [[2. Monthly Goals]] - Current month execution
- [[3. Weekly Review]] - Weekly planning
---
*Created: [DATE]*
*Last Monthly Review: [DATE]*
*Next Review: [First of next month]*
**Reminder**: Progress > Perfection. Adjust goals as you learn!

View File

@@ -0,0 +1,191 @@
# Monthly Goals - [MONTH YEAR]
## 🎯 Monthly Focus
*[CUSTOMIZE: What's the ONE thing that would make this month a success?]*
**This Month's Priority:** [Clear, specific objective]
---
## 📊 Month at a Glance
### Key Metrics
- **One Metric Progress:** [Current]/[Target] (from [[1. Yearly Goals]])
- **Week 1 Focus:** [Main objective]
- **Week 2 Focus:** [Main objective]
- **Week 3 Focus:** [Main objective]
- **Week 4 Focus:** [Main objective]
### Important Dates
- [DATE]: [Event/Deadline]
- [DATE]: [Event/Deadline]
- [DATE]: [Event/Deadline]
---
## 🎯 Monthly Goals
*Derived from quarterly goals in [[1. Yearly Goals]]*
### 🔴 Must Complete (Non-negotiable)
- [ ] **Goal 1:** [CUSTOMIZE: Specific, measurable goal]
- Success criteria: [How you'll know it's done]
- Due: [Week of month]
- [ ] **Goal 2:** [CUSTOMIZE: Specific, measurable goal]
- Success criteria: [How you'll know it's done]
- Due: [Week of month]
- [ ] **Goal 3:** [CUSTOMIZE: Specific, measurable goal]
- Success criteria: [How you'll know it's done]
- Due: [Week of month]
### 🟡 Should Complete (Important but flexible)
- [ ] **Goal 4:** [CUSTOMIZE: Goal with some flexibility]
- Why it matters: [Connection to yearly goals]
- [ ] **Goal 5:** [CUSTOMIZE: Goal with some flexibility]
- Why it matters: [Connection to yearly goals]
### 🟢 Nice to Complete (Bonus)
- [ ] **Goal 6:** [CUSTOMIZE: Stretch goal]
- [ ] **Goal 7:** [CUSTOMIZE: Stretch goal]
---
## 📝 Projects & Initiatives
### Active Projects
1. **[PROJECT NAME]**
- This month's milestone: [Specific deliverable]
- Time allocated: [X hours/week]
- Status: [On track/Behind/Ahead]
2. **[PROJECT NAME]**
- This month's milestone: [Specific deliverable]
- Time allocated: [X hours/week]
- Status: [On track/Behind/Ahead]
### Habits to Build/Maintain
- [ ] **Daily:** [CUSTOMIZE: Daily habit]
- Streak: [X days]
- [ ] **Weekly:** [CUSTOMIZE: Weekly habit]
- Completed: [X/4 weeks]
- [ ] **Monthly:** [CUSTOMIZE: Monthly habit]
- Scheduled for: [DATE]
---
## 🗓️ Weekly Planning
### Week 1 ([DATE RANGE])
**Theme:** [Focus area]
- [ ] [Key task 1]
- [ ] [Key task 2]
- [ ] [Key task 3]
- **Weekly Review Date:** [DATE]
### Week 2 ([DATE RANGE])
**Theme:** [Focus area]
- [ ] [Key task 1]
- [ ] [Key task 2]
- [ ] [Key task 3]
- **Weekly Review Date:** [DATE]
### Week 3 ([DATE RANGE])
**Theme:** [Focus area]
- [ ] [Key task 1]
- [ ] [Key task 2]
- [ ] [Key task 3]
- **Weekly Review Date:** [DATE]
### Week 4 ([DATE RANGE])
**Theme:** [Focus area]
- [ ] [Key task 1]
- [ ] [Key task 2]
- [ ] [Key task 3]
- **Monthly Review Date:** [DATE]
---
## 💡 Learning & Development
### This Month I'm Learning
- **Primary Focus:** [CUSTOMIZE: Main learning goal]
- Resource: [Book/Course/Mentor]
- Time commitment: [X hours/week]
- Success metric: [How you'll measure learning]
### Books/Content to Consume
- [ ] Book: [Title - Author]
- [ ] Course: [Course name - Platform]
- [ ] Article/Video: [Title - Source]
---
## 🚫 Not This Month
*Protect your focus - what are you intentionally NOT doing?*
1. [CUSTOMIZE: Project/commitment you're postponing]
2. [CUSTOMIZE: Distraction you're avoiding]
3. [CUSTOMIZE: Request you're declining]
---
## 📈 Progress Tracking
### Week 1 Review
- **Completed:** [X/Y tasks]
- **Key Win:** [Best accomplishment]
- **Key Challenge:** [Main obstacle]
- **Next Week Adjustment:** [What to change]
### Week 2 Review
- **Completed:** [X/Y tasks]
- **Key Win:** [Best accomplishment]
- **Key Challenge:** [Main obstacle]
- **Next Week Adjustment:** [What to change]
### Week 3 Review
- **Completed:** [X/Y tasks]
- **Key Win:** [Best accomplishment]
- **Key Challenge:** [Main obstacle]
- **Next Week Adjustment:** [What to change]
### Week 4 Review
- **Completed:** [X/Y tasks]
- **Key Win:** [Best accomplishment]
- **Key Challenge:** [Main obstacle]
- **Next Month Focus:** [Main priority]
---
## 🎯 End of Month Review
### Accomplishments
- [COMPLETE AT MONTH END: List major wins]
### Lessons Learned
- [COMPLETE AT MONTH END: Key insights]
### To Carry Forward
- [COMPLETE AT MONTH END: Incomplete items for next month]
### Energy & Wellbeing Score
- Physical Health: [1-10]
- Mental Health: [1-10]
- Relationships: [1-10]
- Work Satisfaction: [1-10]
- Overall Life Satisfaction: [1-10]
---
## 🔗 Related Documents
- [[1. Yearly Goals]] - Annual objectives
- [[3. Weekly Review]] - Weekly execution
- Previous Month: [[2. Monthly Goals - [PREVIOUS MONTH]]]
- Next Month: [[2. Monthly Goals - [NEXT MONTH]]]
---
*Created: [First day of month]*
*Last Updated: [DATE]*
*Month End Review: [Last day of month]*
**Remember**: This month is just one chapter in your yearly story. Focus on progress, not perfection!

View File

@@ -0,0 +1,224 @@
# Weekly Review - Week of [DATE]
## 🎯 Week at a Glance
**Week Number:** [Week X of 52]
**Theme/Focus:** [CUSTOMIZE: This week's primary focus area]
**Energy Available:** [High/Medium/Low]
---
## 📊 Quick Stats
- **Tasks Completed:** [X/Y]
- **Projects Advanced:** [List]
- **Habits Maintained:** [X/Y days]
- **One Metric Progress:** [Update from yearly goal]
---
## 🔍 Last Week Review
### What Went Well? (Wins)
1. [CUSTOMIZE: Significant accomplishment]
2. [CUSTOMIZE: Positive development]
3. [CUSTOMIZE: Something you're proud of]
### What Didn't Go Well? (Challenges)
1. [CUSTOMIZE: Main obstacle faced]
2. [CUSTOMIZE: What got in the way]
3. [CUSTOMIZE: What needs improvement]
### Key Lessons Learned
- [CUSTOMIZE: Important insight from the week]
- [CUSTOMIZE: What you'd do differently]
### Incomplete Tasks (Why?)
- [ ] [Task] - Reason: [Why it wasn't completed]
- [ ] [Task] - Reason: [Why it wasn't completed]
- Action: [Reschedule/Delegate/Delete]
---
## 📅 This Week's Plan
### 🎯 ONE Big Thing
**If I accomplish nothing else, I will:** [CUSTOMIZE: Single most important outcome]
### 🔴 Priority Tasks (Must Do)
*These align with monthly goals from [[2. Monthly Goals]]*
Monday:
- [ ] [High-priority task]
- [ ] [Time-blocked task]
Tuesday:
- [ ] [High-priority task]
- [ ] [Time-blocked task]
Wednesday:
- [ ] [High-priority task]
- [ ] [Time-blocked task]
Thursday:
- [ ] [High-priority task]
- [ ] [Time-blocked task]
Friday:
- [ ] [High-priority task]
- [ ] [Time-blocked task]
Weekend:
- [ ] [Personal/Family priority]
- [ ] [Self-care activity]
### 🟡 Important Tasks (Should Do)
- [ ] [Important but flexible task]
- [ ] [Important but flexible task]
- [ ] [Important but flexible task]
### 🟢 Nice to Have (Could Do)
- [ ] [Bonus task if time permits]
- [ ] [Bonus task if time permits]
---
## 🏗️ Project Progress
### Project 1: [PROJECT NAME]
- **Goal this week:** [Specific deliverable]
- **Time allocated:** [X hours]
- **Key tasks:**
- [ ] [Subtask 1]
- [ ] [Subtask 2]
### Project 2: [PROJECT NAME]
- **Goal this week:** [Specific deliverable]
- **Time allocated:** [X hours]
- **Key tasks:**
- [ ] [Subtask 1]
- [ ] [Subtask 2]
---
## 🧘 Habits & Routines
### Daily Habits Tracker
- [ ] Mon - Morning routine
- [ ] Tue - Morning routine
- [ ] Wed - Morning routine
- [ ] Thu - Morning routine
- [ ] Fri - Morning routine
- [ ] Sat - Morning routine
- [ ] Sun - Morning routine
### Weekly Habits
- [ ] Exercise sessions (Target: 3x)
- [ ] Deep work blocks (Target: 5x)
- [ ] Family time (Target: 2x)
- [ ] Learning time (Target: 3 hours)
---
## 📚 Learning & Input
### This Week's Learning Focus
**Topic:** [CUSTOMIZE: What you're studying]
**Resource:** [Book/Course/Article]
**Time Commitment:** [X hours]
**Key Question:** [What you want to understand]
### Content to Consume
- [ ] Read: [Article/Chapter]
- [ ] Watch: [Video/Course lesson]
- [ ] Listen: [Podcast/Audiobook]
---
## 🗓️ Calendar Review
### Fixed Commitments
- [Day]: [Meeting/Appointment] @ [Time]
- [Day]: [Meeting/Appointment] @ [Time]
### Time Blocks
- **Deep Work:** [Day] [Time-Time]
- **Admin Time:** [Day] [Time-Time]
- **Buffer Time:** [Day] [Time-Time]
### Key Deadlines
- [DATE]: [What's due]
- [DATE]: [What's due]
---
## 💭 Reflection & Intention
### Energy Management
**Physical Energy:** [1-10] - [What affects this?]
**Mental Energy:** [1-10] - [What affects this?]
**Emotional Energy:** [1-10] - [What affects this?]
### This Week's Intention
[CUSTOMIZE: How do you want to show up this week? What kind of person do you want to be?]
Example: "This week I will be focused and present, saying no to distractions and yes to what matters most."
### Potential Obstacles
1. **Obstacle:** [What might get in the way]
- **Strategy:** [How you'll handle it]
2. **Obstacle:** [What might get in the way]
- **Strategy:** [How you'll handle it]
---
## 📝 Notes & Ideas
### Captured This Week
*Brain dump - to be processed*
- [Idea/thought/task]
- [Idea/thought/task]
- [Idea/thought/task]
### For Future Consideration
- [Something to explore later]
- [Project idea for next quarter]
---
## ✅ Weekly Review Checklist
### Review Process
- [ ] Review last week's goals and tasks
- [ ] Check calendar for next week
- [ ] Update project status
- [ ] Review [[2. Monthly Goals]]
- [ ] Plan this week's priorities
- [ ] Block time for important work
- [ ] Clear email inbox
- [ ] Process notes and ideas
- [ ] Update habit trackers
- [ ] Commit to ONE big thing
### Clean-up Tasks
- [ ] Archive completed daily notes
- [ ] Update project files
- [ ] Clear desktop/downloads
- [ ] Backup important files
- [ ] Push changes to Git
---
## 🔗 Links
- [[2. Monthly Goals]] - Current month's objectives
- [[1. Yearly Goals]] - Annual targets
- Last Week: [[3. Weekly Review - [PREVIOUS WEEK]]]
- Next Week: [[3. Weekly Review - [NEXT WEEK]]]
---
*Review Started: [TIME]*
*Review Completed: [TIME]*
*Time Invested: [X minutes]*
**Weekly Mantra:** [CUSTOMIZE: Inspirational quote or reminder]
**Remember:** You don't have to be perfect, just consistent. Small progress compounds!

View File

@@ -0,0 +1,76 @@
# Project Context: Learning Spanish
## Project Overview
This is an example project showing how to structure a learning project in your PKM system. Replace this with your actual project details.
**Goal:** Achieve conversational fluency in Spanish within 12 months
**Started:** January 1, 2024
**Target Completion:** December 31, 2024
**Status:** Active - 25% Complete
## Current Focus
- Working through Chapter 3 of textbook
- Practicing daily conversations with language partner
- Building vocabulary (currently at ~500 words)
## Key Decisions Made
1. **Learning Method:** Combination of self-study + tutoring + immersion
2. **Daily Commitment:** 30 minutes minimum, 1 hour target
3. **Success Metric:** Pass DELE B2 exam by year end
## Resources Being Used
- **Primary Textbook:** "Complete Spanish" by DK
- **App:** Anki for spaced repetition (500+ cards created)
- **Tutor:** Weekly 1-hour sessions on italki
- **Practice Partner:** Language exchange twice weekly
## Weekly Routine
- **Monday:** Grammar study (30 min)
- **Tuesday:** Conversation practice (1 hour)
- **Wednesday:** Vocabulary building (30 min)
- **Thursday:** Listening practice with podcasts (30 min)
- **Friday:** Writing practice (30 min)
- **Weekend:** Review and cultural immersion (movies/music)
## Milestones Completed
- [x] Complete Spanish alphabet and pronunciation
- [x] Master present tense conjugations
- [x] Build 250-word core vocabulary
- [ ] Hold 5-minute conversation
- [ ] Read first Spanish novel
- [ ] Pass DELE B1 practice exam
## Current Challenges
1. **Subjunctive mood** - Still confusing, need more practice
2. **Listening comprehension** - Native speakers talk too fast
3. **Time management** - Struggling to maintain daily practice
## Next Actions
- [ ] Complete Chapter 3 exercises
- [ ] Schedule extra tutoring for subjunctive
- [ ] Find Spanish conversation group locally
- [ ] Create Anki deck for irregular verbs
## Notes for Claude
When helping with this project:
- Remind me to do daily practice if I haven't logged it
- Help create example sentences for new vocabulary
- Suggest immersion activities based on my interests
- Track my streak and celebrate milestones
- Provide encouragement when I'm struggling
## Success Metrics
- **Words learned:** 500/3000 target
- **Conversation time:** 15 hours logged
- **Chapters completed:** 3/12
- **Practice streak:** 14 days
## Project-Specific Tags
- `#spanish/vocabulary`
- `#spanish/grammar`
- `#spanish/practice`
- `#spanish/resources`
---
*This is an example project. Replace with your own project details, maintaining this structure for consistency across all projects.*

View File

@@ -0,0 +1,194 @@
# Learning Spanish - Project Notes
## Study Log
### Week 1 - Getting Started
**Date:** January 1-7, 2024
**What I Learned:**
- Spanish alphabet pronunciation differs from English
- Rolled R's are harder than expected
- Basic greetings and introductions
- Numbers 1-100
**Practice Completed:**
- 3.5 hours total study time
- Created first 50 Anki cards
- Had first tutoring session
**Reflections:**
- Morning practice works better than evening
- Need to practice speaking out loud more
- Anki reviews are effective for memorization
---
### Week 2 - Building Foundations
**Date:** January 8-14, 2024
**What I Learned:**
- Present tense conjugations for regular verbs
- Basic question words (qué, quién, dónde, etc.)
- Days of the week and months
- Common phrases for shopping
**Practice Completed:**
- 5 hours total study time
- Added 75 new vocabulary words
- First conversation exchange (struggled but succeeded!)
**Challenges:**
- Mixing up ser vs estar
- Forgetting to match adjective gender
- Speaking anxiety in conversation practice
**Breakthrough Moment:**
Successfully ordered coffee in Spanish at local café!
---
## Vocabulary Lists
### Essential Verbs
- ser/estar - to be
- tener - to have
- hacer - to do/make
- poder - can/to be able
- querer - to want
- ir - to go
- venir - to come
- decir - to say
- dar - to give
- ver - to see
### Daily Routine Vocabulary
- despertarse - to wake up
- levantarse - to get up
- desayunar - to have breakfast
- trabajar - to work
- almorzar - to have lunch
- estudiar - to study
- cenar - to have dinner
- acostarse - to go to bed
---
## Grammar Notes
### Ser vs Estar
**SER** - Permanent characteristics
- Description: Ella es alta (She is tall)
- Occupation: Soy profesor (I am a teacher)
- Characteristics: El libro es interesante (The book is interesting)
- Time: Son las tres (It's 3 o'clock)
- Origin: Somos de México (We're from Mexico)
**ESTAR** - Temporary states/locations
- Location: Estoy en casa (I'm at home)
- Emotions: Está feliz (He is happy)
- Temporary conditions: La comida está fría (The food is cold)
- Progressive: Estoy estudiando (I am studying)
---
## Useful Resources Found
### Podcasts
1. **SpanishPod101** - Great for beginners
2. **Coffee Break Spanish** - 15-minute daily lessons
3. **Duolingo Spanish Podcast** - Stories for intermediate
### YouTube Channels
1. **SpanishDict** - Grammar explanations
2. **Butterfly Spanish** - Fun and engaging
3. **Spanish with Paul** - Structured lessons
### Practice Websites
- **Conjuguemos** - Grammar practice
- **News in Slow Spanish** - Listening practice
- **HelloTalk** - Find conversation partners
---
## Conversation Practice Templates
### Introducing Yourself
```
Hola, me llamo [name].
Soy de [country/city].
Tengo [age] años.
Soy [occupation].
Me gusta [hobby/interest].
Estoy aprendiendo español porque [reason].
```
### Ordering at Restaurant
```
Waiter: ¿Qué desea?
You: Quisiera [dish], por favor.
Waiter: ¿Algo de beber?
You: Sí, [beverage], por favor.
Waiter: ¿Algo más?
You: No, eso es todo. Gracias.
[Later]
You: La cuenta, por favor.
```
---
## Monthly Progress Review
### January 2024
**Goals Set:** ✅
- Complete textbook chapters 1-2
- Learn 200 vocabulary words
- Have 4 tutoring sessions
- Practice daily for 30 minutes
**Goals Achieved:**
- ✅ Completed chapters 1-2
- ⚠️ Learned 175 words (87.5%)
- ✅ Had 4 tutoring sessions
- ⚠️ Practiced 25/31 days (80%)
**Key Wins:**
- Established daily practice routine
- Found good language exchange partner
- Can introduce myself confidently
**Areas for Improvement:**
- Need more listening practice
- Should speak out loud more
- Grammar exercises need more time
**February Goals:**
- Complete chapters 3-4
- Add 200 more vocabulary words
- Increase speaking practice to 2x per week
- Maintain 30-minute daily minimum
---
## Project Reflections
### What's Working Well
- Anki for vocabulary retention
- Morning study sessions
- Weekly tutor accountability
- Immersion through Spanish music
### What Needs Adjustment
- Need structured grammar practice
- Should record myself speaking
- Find more opportunities for real conversation
- Add more writing practice
### Motivation Reminders
- Why I started: Want to travel South America
- Dream scenario: Having deep conversations with native speakers
- Milestone celebration planned: Spanish movie marathon at 6 months
- End goal: Pass DELE B2 and travel to Spain
---
*This is an example project note. Your actual project notes would contain your specific learning journey, challenges, and victories.*

View File

@@ -0,0 +1,129 @@
---
date: {{date}}
tags: daily-note
---
# {{date:dddd, MMMM DD, YYYY}}
_[CUSTOMIZE THIS: Add your personal mission statement or daily reminder here]_
*Example: "Every day, I choose to grow, contribute, and live with intention."*
---
## 🎯 Today's Focus
*What's the ONE thing that would make today a win?*
**Today's Priority:**
---
## ⏰ Time Blocks
*Plan your day with intentional time allocation*
- **Morning (6-9am):** [Morning routine/Deep work]
- **Mid-Morning (9-12pm):** [Primary work block]
- **Afternoon (12-3pm):** [Meetings/Collaboration]
- **Late Afternoon (3-6pm):** [Secondary work block]
- **Evening (6-9pm):** [Personal/Family time]
---
## ✅ Tasks
### 🔴 Must Do Today
- [ ] [PRIORITY: Task that must be completed]
- [ ] [PRIORITY: Critical deadline or commitment]
### 💼 Work
- [ ] [Work task 1]
- [ ] [Work task 2]
- [ ] [Work task 3]
### 🏠 Personal
- [ ] [Personal task 1]
- [ ] [Personal task 2]
### 📚 Learning/Growth
- [ ] [Learning activity]
- [ ] [Reading/Course progress]
### 🏃 Health/Wellness
- [ ] Morning routine completed
- [ ] Exercise: [Type and duration]
- [ ] Meditation: [X minutes]
- [ ] Water intake: [X glasses]
---
## 💡 Ideas & Thoughts
*Capture anything that comes to mind*
-
---
## 📝 Notes from Today
*Meeting notes, important information, key decisions*
### Meetings
- **[Meeting Name]:**
- Key points:
- Action items:
### Important Info
-
---
## 🌟 Gratitude
*Three things I'm grateful for today*
1.
2.
3.
---
## 🔍 End of Day Reflection
*Complete before bed*
### What Went Well?
-
### What Could Be Better?
-
### What Did I Learn?
-
### Tomorrow's #1 Priority
-
### Energy Level Today
- Physical: [1-10]
- Mental: [1-10]
- Emotional: [1-10]
---
## 📊 Daily Metrics
- Deep Work Time: [X hours]
- Shallow Work Time: [X hours]
- Tasks Completed: [X/Y]
- Inbox Zero: [Y/N]
- Screen Time: [X hours]
---
## 🔗 Related
- [[3. Weekly Review|This Week's Plan]]
- [[2. Monthly Goals|This Month's Focus]]
- Yesterday: [[{{date-1:YYYY-MM-DD}}]]
- Tomorrow: [[{{date+1:YYYY-MM-DD}}]]
---
*Day [X] of 365*
*Week [X] of 52*
**Today's Affirmation:** [CUSTOMIZE: Add a daily affirmation or quote]

View File

@@ -0,0 +1,259 @@
# Project: [PROJECT NAME]
## 📋 Project Overview
### Purpose
*Why does this project exist? What problem does it solve?*
[CUSTOMIZE: Clear statement of project purpose]
### Success Criteria
*How will we know when this project is complete and successful?*
1. [Specific, measurable outcome]
2. [Specific, measurable outcome]
3. [Specific, measurable outcome]
### Timeline
- **Start Date:** {{date:YYYY-MM-DD}}
- **Target Completion:** [DATE]
- **Actual Completion:** [To be filled]
### Priority Level
- [ ] 🔴 Critical - Business/Life Essential
- [ ] 🟡 Important - Significant Impact
- [ ] 🟢 Nice to Have - Improvement/Enhancement
---
## 🎯 Goals & Objectives
### Primary Goal
[CUSTOMIZE: Main goal this project achieves]
### Supporting Objectives
1. [Objective that supports the goal]
2. [Objective that supports the goal]
3. [Objective that supports the goal]
### Link to Annual Goals
*How does this connect to [[1. Yearly Goals]]?*
[Explain connection]
---
## 👥 Stakeholders
### Project Owner
- **Name:** [Your name or responsible party]
- **Role:** [Decision maker]
### Team Members / Collaborators
- **[Name]:** [Role/Responsibility]
- **[Name]:** [Role/Responsibility]
### External Dependencies
- **[Person/Team]:** [What they provide]
- **[Person/Team]:** [What they provide]
---
## 📊 Scope
### In Scope
*What this project WILL include*
- ✅ [Included deliverable/feature]
- ✅ [Included deliverable/feature]
- ✅ [Included deliverable/feature]
### Out of Scope
*What this project WILL NOT include*
- ❌ [Excluded item - save for later]
- ❌ [Excluded item - save for later]
- ❌ [Excluded item - save for later]
### Constraints
- **Budget:** [If applicable]
- **Time:** [Hard deadlines]
- **Resources:** [Limitations]
---
## 🗺️ Milestones & Phases
### Phase 1: [PHASE NAME]
**Target Date:** [DATE]
**Status:** [Not Started/In Progress/Complete]
Key Deliverables:
- [ ] [Deliverable 1]
- [ ] [Deliverable 2]
- [ ] [Deliverable 3]
### Phase 2: [PHASE NAME]
**Target Date:** [DATE]
**Status:** [Not Started/In Progress/Complete]
Key Deliverables:
- [ ] [Deliverable 1]
- [ ] [Deliverable 2]
- [ ] [Deliverable 3]
### Phase 3: [PHASE NAME]
**Target Date:** [DATE]
**Status:** [Not Started/In Progress/Complete]
Key Deliverables:
- [ ] [Deliverable 1]
- [ ] [Deliverable 2]
- [ ] [Deliverable 3]
---
## ✅ Task List
### Current Sprint/Week
- [ ] **Priority 1:** [Task] - Due: [DATE]
- [ ] **Priority 2:** [Task] - Due: [DATE]
- [ ] **Priority 3:** [Task] - Due: [DATE]
### Backlog
- [ ] [Future task]
- [ ] [Future task]
- [ ] [Future task]
### Completed
- [x] [Completed task] - [DATE]
- [x] [Completed task] - [DATE]
---
## 📝 Project Log
### [DATE] - [TITLE]
**What happened:** [Brief description]
**Decision made:** [If applicable]
**Next steps:** [Action items]
### [DATE] - [TITLE]
**What happened:** [Brief description]
**Decision made:** [If applicable]
**Next steps:** [Action items]
---
## 🚧 Risks & Issues
### Active Risks
1. **Risk:** [Description]
- **Impact:** [High/Medium/Low]
- **Mitigation:** [How to prevent/handle]
2. **Risk:** [Description]
- **Impact:** [High/Medium/Low]
- **Mitigation:** [How to prevent/handle]
### Current Issues
1. **Issue:** [Description]
- **Status:** [Investigating/Resolving/Blocked]
- **Owner:** [Who's handling]
- **Resolution:** [Plan to fix]
---
## 💰 Resources & Budget
### Time Investment
- **Estimated Hours:** [X hours]
- **Actual Hours:** [Track as you go]
### Financial Investment
- **Budget:** $[Amount]
- **Spent:** $[Amount]
- **Remaining:** $[Amount]
### Tools & Resources Needed
- [Tool/Resource 1]
- [Tool/Resource 2]
- [Tool/Resource 3]
---
## 📚 Reference Materials
### Documentation
- [Link to important doc]
- [Link to important doc]
### Research & Inspiration
- [Article/Resource]
- [Article/Resource]
### Related Projects
- [[Project Name]] - [How it relates]
- [[Project Name]] - [How it relates]
---
## 🎉 Success Metrics
### Quantitative Metrics
- **Metric 1:** [Target] vs [Actual]
- **Metric 2:** [Target] vs [Actual]
- **Metric 3:** [Target] vs [Actual]
### Qualitative Outcomes
- [Describe quality improvement]
- [Describe satisfaction measure]
- [Describe learning outcome]
---
## 📤 Deliverables
### Final Deliverables
1. **[Deliverable Name]**
- Format: [Document/Code/Product]
- Location: [Where to find it]
- Status: [Draft/Review/Final]
2. **[Deliverable Name]**
- Format: [Document/Code/Product]
- Location: [Where to find it]
- Status: [Draft/Review/Final]
---
## 🔄 Project Review
### Lessons Learned
*To be completed at project end*
**What went well:**
-
**What could be improved:**
-
**What to do differently next time:**
-
### Follow-up Actions
- [ ] [Post-project task]
- [ ] [Post-project task]
---
## 🔗 Quick Links
- [[Projects/]] - All projects
- [[2. Monthly Goals]] - Current month
- [[1. Yearly Goals]] - Annual objectives
---
*Project Created: {{date:YYYY-MM-DD}}*
*Last Updated: {{date:YYYY-MM-DD}}*
*Status: [Active/On Hold/Complete]*
**Project Mantra:** [CUSTOMIZE: Inspiring quote or reminder for this project]

View File

@@ -0,0 +1,187 @@
# Weekly Review - Week of {{date:YYYY-MM-DD}}
## 🎯 Week at a Glance
**Week Number:** Week {{date:w}} of 52
**Theme/Focus:** [Define this week's primary focus]
**Energy Available:** [High/Medium/Low]
---
## 📊 Quick Stats
- **Tasks Completed:** [X/Y]
- **Projects Advanced:** [List projects worked on]
- **Habits Maintained:** [X/7 days]
- **One Metric Progress:** [Update from [[1. Yearly Goals]]]
---
## 🔍 Last Week Review
### What Went Well? (Wins) 🎉
1.
2.
3.
### What Didn't Go Well? (Challenges) 🤔
1.
2.
3.
### Key Lessons Learned 📚
-
-
### Incomplete Tasks (Carry Forward?)
- [ ] [Task] - Action: [Reschedule/Delegate/Delete]
- [ ] [Task] - Action: [Reschedule/Delegate/Delete]
---
## 📅 This Week's Plan
### 🎯 ONE Big Thing
**If I accomplish nothing else this week, I will:**
### Priority Matrix
#### 🔴 Urgent & Important
- [ ]
- [ ]
#### 🟡 Important Not Urgent
- [ ]
- [ ]
#### 🟢 Quick Wins
- [ ]
- [ ]
---
## 🗓️ Day by Day
### Monday {{date+1:MM/DD}}
**Focus:**
- [ ] Priority task
- [ ]
### Tuesday {{date+2:MM/DD}}
**Focus:**
- [ ] Priority task
- [ ]
### Wednesday {{date+3:MM/DD}}
**Focus:**
- [ ] Priority task
- [ ]
### Thursday {{date+4:MM/DD}}
**Focus:**
- [ ] Priority task
- [ ]
### Friday {{date+5:MM/DD}}
**Focus:**
- [ ] Priority task
- [ ]
### Weekend
**Personal/Family Focus:**
- [ ]
- [ ]
---
## 🏗️ Project Status
### Active Projects
1. **[Project Name]**
- This week's goal:
- Status: [On track/Behind/Ahead]
- Next action:
2. **[Project Name]**
- This week's goal:
- Status: [On track/Behind/Ahead]
- Next action:
---
## 🧘 Habits & Routines
### Habit Scorecard
- [ ] Daily Morning Routine (Target: 7/7)
- [ ] Exercise (Target: 3x)
- [ ] Meditation (Target: 5x)
- [ ] Reading (Target: 30 min/day)
- [ ] Weekly Review (Target: Sunday)
---
## 📚 Learning Focus
**This Week's Topic:**
**Resource:**
**Time Allocated:**
**Key Question to Answer:**
---
## 💭 Reflection
### Energy Check
- **Physical:** [1-10] - Plan:
- **Mental:** [1-10] - Plan:
- **Emotional:** [1-10] - Plan:
### This Week's Intention
*How do I want to show up?*
### Potential Obstacles & Strategies
1. **Obstacle:**
- **Strategy:**
2. **Obstacle:**
- **Strategy:**
---
## 📝 Brain Dump
*Ideas, thoughts, things to remember*
-
-
-
---
## ✅ Review Checklist
- [ ] Reviewed last week's accomplishments
- [ ] Processed all inbox items
- [ ] Updated project statuses
- [ ] Checked upcoming calendar
- [ ] Reviewed [[2. Monthly Goals]]
- [ ] Planned this week's priorities
- [ ] Blocked time for deep work
- [ ] Set ONE big thing for the week
- [ ] Cleaned up digital workspace
- [ ] Committed changes to Git
---
## 🔗 Navigation
- [[2. Monthly Goals|Current Month]]
- [[1. Yearly Goals|Current Year]]
- Previous: [[{{date-7:YYYY-MM-DD}} Weekly Review]]
- Next: [[{{date+7:YYYY-MM-DD}} Weekly Review]]
---
*Review Started: {{time}}*
*Review Completed: [TIME]*
*Time Invested: [X minutes]*
**This Week's Mantra:**