Code Writing & Generation
10 promptsREST API Endpoint
Write a REST API endpoint in [language/framework] that handles [resource] with full CRUD operations, input validation, error handling, and proper HTTP status codes. Include pagination for the list endpoint.
Reusable Component
Generate a reusable [component type] in [framework] that accepts [props/inputs], handles loading/error/empty states, and follows accessibility best practices. Include TypeScript types.
Database Migration Script
Write a database migration script to add [columns/tables] to an existing [database] schema. Include rollback logic, data backfill for existing records, and index creation for query optimization.
JWT Authentication Middleware
Create a middleware in [framework] that handles authentication via JWT, validates token expiry, extracts user roles, and returns standardized error responses for unauthorized requests.
TypeScript Utility Function
Write a utility function that [specific task] with proper TypeScript generics, handles edge cases like null/undefined/empty inputs, includes JSDoc comments, and has accompanying unit tests.
CI/CD Pipeline Configuration
Generate a CI/CD pipeline configuration for [platform] that runs linting, unit tests, integration tests, builds a Docker image, and deploys to [environment] with rollback on failure.
WebSocket Handler
Write a WebSocket handler in [language] that manages connection pooling, heartbeat monitoring, graceful reconnection, and broadcasts messages to specific channels/rooms.
Rate Limiter Implementation
Create a rate limiter implementation using [algorithm: token bucket/sliding window] in [language] that supports per-user limits, configurable thresholds, and returns appropriate 429 responses with retry-after headers.
File Upload Handler
Write a file upload handler that validates file type and size, generates unique filenames, supports chunked uploads for large files, stores metadata in the database, and returns signed URLs for retrieval.
Data Model Layer
Generate a complete data model layer for [domain] using [ORM/library] with relationships, virtual fields, pre/post hooks, soft deletes, and audit trail (created_by, updated_at).
Code Review & Refactoring
8 promptsSecurity Vulnerability Review
Review this code for security vulnerabilities including SQL injection, XSS, CSRF, insecure deserialization, and exposed secrets. Prioritize findings by severity and suggest fixes for each.
Single Responsibility Refactor
Refactor this function to follow the Single Responsibility Principle. Extract helper methods, reduce cognitive complexity below 15, and ensure each function does exactly one thing.
Performance Bottleneck Analysis
Analyze this code for performance bottlenecks. Identify N+1 queries, unnecessary re-renders, memory leaks, blocking operations, and suggest optimizations with expected impact.
Async/Await Conversion
Convert this callback-based code to use async/await with proper error handling, parallel execution where possible, and graceful degradation when individual operations fail.
PR Diff Review
Review this PR diff and provide feedback on: naming conventions, error handling gaps, missing edge cases, test coverage, potential race conditions, and adherence to our coding standards.
Monolith to Modules Refactor
Refactor this monolithic service class into smaller, testable modules using dependency injection. Identify the boundaries, define interfaces, and show the wiring/configuration.
Cyclomatic Complexity Reduction
This function has a cyclomatic complexity of [N]. Simplify it using guard clauses, strategy pattern, or lookup tables while preserving all existing behavior. Show before/after.
Code Smell Detection
Identify code smells in this codebase: duplicated logic, feature envy, long parameter lists, god classes, and shotgun surgery. Provide a prioritized refactoring plan.
Debugging & Troubleshooting
6 promptsIntermittent 500 Error Debugging
This API returns intermittent 500 errors under load. Help me build a systematic debugging checklist: logs to check, metrics to monitor, common causes (connection pools, timeouts, memory), and how to reproduce reliably.
OOMKilled Container Memory Leak
My Docker container keeps getting OOMKilled. Walk me through diagnosing memory leaks in a [language] application: profiling tools, heap dump analysis, common culprits, and how to set appropriate resource limits.
Slow Queries After Migration
Database queries are slow after a data migration. Help me analyze the query plan, identify missing indexes, check for table bloat, evaluate connection pooling settings, and suggest a performance recovery plan.
Excessive React Re-renders
This React component re-renders excessively. Help me trace the render cycle, identify unnecessary state updates, implement proper memoization, and set up React DevTools Profiler to verify the fix.
Kafka Consumer Lag
My Kafka consumer is experiencing lag. Walk me through diagnosing: partition assignment, consumer group health, deserialization errors, processing bottlenecks, and offset commit strategies.
Error Stack Trace Explanation
Explain this error stack trace: [paste trace]. What is the root cause, what are the contributing factors, and give me a step-by-step fix with commands to verify the resolution.
Architecture & System Design
7 promptsSystem Architecture Design
Design a system architecture for [application type] that handles [scale requirements]. Include: component diagram, data flow, technology choices with justification, failure modes, and scaling strategy.
Microservices vs Modular Monolith
Compare microservices vs modular monolith for our [context/team size/traffic]. Evaluate: deployment complexity, data consistency, team autonomy, operational overhead, and provide a recommendation with migration path.
Event-Driven Architecture
Design an event-driven architecture for [use case] using [Kafka/RabbitMQ/SQS]. Cover: event schema design, ordering guarantees, exactly-once processing, dead letter queues, and monitoring strategy.
Caching Strategy
Create a caching strategy for [application]. Define: what to cache (hot data analysis), cache invalidation approach, TTL policies, cache warming, thundering herd protection, and monitoring/alerting.
Multi-Tenant SaaS Architecture
Design a multi-tenant SaaS data architecture. Address: tenant isolation levels, schema design (shared vs separate), query routing, data migration between tiers, and compliance/audit requirements.
RAG Pipeline Architecture
Design a RAG pipeline architecture for [domain] documents. Cover: chunking strategy by document type, embedding model selection, vector store schema, hybrid search (dense + sparse), reranking, metadata filtering, and evaluation framework.
Real-Time Notification System
Architect a real-time notification system supporting push, email, SMS, and in-app channels. Address: user preferences, batching/digest logic, delivery guarantees, template management, and analytics tracking.
Testing & Quality
5 promptsComprehensive Unit Tests
Write comprehensive unit tests for this [function/class] covering: happy path, edge cases (null, empty, boundary values), error scenarios, and async behavior. Use [testing framework] with descriptive test names.
API Integration Test Suite
Create an integration test suite for this API that covers: authentication flows, CRUD operations, error responses, pagination, concurrent requests, and database state cleanup between tests.
End-to-End Test Strategy
Design an end-to-end test strategy for [feature]. Define: critical user journeys, test data setup, environment requirements, flaky test mitigation, and CI integration with parallel execution.
Load Testing Script
Generate a load testing script using [k6/JMeter/Locust] that simulates [N] concurrent users performing [workflows]. Include: ramp-up profiles, think times, assertion thresholds, and result analysis.
Property-Based Tests
Write property-based tests for this data transformation function. Identify invariants that should always hold, generate random inputs, and verify output properties rather than specific values.
DevOps & Infrastructure
5 promptsTerraform Module
Write a Terraform module for provisioning [AWS/GCP/Azure resource] with: variable inputs, output values, security group configuration, tagging strategy, and a README with usage examples.
Dockerfile Best Practices
Create a Dockerfile for a [language] application following best practices: multi-stage build, non-root user, minimal base image, layer caching optimization, health check, and .dockerignore.
Monitoring & Alerting Setup
Design a monitoring and alerting setup for [application] covering: golden signals (latency, traffic, errors, saturation), SLO definitions, dashboard layout, alert routing, and runbook templates.
Kubernetes Deployment Manifest
Write a Kubernetes deployment manifest for [service] including: resource limits, HPA configuration, readiness/liveness probes, rolling update strategy, pod disruption budget, and config/secret management.
Incident Response Playbook
Create an incident response playbook for [scenario: database failure/API outage/security breach]. Include: detection criteria, severity classification, communication templates, mitigation steps, and post-mortem structure.
Documentation & Communication
5 promptsAPI Documentation Page
Write an API documentation page for [endpoint] including: description, authentication, request/response schemas with examples, error codes, rate limits, changelog, and curl/SDK code samples.
Architecture Decision Record (ADR)
Create an Architecture Decision Record (ADR) for choosing [technology/approach]. Include: context, problem statement, options considered with trade-offs, decision, consequences, and review date.
Technical RFC
Write a technical RFC for [proposed change] including: motivation, detailed design, API changes, migration strategy, rollback plan, security considerations, and open questions for reviewers.
Operational Runbook
Generate a runbook for [operational task] with: prerequisites, step-by-step commands, verification checks after each step, rollback procedures, escalation contacts, and estimated duration.
CLAUDE.md / AGENTS.md File
Write a CLAUDE.md / AGENTS.md file for this project covering: project structure, coding conventions, test patterns, deployment process, common pitfalls, and key architectural decisions.
AI/ML & Data Engineering
5 promptsPrompt Engineering Framework
Design a prompt engineering framework for [use case]. Include: system prompt structure, few-shot example selection strategy, output format enforcement, guardrails, evaluation metrics, and A/B testing approach.
Data Pipeline
Write a data pipeline in [Python/Spark] that ingests from [source], handles schema evolution, applies transformations, deduplicates records, manages late-arriving data, and loads into [destination] with exactly-once semantics.
LLM Evaluation Framework
Design an evaluation framework for our LLM-powered [feature]. Define: evaluation dimensions (relevance, accuracy, coherence, safety), automated metrics, human evaluation rubric, and regression testing approach.
Feature Engineering Pipeline
Create a feature engineering pipeline for [ML task] that handles: missing value imputation, categorical encoding, feature scaling, time-based features, feature selection, and versioning with reproducibility.
Agentic Workflow
Build an agentic workflow using [LangGraph/AutoGen/CrewAI] for [task]. Define: agent roles, tool integrations, state management, error recovery, human-in-the-loop checkpoints, and observability.
Team Management & People
8 prompts1-on-1 Agenda Template
Draft a 1-on-1 agenda template for a direct report who is [high-performing/struggling/new to role]. Include: career development questions, project check-ins, feedback exchange, blockers identification, and engagement pulse check.
Performance Review
Write a performance review for a [level] engineer who [specific accomplishments and areas for growth]. Include: impact summary, competency assessment across [framework dimensions], specific examples, and actionable development goals.
New Hire Onboarding Plan
Create an onboarding plan for a new [role] joining my team. Cover: week 1 setup and orientation, 30-60-90 day milestones, buddy assignment, key stakeholder introductions, first meaningful deliverable, and success criteria.
Difficult Feedback Conversation
I need to deliver difficult feedback to a team member about [behavior/performance issue]. Help me structure the conversation using the SBI framework (Situation-Behavior-Impact) with specific examples and a collaborative improvement plan.
Team Skills Matrix
Design a team skills matrix for my [size] engineering team. Include: current skill assessment across [domains], gap analysis against roadmap needs, training recommendations, and hiring priorities.
Promotion Case Document
Draft a promotion case document for [name/role] moving from [current level] to [next level]. Include: scope of impact, technical contributions, leadership examples, peer feedback themes, and areas for continued growth.
Team Health Assessment
Create a team health assessment framework covering: psychological safety, clarity of purpose, workload sustainability, growth opportunities, collaboration quality, and process satisfaction. Include survey questions and interpretation guide.
Performance Improvement Plan (PIP)
Write an improvement plan (PIP) for a team member who is [specific issues]. Include: clear expectations, measurable objectives, support resources, check-in cadence, timeline, and outcomes for success/failure.
Project & Program Management
6 promptsProject Kickoff Document
Create a project kickoff document for [project name]. Include: objectives and success metrics, scope boundaries (in/out), stakeholder RACI matrix, timeline with milestones, risk register, and communication plan.
Leadership Status Update
Write a status update for leadership on [project] that is [on track/at risk/delayed]. Include: progress against milestones, key decisions needed, risks with mitigation plans, resource asks, and next two-week plan.
Sprint Retrospective Format
Design a sprint retrospective format for a team experiencing [specific challenge: missed deadlines/quality issues/low morale]. Include: data gathering, root cause analysis activities, action item templates, and follow-up tracking.
Resource Planning Spreadsheet
Create a resource planning spreadsheet for Q[N] covering: team capacity (accounting for PTO, on-call, meetings), project allocations, utilization targets, hiring pipeline impact, and contingency buffer.
Post-Mortem Document
Write a post-mortem document for [incident/project failure]. Include: timeline of events, impact assessment, root cause analysis (5 Whys), contributing factors, action items with owners and deadlines, and prevention measures.
Decision Log Template
Build a decision log template for [project] that captures: decision made, context and constraints, options considered, trade-offs, decision-maker, date, and review trigger conditions.
Strategy & Planning
6 promptsQuarterly OKR Set
Draft a quarterly OKR set for my [function] team aligned with company goals of [goals]. Include: 3-4 objectives with measurable key results, initiatives mapped to each KR, and dependency callouts.
Technology Roadmap
Create a technology roadmap for the next [6/12] months. Prioritize: tech debt reduction, platform capabilities, developer experience improvements, and new feature enablement. Include effort estimates and sequencing rationale.
Business Case
Write a business case for [initiative: new tool/hire/process change]. Include: problem statement with data, proposed solution, cost-benefit analysis, implementation timeline, risk assessment, and success metrics.
Engineering Org Structure
Design an engineering org structure for a team growing from [current] to [target] people. Address: team topology (stream-aligned/platform/enabling), reporting lines, communication channels, and scaling milestones.
Build-vs-Buy Analysis
Create a build-vs-buy analysis for [capability]. Evaluate: total cost of ownership over 3 years, implementation timeline, maintenance burden, customization needs, vendor lock-in risk, and team skill alignment.
Migration Strategy
Draft a migration strategy for moving from [current system] to [target system]. Cover: phased approach, data migration plan, parallel running period, rollback triggers, team training, and stakeholder communication.
Communication & Stakeholder Management
6 promptsExecutive Summary
Write an executive summary for [technical project] that a non-technical VP can understand. Cover: business impact in revenue/efficiency terms, timeline, resource needs, risks in business language, and ask/decision needed.
Change Management Communication Plan
Draft a change management communication plan for [organizational/process change]. Include: stakeholder analysis, messaging by audience, communication timeline, FAQ document, feedback channels, and resistance mitigation.
Engineering Newsletter
Create a monthly engineering newsletter for the wider company. Include sections for: shipped features with business impact, technical wins, team spotlights, upcoming priorities, and how other teams can collaborate.
Controversial Decision Talking Points
Write talking points for presenting [controversial technical decision] to skeptical stakeholders. Anticipate objections, prepare data-backed responses, and frame the narrative around business outcomes.
Resource Request to Leadership
Draft a request to leadership for [additional headcount/budget/resources]. Include: current state with pain points, impact of not investing, proposed investment, expected ROI timeline, and comparable benchmarks.
Quarterly Business Review Deck
Create a stakeholder update deck outline for [quarterly business review]. Include: team accomplishments against OKRs, customer impact metrics, operational health, lessons learned, and next quarter priorities.
Hiring & Interviews
5 promptsJob Description
Write a job description for a [Senior/Staff/Principal] [role] that attracts strong candidates. Include: impactful mission statement, specific responsibilities (not generic), required vs nice-to-have skills, growth opportunities, and team culture.
Structured Interview Loop
Design a structured interview loop for [role] with: screening criteria, technical assessment rubric, system design evaluation framework, behavioral interview questions (STAR format), culture add assessment, and calibration guide.
Technical Interview Question
Create a technical interview question for [skill area] that tests real-world problem-solving, not trivia. Include: problem statement, hints for different experience levels, evaluation rubric, and sample strong/weak answers.
Compelling Offer Email
Write a compelling offer email for a candidate choosing between us and [competitor]. Highlight: unique team mission, growth trajectory, compensation philosophy, and specific reasons why this role is special.
Interview Scorecard Template
Design an interview scorecard template with: competency dimensions, behavioral anchors for each rating level, red/green flags, and calibration notes section for debrief.
Process & Culture
5 promptsSustainable On-Call Rotation
Design an engineering on-call rotation that's sustainable. Cover: rotation schedule, escalation paths, runbook requirements, compensation/time-off policy, handoff process, and incident severity definitions.
Engineering Career Ladder
Create an engineering career ladder document for [IC/Management] track from [Junior to Principal/Director]. Define: scope of impact, technical skills, leadership competencies, and concrete examples at each level.
Team Working Agreements
Draft team working agreements covering: code review SLAs, meeting norms, communication channels and response times, decision-making framework, and how we handle disagreements.
Knowledge-Sharing Program
Design a knowledge-sharing program for the engineering team. Include: tech talk series, documentation standards, pair programming rotation, internal blog, and cross-team learning sessions.
Engineering Excellence Scorecard
Create an engineering excellence scorecard tracking: deployment frequency, lead time, change failure rate, MTTR, code coverage trends, tech debt ratio, and developer satisfaction score.
Personal Finance & Money
5 promptsZero-Based Monthly Budget
Help me create a zero-based monthly budget. My income is [amount], fixed expenses are [list], and I want to allocate for savings, investments, debt repayment, and discretionary spending. Show me the allocation with percentages.
Debt vs Investing Decision
I have [amount] in savings and [amount] in debt at [interest rates]. Should I prioritize paying off debt (avalanche vs snowball method) or investing? Walk me through the math and trade-offs for my situation.
Salary Negotiation Prep
Help me prepare for a salary negotiation. My current salary is [X], market rate is [Y], and I have [accomplishments]. Draft my talking points, anticipate counterarguments, and suggest a negotiation strategy with walkaway number.
Job Offer Comparison Framework
Create a comparison framework for evaluating two job offers. Factor in: base salary, equity/RSUs (with vesting schedule), benefits value, commute cost, growth potential, work-life balance, and total compensation over 4 years.
Tax Situation Analysis
Help me understand my tax situation as a [salaried/freelancer/both] in [country]. What deductions am I likely missing, what should I be tracking monthly, and when should I consult a professional?
Career & Professional Growth
6 promptsCareer Transition Plan
I'm a [current role] wanting to transition to [target role]. Create a 6-month skill development plan with: gap analysis, learning resources, projects to build, communities to join, and milestones to track progress.
Interview Preparation
Help me prepare for a [type] interview at [company level]. Give me: the most likely questions for this role, a framework for structuring answers, common pitfalls, and mock scenarios to practice.
LinkedIn Profile Rewrite
Review my LinkedIn profile summary and rewrite it to attract [target audience: recruiters/clients/collaborators]. Make it outcome-focused, include relevant keywords for [industry], and add a clear call-to-action.
Career Stagnation Decision Framework
I've been in the same role for [N] years and feel stagnant. Help me evaluate my options: negotiate a promotion, move laterally, switch companies, or start a side project. Create a decision framework based on my priorities of [list].
Cold Outreach Message
Draft a cold outreach message for connecting with [target person/role] on LinkedIn. I want to [goal: learn about their work/explore opportunities/propose collaboration]. Make it personal, concise, and non-salesy.
Personal Brand Strategy
Help me build a personal brand strategy as a [role] in [industry]. Cover: content pillars, platform selection, posting cadence, engagement strategy, and measurable goals for 90 days.
Health, Wellness & Habits
5 promptsMorning Routine Design
Design a realistic morning routine for someone who [works from home/commutes/has kids] and wants to include exercise, mindfulness, and learning. Account for my wake-up time of [X] and start time of [Y].
30-Day Habit Building Plan
I want to build the habit of [specific habit]. Create a 30-day plan using habit stacking, implementation intentions, and progressive difficulty. Include: trigger, routine, reward, and how to recover from missed days.
Weekly Meal Prep Plan
Create a meal prep plan for the week that's healthy, budget-friendly, and takes under 2 hours on Sunday. I eat [dietary preferences/restrictions], cook for [N] people, and want variety without waste.
Burnout Recovery Plan
I've been feeling burned out. Help me design a recovery plan that I can start this week. Include: immediate relief actions, boundary-setting scripts for work, energy management strategies, and signs of improvement to watch for.
Fitness Routine
Design a simple fitness routine I can do in [time] with [equipment/no equipment], [N] days per week. Include: warm-up, main workout, cool-down, and a 4-week progression plan.
Communication & Relationships
5 promptsDifficult Conversation Guide
Help me have a difficult conversation with [person/relationship] about [topic]. Give me: an opening that's non-confrontational, key points to make using 'I' statements, how to actively listen, and potential outcomes to prepare for.
Setting a Boundary Message
Draft a message to [person] to set a boundary about [situation]. I want to be firm but kind, explain my reasoning without over-justifying, and suggest an alternative that works for both of us.
Genuine Apology
I need to apologize to [person] for [situation]. Help me write a genuine apology that acknowledges impact (not just intent), takes responsibility, and proposes how I'll do better. No 'I'm sorry you feel that way' language.
Diplomatic Complaint Email
Write a diplomatic email to [neighbor/landlord/service provider] about [complaint]. I want to be clear about the issue, reference any relevant agreements, request specific resolution, and set a reasonable timeline.
Toast or Speech
Help me write a toast/speech for [occasion: wedding/retirement/birthday] for [person]. Include: a personal anecdote, what I admire about them, a touch of humor, and a heartfelt closing. Keep it under 3 minutes.
Learning & Self-Improvement
5 promptsStructured Learning Curriculum
I want to learn [skill/subject] from scratch. Create a structured curriculum: beginner to intermediate over [timeframe], with free resources, practice projects, milestones, and how to know when I'm ready for the next level.
Three-Analogy Explanation
Explain [complex topic] using three different analogies: one for a complete beginner, one for someone with adjacent knowledge, and one that captures the nuanced technical reality.
Actionable Takeaways from Content
I just read/watched [book/talk/article] about [topic]. Help me create actionable takeaways: what are the 3-5 key ideas, how do they apply to my life as a [role], and what's one thing I should do this week based on it?
Reading Plan
Design a reading plan for [goal: become a better leader/understand economics/improve writing]. Suggest 10 books in a logical sequence, explain why each matters, and give me a realistic timeline with discussion questions.
Presentation Preparation
I'm preparing to give a [type] presentation to [audience]. Help me: structure the narrative arc, design memorable slides (what to show, not say), practice techniques for confidence, and anticipate tough questions.
Home & Life Admin
5 promptsMoving Checklist
I'm moving to a new [apartment/city]. Create a comprehensive checklist with timeline: 4 weeks before, 2 weeks before, 1 week before, moving day, and first week tasks. Include admin tasks people often forget.
Digital Life Organization
Help me organize my digital life: email inbox strategy (folders/labels/filters), file organization system, password management, subscription audit, and cloud storage cleanup. Give me a weekend action plan.
Home Declutter Plan
I want to declutter my home room by room. Give me a systematic approach for each room: decision criteria (keep/donate/discard), organizing principles, storage solutions on a budget, and maintenance habits.
Home Maintenance Calendar
Create a home maintenance calendar organized by month/season. Include: HVAC filter changes, appliance cleaning, pest prevention, safety checks (smoke detectors, fire extinguisher), and seasonal preparations.
Major Purchase Comparison Guide
Help me comparison-shop for [major purchase: laptop/phone/appliance]. What are the key specs that actually matter vs marketing hype, what's the sweet spot for price-to-performance, and what should I avoid?
Travel & Experiences
3 promptsTrip Itinerary Planner
Plan a [N]-day trip to [destination] for [group type] with a [budget level] budget. Include: day-by-day itinerary with timing, local food recommendations (not tourist traps), transport between spots, and booking tips.
Vacation Options Comparison
I have [N] days of vacation left this year. Suggest 3 trip options based on: my interests in [list], budget of [amount], departure from [city], and preference for [adventure/relaxation/culture]. Compare pros and cons.
Packing List
Create a packing list for [trip type] to [climate] for [duration]. Organize by: clothing (with outfit planning), toiletries, electronics, documents, and the things people always forget. Suggest what to wear on the plane.
Creative & Side Projects
4 promptsContent Channel Launch Plan
I want to start a [blog/newsletter/YouTube channel] about [topic]. Help me: define my unique angle, create a content calendar for the first month, choose the right platform, set realistic growth expectations, and plan my first 5 pieces.
Side Project Validation
Validate my side project idea: [description]. Help me think through: who exactly is the user, what's their current painful alternative, how would I reach my first 10 users, what's the smallest version I can build to test demand, and what would make me quit?
6-Week MVP Plan
I want to build an MVP of [product idea] as a solo developer in 6 weeks. Help me: ruthlessly scope features (must-have vs nice-to-have), choose the fastest tech stack, define launch criteria, and plan a realistic weekly schedule.
Product Landing Page Copy
Help me write a compelling product landing page for [product/service]. Include: headline that communicates value, problem-agitation-solution flow, social proof placement, clear CTA, and FAQ section addressing objections.
Difficult Situations & Problem Solving
5 promptsWorkplace Situation Assessment
I'm dealing with [workplace situation: toxic culture/bad manager/unfair treatment]. Help me: assess the severity objectively, identify my options (address directly/escalate/document/exit), draft appropriate communications, and protect myself.
Saying No Without Damaging Relationships
I need to say no to [request from boss/friend/family] without damaging the relationship. Give me 3 different approaches ranging from soft decline to firm boundary, with exact wording for each.
Overwhelmed Priority Triage
I'm overwhelmed with [N] competing priorities and don't know where to start. Help me: triage using the Eisenhower Matrix, identify what can be delegated or dropped, create a realistic daily plan, and scripts for renegotiating deadlines.
Work Mistake Recovery
I made a mistake at work: [describe]. Help me: assess the impact honestly, draft a communication to the right people (own it without over-apologizing), create a remediation plan, and extract a lesson without spiraling.
Negotiation Preparation
Help me prepare for a negotiation with [party] about [topic]. Identify my BATNA, define my aspiration and reservation points, anticipate their interests, and give me tactical phrases for common negotiation moments.