*50 prompts across 6 categories. Copy. Paste. Execute. Every prompt in this guide is built for real world use, not demos. * This is not a list of generic prompts you have seen a hundred times before.
Every prompt in this guide was built with one goal. To replace a task that used to take hours and make it take minutes.
Six categories. Fifty prompts each. Three hundred total.
Follow me @cyrilxbt & Bookmark this. You will come back to it.
Category 1: Coding and Debugging (Prompts 1-50)
These prompts turn Claude into a senior developer that never sleeps and never gets frustrated.
1. Code Review
Review this code as a senior engineer. Identify bugs, security vulnerabilities, performance issues, and style problems. Explain each issue and suggest a fix: [PASTE CODE]
2. Debug This Error
I am getting this error: [ERROR MESSAGE]. Here is the relevant code: [PASTE CODE]. Walk me through every possible cause and fix each one.
3. Refactor for Readability
Refactor this code to be cleaner and more readable without changing its functionality. Add comments explaining complex logic: [PASTE CODE]
4. Write Unit Tests
Write comprehensive unit tests for this function. Cover the happy path, edge cases, null inputs, and error conditions: [PASTE FUNCTION]
5. Optimize Performance
Analyze this code for performance bottlenecks. Identify the slowest parts and rewrite them to be more efficient: [PASTE CODE]
6. Convert to TypeScript
Convert this JavaScript code to TypeScript. Add proper type definitions for all variables, parameters, and return values: [PASTE CODE]
7. Explain This Code
Explain this code to me like I have never seen it before. What does it do, how does it work, and why is it written this way: [PASTE CODE]
8. Generate API Endpoint
Write a REST API endpoint in [LANGUAGE/FRAMEWORK] that [DESCRIBE WHAT IT SHOULD DO]. Include input validation, error handling, and proper HTTP status codes.
9. Database Query Optimization
This SQL query is running slowly: [PASTE QUERY]. Analyze it, explain why it is slow, and rewrite it to be faster. Suggest any indexes that would help.
10. Write Documentation
Write clear developer documentation for this function including purpose, parameters, return values, example usage, and edge cases: [PASTE FUNCTION]
11. Security Audit
Audit this code for security vulnerabilities. Check for SQL injection, XSS, authentication issues, exposed secrets, and any other risks: [PASTE CODE]
12. Build a CLI Tool
Write a command line tool in Python that [DESCRIBE FUNCTIONALITY]. Include argument parsing, error handling, help text, and a usage example.
13. Convert Function to Async
Convert this synchronous function to async/await. Handle all promise rejections properly and maintain the same functionality: [PASTE FUNCTION]
14. Design a Data Schema
Design a database schema for [DESCRIBE APPLICATION]. Include all tables, columns, data types, relationships, indexes, and explain your design decisions.
15. Write a Regex
Write a regex pattern that matches [DESCRIBE WHAT TO MATCH]. Explain each part of the pattern and show example matches and non-matches.
16. Build a Web Scraper
Write a Python web scraper that extracts [DESCRIBE DATA] from [URL/TYPE OF SITE]. Handle pagination, rate limiting, and failed requests gracefully.
17. Code Architecture Review
Review this architecture and tell me what problems you foresee at scale. What would break first and how should I redesign it: [DESCRIBE OR PASTE ARCHITECTURE]
18. Add Error Handling
Add comprehensive error handling to this code. Catch all possible failures, log them appropriately, and fail gracefully: [PASTE CODE]
19. Build a Cron Job
Write a cron job in [LANGUAGE] that [DESCRIBE TASK]. It should run [FREQUENCY], handle failures, and send an alert if something goes wrong.
20. Translate Between Languages
Translate this code from [LANGUAGE A] to [LANGUAGE B]. Maintain all functionality and use idiomatic patterns for the target language: [PASTE CODE]
21. Write a Webhook Handler
Write a webhook handler in [FRAMEWORK] that receives events from [SERVICE]. Validate the signature, parse the payload, and handle [DESCRIBE EVENTS].
22. Build a Rate Limiter
Implement a rate limiter in [LANGUAGE] that allows [X] requests per [TIME PERIOD] per user. Handle edge cases and include a way to whitelist certain users.
23. Create a Middleware
Write middleware for [FRAMEWORK] that [DESCRIBE WHAT IT SHOULD DO]. Make it reusable, well documented, and handle all edge cases.
24. Design a Caching Strategy
Design a caching strategy for [DESCRIBE SYSTEM]. What should be cached, for how long, when should it be invalidated, and what caching technology would you use?
25. Write a Data Migration Script
Write a database migration script that [DESCRIBE WHAT IT NEEDS TO DO]. Make it idempotent, reversible, and safe to run on a production database.
26. Build an Authentication System
Design and write a JWT authentication system in [FRAMEWORK]. Include signup, login, token refresh, logout, and protected route middleware.
27. Generate Mock Data
Write a script that generates realistic mock data for [DESCRIBE DATA STRUCTURE]. Generate [NUMBER] records and output as JSON.
28. Implement Pagination
Add cursor-based pagination to this API endpoint. Include a page size limit, handle edge cases, and return proper metadata: [PASTE ENDPOINT CODE]
29. Write a CI/CD Pipeline
Write a GitHub Actions workflow that runs tests, checks code quality, builds the application, and deploys to [PLATFORM] on every push to main.
30. Design a Microservice
Design the architecture for a microservice that handles [DESCRIBE FUNCTIONALITY]. What endpoints does it need, how does it communicate with other services, and what does its data model look like?
31. Implement Retry Logic
Add retry logic to this function that makes an external API call. Handle rate limits, transient errors, and use exponential backoff: [PASTE FUNCTION]
32. Write a State Machine
Implement a state machine for [DESCRIBE SYSTEM WITH STATES]. Define all states, transitions, guards, and actions.
33. Build a Queue System
Implement a job queue in [LANGUAGE] that processes [DESCRIBE JOBS]. Include priority levels, retry logic, dead letter handling, and a way to monitor queue depth.
34. Create an SDK
Design and write a basic SDK in [LANGUAGE] for the following API. Make it easy to use, well documented, and handle authentication automatically: [PASTE API SPEC]
35. Optimize a React Component
This React component is re-rendering too often and causing performance issues. Analyze it and fix the performance problems: [PASTE COMPONENT]
36. Write Integration Tests
Write integration tests for this API endpoint that test the full request/response cycle including the database: [PASTE ENDPOINT CODE]
37. Implement Search Functionality
Implement full-text search for [DESCRIBE DATA] using [TECHNOLOGY]. Include fuzzy matching, relevance scoring, and filtering by [FIELDS].
38. Build a Notification System
Design and implement a notification system that sends [EMAIL/SMS/PUSH] notifications when [DESCRIBE TRIGGERS]. Include templates, queuing, and delivery tracking.
39. Write a Parser
Write a parser in [LANGUAGE] that reads [DESCRIBE FORMAT] and outputs [DESCRIBE OUTPUT]. Handle malformed input gracefully.
40. Design an Event System
Design an event-driven architecture for [DESCRIBE APPLICATION]. What events should exist, how should they be structured, and how should services communicate through them?
41. Implement File Upload
Write a file upload handler in [FRAMEWORK] that accepts [FILE TYPES], validates size and type, stores files in [STORAGE], and returns a URL.
42. Build a Configuration System
Design a configuration management system for [APPLICATION TYPE] that supports multiple environments, secret management, and runtime updates without restarts.
43. Write a Health Check Endpoint
Write a health check endpoint for [FRAMEWORK] that checks database connectivity, external service availability, and system resources. Return appropriate HTTP status codes.
44. Implement Feature Flags
Design and implement a feature flag system that allows enabling and disabling features per user, per percentage of traffic, or globally without deploying code.
45. Create a Logging System
Implement structured logging for [APPLICATION TYPE] that includes request IDs, user context, performance timing, and integrates with [LOGGING SERVICE].
46. Build a Report Generator
Write code that queries [DESCRIBE DATA SOURCE] and generates a [FORMAT] report showing [DESCRIBE METRICS]. Schedule it to run [FREQUENCY] and email it to [RECIPIENTS].
47. Implement Data Validation
Write a comprehensive data validation layer for this API. Validate all inputs, return clear error messages, and prevent any malformed data from reaching the database: [PASTE API SPEC]
48. Design a Plugin System
Design a plugin architecture for [APPLICATION] that allows third party developers to extend functionality without modifying core code. Define the plugin interface and lifecycle hooks.
49. Write a Load Testing Script
Write a load testing script using [TOOL] that simulates [NUMBER] concurrent users performing [DESCRIBE USER ACTIONS] and reports on response times and error rates.
50. Build a Dashboard Backend
Design and write the backend for a real-time dashboard that shows [DESCRIBE METRICS]. Include WebSocket support, data aggregation, and efficient querying.
Category 2: AI Workflows (Prompts 51-100)
These prompts help you design, build, and optimize AI powered systems and pipelines.
51. Design an AI Agent
Design an AI agent that can [DESCRIBE GOAL]. What tools does it need, what decisions should it make autonomously, what should require human approval, and how should it handle failures?
52. Build a Prompt Chain
Design a multi-step prompt chain that takes [INPUT] and produces [OUTPUT]. Break it into discrete steps, define what each step does, and explain how outputs feed into the next step.
53. Create a System Prompt
Write a system prompt for an AI assistant that works as a [DESCRIBE ROLE] for [DESCRIBE COMPANY/USE CASE]. Define its personality, capabilities, limitations, and how it should handle edge cases.
54. Evaluate Prompt Quality
Evaluate this prompt and tell me everything that is wrong with it. Then rewrite it to be more precise, consistent, and likely to produce the output I actually want: [PASTE PROMPT]
55. Design a RAG System
Design a Retrieval Augmented Generation system for [DESCRIBE USE CASE]. What data should be indexed, how should it be chunked, what embedding model should be used, and how should retrieval be structured?
56. Build a Classification Pipeline
Design an AI classification pipeline that categorizes [DESCRIBE INPUTS] into [DESCRIBE CATEGORIES]. Include data preprocessing, model selection, confidence thresholds, and handling of edge cases.
57. Create an Extraction Prompt
Write a prompt that extracts [DESCRIBE INFORMATION] from [DESCRIBE DOCUMENT TYPE]. Output as structured JSON. Handle missing fields gracefully and flag uncertain extractions.
58. Design a Multi-Agent System
Design a multi-agent system where [NUMBER] AI agents collaborate to accomplish [DESCRIBE GOAL]. Define each agent's role, how they communicate, and how conflicts are resolved.
59. Build an AI Evaluation Framework
Design a framework for evaluating the quality of AI outputs for [DESCRIBE USE CASE]. What metrics matter, how should they be measured, and what does good versus bad look like?
60. Create a Summarization Pipeline
Design a pipeline that processes [DESCRIBE CONTENT TYPE] and produces [DESCRIBE SUMMARY FORMAT]. Handle varying lengths, extract key entities, and flag content that needs human review.
61. Design a Content Moderation System
Design an AI content moderation pipeline for [DESCRIBE PLATFORM]. What categories of content need to be detected, what confidence thresholds trigger action, and how is the human review queue managed?
62. Build a Question Answering System
Design a question answering system over [DESCRIBE KNOWLEDGE BASE]. How should documents be preprocessed, what retrieval strategy works best, and how should confidence be communicated to users?
63. Create a Data Enrichment Workflow
Design a workflow that takes [DESCRIBE INPUT DATA] and enriches it with [DESCRIBE ADDITIONAL INFORMATION] using AI. Define the steps, prompts, and how to handle failures.
64. Design an AI Writing Assistant
Design an AI writing assistant for [DESCRIBE USE CASE]. What capabilities should it have, what constraints should it operate under, and how should it handle requests outside its scope?
65. Build a Feedback Loop System
Design a system where AI outputs are evaluated, feedback is collected, and the system improves over time for [DESCRIBE USE CASE]. How is quality measured and what triggers retraining?
66. Create a Document Processing Pipeline
Design a pipeline that ingests [DESCRIBE DOCUMENT TYPES], extracts structured data, validates it, and stores it in [DESCRIBE SYSTEM]. Handle OCR, various formats, and malformed inputs.
67. Design a Personalization Engine
Design an AI personalization system for [DESCRIBE APPLICATION]. What signals should be used, how should recommendations be generated, and how should it handle new users with no history?
68. Build a Monitoring System for AI
Design a monitoring system for an AI pipeline that tracks output quality, latency, cost, and failure rates. What alerts should exist and what dashboards should be built?
69. Create a Prompt Template Library
Create a library of 10 reusable prompt templates for [DESCRIBE USE CASE]. Each template should have placeholders, usage instructions, and example inputs and outputs.
70. Design a Human in the Loop System
Design a system where AI handles [DESCRIBE TASKS] autonomously but routes edge cases to humans. Define the confidence thresholds, escalation paths, and how human feedback is incorporated.
71. Build a Knowledge Graph Extraction Pipeline
Design a pipeline that reads [DESCRIBE DOCUMENTS] and extracts entities, relationships, and facts into a knowledge graph. Define the schema and extraction prompts.
72. Create an AI Customer Service Agent
Design an AI customer service agent for [DESCRIBE BUSINESS]. What questions can it answer, when should it escalate to a human, and how should it handle frustrated customers?
73. Design a Code Review AI
Design an AI code review system that automatically reviews pull requests for [DESCRIBE STANDARDS]. What should it check, how should feedback be formatted, and what issues should block merges?
74. Build a Research Assistant
Design an AI research assistant that can [DESCRIBE RESEARCH TASKS]. How should it search, synthesize information, cite sources, and flag low confidence conclusions?
75. Create a Competitive Intelligence System
Design an AI system that monitors [DESCRIBE COMPETITORS] and produces weekly intelligence reports covering [DESCRIBE AREAS]. What data sources should it monitor and how should insights be prioritized?
76. Design a Meeting Intelligence System
Design an AI system that processes meeting transcripts and produces [DESCRIBE OUTPUTS: action items, summaries, decisions]. How should it handle multiple speakers and ambiguous assignments?
77. Build a Contract Analysis Pipeline
Design an AI pipeline that analyzes contracts and flags [DESCRIBE RISK TYPES]. What clauses should trigger alerts, how should confidence be communicated, and when should a lawyer review?
78. Create a Sentiment Analysis System
Design a sentiment analysis system for [DESCRIBE DATA SOURCE]. What dimensions of sentiment matter, how should nuance be handled, and how should results be aggregated and reported?
79. Design a Lead Scoring System
Design an AI lead scoring system for [DESCRIBE BUSINESS]. What signals predict conversion, how should scores be calculated, and how should the sales team use them?
80. Build a Content Recommendation Engine
Design a content recommendation engine for [DESCRIBE PLATFORM]. What signals drive recommendations, how should diversity be maintained, and how should new content be handled?
81. Create an Anomaly Detection System
Design an AI anomaly detection system for [DESCRIBE DATA]. What constitutes an anomaly, how should severity be classified, and what should happen when one is detected?
82. Design a Translation Workflow
Design an AI translation workflow for [DESCRIBE CONTENT TYPE] from [SOURCE LANGUAGE] to [TARGET LANGUAGES]. How should terminology consistency be maintained and how should quality be validated?
83. Build a Proposal Generation System
Design an AI system that generates business proposals for [DESCRIBE BUSINESS]. What inputs does it need, what sections should proposals include, and how should customization work?
84. Create a Risk Assessment Framework
Design an AI risk assessment system for [DESCRIBE DOMAIN]. What risk factors should be analyzed, how should they be weighted, and what output format helps decision makers act?
85. Design a Voice AI System
Design a voice AI assistant for [DESCRIBE USE CASE]. How should speech be processed, what intents need to be recognized, and how should ambiguous requests be handled?
86. Build a Trend Detection System
Design an AI system that monitors [DESCRIBE DATA SOURCES] and identifies emerging trends in [DESCRIBE DOMAIN]. How should trends be validated and how should false positives be filtered?
87. Create a Compliance Checking System
Design an AI compliance checking system that validates [DESCRIBE CONTENT OR ACTIONS] against [DESCRIBE REGULATIONS]. How should violations be categorized and what remediation steps should be suggested?
88. Design an AI Onboarding System
Design an AI system that onboards new [EMPLOYEES/CUSTOMERS] by answering questions, guiding them through processes, and tracking their progress. How should gaps in knowledge be identified?
89. Build a Predictive Maintenance System
Design an AI predictive maintenance system for [DESCRIBE EQUIPMENT OR SYSTEM]. What signals predict failure, how far in advance can failures be predicted, and what actions should be triggered?
90. Create an Inventory Management AI
Design an AI inventory management system for [DESCRIBE BUSINESS]. How should demand be forecasted, when should reorders be triggered, and how should seasonal patterns be handled?
91. Design a Financial Analysis Agent
Design an AI agent that analyzes [DESCRIBE FINANCIAL DATA] and produces [DESCRIBE OUTPUTS]. What data sources does it need, what calculations should it perform, and how should uncertainty be communicated?
92. Build a Social Media Monitoring System
Design an AI system that monitors social media for [DESCRIBE TOPICS OR BRANDS]. What signals matter, how should sentiment be tracked, and what triggers an urgent alert?
93. Create a Technical Support AI
Design an AI technical support system for [DESCRIBE PRODUCT]. How should it diagnose problems, when should it escalate, and how should it learn from resolved tickets?
94. Design a Price Optimization System
Design an AI pricing system for [DESCRIBE BUSINESS]. What factors should influence pricing, how should competitor prices be monitored, and how should price changes be validated before going live?
95. Build a Fraud Detection System
Design an AI fraud detection system for [DESCRIBE TRANSACTION TYPE]. What signals indicate fraud, how should false positive rates be managed, and what happens when fraud is detected?
96. Create an AI Scheduling System
Design an AI scheduling system for [DESCRIBE USE CASE]. How should it handle conflicts, priorities, constraints, and last minute changes?
97. Design a Quality Control AI
Design an AI quality control system for [DESCRIBE PRODUCT OR PROCESS]. What defects should be detected, what accuracy is acceptable, and how should borderline cases be handled?
98. Build a News Aggregation System
Design an AI news aggregation and summarization system for [DESCRIBE TOPICS]. How should sources be ranked, bias be detected, and duplicate stories be deduplicated?
99. Create a Personalized Learning System
Design an AI personalized learning system for [DESCRIBE SUBJECT]. How should knowledge gaps be identified, content difficulty be adjusted, and progress be measured?
100. Design a Supply Chain Intelligence System
Design an AI system that monitors [DESCRIBE SUPPLY CHAIN] and predicts disruptions, optimizes inventory, and recommends actions. What data sources are critical?
Category 3: Research and Analysis (Prompts 101-150)
These prompts turn Claude into a world class analyst and research partner.
101. Deep Research Brief
Research [TOPIC] comprehensively. Cover the current state, key players, recent developments, open questions, and what experts disagree about. Structure as a research brief.
102. Competitive Analysis
Analyze [COMPANY/PRODUCT] against its top 5 competitors. Compare on [DIMENSIONS]. Identify where it leads, where it lags, and where the biggest opportunities are.
103. Market Size Estimation
Estimate the market size for [DESCRIBE MARKET]. Use a bottom-up approach, show your assumptions clearly, and give a range rather than a single number.
104. Argument Steel-Manning
Steel-man the argument that [CONTROVERSIAL POSITION]. Present the strongest possible version of this argument as its best advocate would make it. Then identify its weakest points.
105. Investment Thesis Analysis
Analyze the investment thesis for [COMPANY/ASSET]. What has to be true for this to be a good investment, what are the key risks, and what would change your view?
106. SWOT Analysis
Conduct a deep SWOT analysis for [COMPANY/PROJECT/IDEA]. Go beyond surface level observations and identify second-order implications of each factor.
107. First Principles Analysis
Break down [PROBLEM/INDUSTRY/ASSUMPTION] from first principles. What are the irreducible truths, what assumptions are people making that might be wrong, and what does this suggest?
108. Historical Pattern Analysis
Analyze historical examples of [DESCRIBE SITUATION OR PATTERN]. What patterns emerge, what caused success or failure, and what lessons apply to [CURRENT SITUATION]?
109. Data Interpretation
Interpret this data: [PASTE DATA OR DESCRIBE DATASET]. What are the key insights, what is surprising, what questions does it raise, and what decisions does it support?
110. Risk Analysis
Conduct a comprehensive risk analysis for [DESCRIBE PROJECT OR DECISION]. Identify all risks, assess likelihood and impact, prioritize them, and suggest mitigations for the top five.
111. Scenario Planning
Develop three scenarios for [DESCRIBE SITUATION]: a base case, an optimistic case, and a pessimistic case. What would cause each to occur and how should we prepare for each?
112. Literature Review
Summarize the current state of research on [TOPIC]. What is well established, what is contested, what are the major schools of thought, and what are the key open questions?
113. Policy Analysis
Analyze the policy [DESCRIBE POLICY] from multiple stakeholder perspectives. Who benefits, who is harmed, what are the intended and unintended consequences, and what alternatives exist?
114. Technology Assessment
Assess the technology [DESCRIBE TECHNOLOGY] for use in [DESCRIBE CONTEXT]. Evaluate maturity, capabilities, limitations, costs, alternatives, and implementation risks.
115. Business Model Analysis
Analyze the business model of [COMPANY]. How does it make money, what are its unit economics, what drives growth, what are its vulnerabilities, and how defensible is it?
116. Causal Chain Analysis
Map the causal chain from [ROOT CAUSE] to [OUTCOME]. What are all the links in the chain, where could intervention have the most impact, and what feedback loops exist?
117. Expert Synthesis
You are synthesizing the views of five leading experts on [TOPIC]. Present the areas of consensus, the key disagreements, and what the weight of expert opinion suggests.
118. Trend Analysis
Analyze the trend of [DESCRIBE TREND]. How long has it been building, what is driving it, how durable is it, and what are its second and third order effects?
119. Decision Framework
Build a decision framework for [DESCRIBE DECISION TYPE]. What factors matter, how should they be weighted, what information is needed, and what does a good decision process look like?
120. Gap Analysis
Conduct a gap analysis between [CURRENT STATE] and [DESIRED STATE] for [DESCRIBE CONTEXT]. What are the gaps, what causes them, and what would close them most efficiently?
121. Root Cause Analysis
Conduct a root cause analysis of [DESCRIBE PROBLEM OR FAILURE]. Use the five whys method, identify contributing factors, and recommend actions that address root causes not symptoms.
122. Stakeholder Analysis
Map the stakeholders for [DESCRIBE PROJECT OR DECISION]. Who has power, who is affected, what does each party want, and how should each be engaged?
123. Hypothesis Generation
Generate 10 testable hypotheses about [DESCRIBE PHENOMENON OR PROBLEM]. For each, describe what evidence would confirm or refute it and how it could be tested.
124. Analogical Reasoning
Find 5 historical or cross-industry analogies for [DESCRIBE SITUATION]. What can each analogy teach us and where does the analogy break down?
125. Assumption Mapping
Map all the assumptions underlying [DESCRIBE PLAN OR BELIEF]. Categorize them by how critical they are and how uncertain they are. Which assumptions most need to be tested?
126. Second Order Effects
Analyze the second and third order effects of [DESCRIBE DECISION OR TREND]. Go beyond the obvious first order effects and identify what most people are missing.
127. Benchmark Analysis
Benchmark [DESCRIBE SUBJECT] against industry best practices and top performers. Where does it rank, what specifically do the best performers do differently, and what is the improvement path?
128. Customer Research Synthesis
Synthesize these customer interviews and identify the most important patterns: [PASTE INTERVIEW NOTES OR TRANSCRIPTS]. What are the key pain points, desires, and surprising insights?
129. Regulatory Landscape Analysis
Analyze the regulatory landscape for [DESCRIBE INDUSTRY OR ACTIVITY] in [GEOGRAPHY]. What regulations apply, what is changing, and what are the compliance risks?
130. Technology Roadmap Analysis
Analyze the technology roadmap for [DESCRIBE TECHNOLOGY AREA]. What are the key milestones, what breakthroughs are needed, and what is the realistic timeline for [DESCRIBE CAPABILITY]?
131. Mental Model Application
Apply the mental model of [DESCRIBE MENTAL MODEL] to analyze [DESCRIBE SITUATION]. What does this lens reveal that a conventional analysis would miss?
132. Pre-Mortem Analysis
Conduct a pre-mortem for [DESCRIBE PLAN]. Imagine it is 12 months from now and this has failed. What went wrong, why did it fail, and what could have been done differently?
133. Value Chain Analysis
Map the value chain for [DESCRIBE INDUSTRY]. Where is value created, where is it captured, where are the margins, and where is disruption most likely to occur?
134. Network Effects Analysis
Analyze the network effects dynamics in [DESCRIBE MARKET OR PRODUCT]. What type of network effects exist, how strong are they, and what does this mean for competitive dynamics?
135. Jobs to Be Done Analysis
Apply the Jobs to Be Done framework to understand why customers hire [DESCRIBE PRODUCT OR SERVICE]. What functional, emotional, and social jobs is it doing?
136. Moat Analysis
Analyze the competitive moat of [COMPANY]. What sustainable advantages does it have, how durable are they, and what would erode them?
137. Demographic Analysis
Analyze the demographic trends affecting [DESCRIBE MARKET OR INDUSTRY]. What shifts are occurring, how fast, and what are the implications for the next 10 years?
138. Supply and Demand Analysis
Analyze the supply and demand dynamics for [DESCRIBE MARKET]. What drives demand, what constrains supply, how tight is the market, and what would shift the balance?
139. Innovation Analysis
Analyze the innovation landscape in [DESCRIBE FIELD]. Where is innovation happening, who are the key innovators, what approaches are being tried, and where are the white spaces?
140. Pricing Power Analysis
Analyze the pricing power of [COMPANY OR PRODUCT]. Can prices be raised without losing customers, what justifies premium pricing, and what limits pricing power?
141. Channel Analysis
Analyze the distribution channels for [DESCRIBE PRODUCT OR SERVICE]. Which channels reach the target customer most efficiently, what are the economics of each, and what is the optimal mix?
142. Brand Analysis
Analyze the brand of [COMPANY]. What does it stand for, how is it perceived, what is its equity, and what would strengthen or damage it?
143. Churn Analysis Framework
Design a framework for analyzing customer churn in [DESCRIBE BUSINESS]. What are the leading indicators, what segments churn most, and what interventions are most effective?
144. Partnership Strategy Analysis
Analyze potential partnership strategies for [DESCRIBE COMPANY]. What types of partners would create the most value, what would make a partnership successful, and what are the risks?
145. Go to Market Analysis
Analyze the go to market strategy for [DESCRIBE PRODUCT]. Who is the beachhead customer, what is the sales motion, how does word of mouth work, and what drives viral growth?
146. Operations Analysis
Analyze the operations of [DESCRIBE BUSINESS]. Where are the bottlenecks, what processes are most critical, where is waste occurring, and what would have the highest impact to improve?
147. Talent Analysis
Analyze the talent landscape for [DESCRIBE ROLE OR SKILL]. Where is the talent, what do they want, how competitive is hiring, and what would make [COMPANY] attractive to them?
148. Platform vs Product Analysis
Analyze whether [DESCRIBE OFFERING] should be a product or a platform. What are the economics of each, what would make a platform successful, and what are the risks of each path?
149. Seasonality Analysis
Analyze the seasonality patterns in [DESCRIBE BUSINESS OR MARKET]. How pronounced are they, what drives them, and how should strategy and operations adapt?
150. Exit Strategy Analysis
Analyze potential exit strategies for [DESCRIBE COMPANY OR INVESTMENT]. What acquirers would be interested and why, what would drive valuation, and what is the realistic timeline?
Category 4: Automation (Prompts 151-200)
These prompts help you design and build automation systems that run without you.
151. Map a Manual Process
I do this task manually: [DESCRIBE TASK]. Map every step in detail, identify which steps could be automated, and design an automation that handles the full workflow.
152. Zapier Workflow Design
Design a Zapier workflow that automates [DESCRIBE PROCESS]. Define the trigger, all the steps in sequence, what data is passed between steps, and how errors are handled.
153. Email Automation Sequence
Design an automated email sequence for [DESCRIBE PURPOSE]. Write the copy for each email, define the triggers and timing, and explain the goal of each message.
154. Build a Data Pipeline
Design a data pipeline that takes [DESCRIBE INPUT], transforms it by [DESCRIBE TRANSFORMATIONS], and loads it into [DESCRIBE DESTINATION]. Include error handling and monitoring.
155. Automate Report Generation
Design an automation that pulls data from [DESCRIBE SOURCES], calculates [DESCRIBE METRICS], generates a [FORMAT] report, and sends it to [RECIPIENTS] every [FREQUENCY].
156. Build a Lead Qualification Bot
Design an automated lead qualification system that [DESCRIBE HOW LEADS COME IN], asks qualifying questions, scores them against [DESCRIBE CRITERIA], and routes them to the right person.
157. Automate Social Media Posting
Design an automation that takes content from [DESCRIBE SOURCE], formats it for [PLATFORMS], schedules it for optimal times, and tracks performance. What tools would you use?
158. Build a Customer Onboarding Automation
Design an automated customer onboarding flow for [DESCRIBE PRODUCT]. What happens at each step, what triggers the next step, and how are stuck customers identified and helped?
159. Automate Invoice Processing
Design an automation that receives invoices by [METHOD], extracts key data, validates it against [DESCRIBE RULES], routes for approval, and updates [ACCOUNTING SYSTEM].
160. Build a Monitoring Alert System
Design an automated monitoring system for [DESCRIBE WHAT IS BEING MONITORED]. What metrics trigger alerts, how are alerts prioritized, and what information is included in each alert?
161. Automate Customer Support Triage
Design an automation that receives support requests, categorizes them by type and priority, routes them to the right team, and sends acknowledgment to the customer.
162. Build a Content Publishing Pipeline
Design an automated content publishing pipeline that takes a draft, runs it through [DESCRIBE CHECKS], formats it for [PLATFORMS], schedules publication, and tracks distribution.
163. Automate Competitive Monitoring
Design an automation that monitors [DESCRIBE COMPETITORS] for changes to [DESCRIBE WHAT TO MONITOR] and delivers a weekly digest with the most important changes.
164. Build a CRM Automation
Design automations for [CRM SYSTEM] that handle [DESCRIBE SCENARIOS]. What triggers each automation, what actions does it take, and how does it update records?
165. Automate Contract Generation
Design an automation that takes [DESCRIBE INPUTS], selects the right contract template, populates it with the correct data, and routes it for signatures via [E-SIGNATURE TOOL].
166. Build an Inventory Reorder System
Design an automation that monitors inventory levels for [DESCRIBE PRODUCTS], triggers reorder when stock falls below [THRESHOLD], generates purchase orders, and tracks delivery.
167. Automate Employee Onboarding
Design an automated employee onboarding workflow that handles account creation, equipment provisioning, training assignments, introduction emails, and 30/60/90 day check-ins.
168. Build a Feedback Collection System
Design an automated feedback collection system for [DESCRIBE TOUCHPOINTS]. When does it trigger, what questions does it ask, how is data aggregated, and how are action items generated?
169. Automate Financial Reconciliation
Design an automation that reconciles [DESCRIBE ACCOUNTS] by matching transactions, flagging discrepancies, generating exception reports, and updating records after review.
170. Build a Knowledge Base Update System
Design an automation that monitors [DESCRIBE SOURCES] for new information, suggests updates to [KNOWLEDGE BASE], routes them for approval, and publishes approved updates.
171. Automate Meeting Follow-Ups
Design an automation that processes meeting transcripts, extracts action items, assigns them to owners, creates tasks in [PROJECT MANAGEMENT TOOL], and sends follow-up emails.
172. Build a Price Monitoring System
Design an automation that monitors competitor prices for [DESCRIBE PRODUCTS] across [CHANNELS], alerts when significant changes occur, and provides recommendations.
173. Automate Job Posting and Screening
Design an automation for the recruitment process that posts jobs, screens applications against [CRITERIA], schedules interviews for qualified candidates, and sends rejections.
174. Build a Compliance Monitoring System
Design an automation that monitors [DESCRIBE ACTIVITIES] for compliance with [REGULATIONS], flags potential violations, and generates audit-ready reports.
175. Automate Customer Win-Back
Design an automated win-back campaign for churned customers. What triggers it, what is the sequence of messages, what offers are made, and when does it give up?
176. Build a Partner Integration Automation
Design an automation that handles data exchange with [DESCRIBE PARTNER SYSTEM]. How does data flow, how are conflicts resolved, and how are errors handled?
177. Automate Performance Reviews
Design an automated performance review process that collects peer feedback, self assessments, and manager input, aggregates it, and generates review documents.
178. Build a Document Approval Workflow
Design an automated document approval workflow for [DESCRIBE DOCUMENT TYPE]. Who reviews at each stage, what triggers advancement, and how are rejections handled?
179. Automate Customer Health Scoring
Design an automation that monitors [DESCRIBE CUSTOMER SIGNALS], calculates health scores, segments customers by risk, and triggers appropriate outreach for at-risk accounts.
180. Build a Webhook Event Processing System
Design a system that receives webhook events from [DESCRIBE SERVICES], routes them to the right handlers, processes them reliably, and handles retries and failures.
181. Automate Sales Forecasting
Design an automation that pulls data from [CRM AND OTHER SOURCES], applies [DESCRIBE FORECASTING MODEL], generates weekly forecast reports, and flags deals needing attention.
182. Build a Content Moderation Pipeline
Design an automated content moderation pipeline for [DESCRIBE PLATFORM]. What checks run automatically, what goes to human review, and how are appeals handled?
183. Automate IT Ticket Routing
Design an automation that receives IT support tickets, categorizes them, assigns priority, routes to the right team, and tracks resolution time against SLAs.
184. Build a Subscription Management System
Design automations for managing [DESCRIBE SUBSCRIPTION BUSINESS]. Handle signups, upgrades, downgrades, failed payments, renewals, and cancellations automatically.
185. Automate Market Research Collection
Design an automation that monitors [DESCRIBE SOURCES] for market intelligence on [TOPICS], filters for relevance, deduplicates, and delivers a curated daily briefing.
186. Build an A/B Testing Automation
Design a system that sets up A/B tests for [DESCRIBE WHAT IS BEING TESTED], monitors results, determines statistical significance, implements winners, and documents learnings.
187. Automate Expense Management
Design an automation that processes expense submissions, validates against [DESCRIBE POLICY], routes for approval, rejects non-compliant expenses, and exports to payroll.
188. Build a User Lifecycle Automation
Design automated workflows for each stage of the user lifecycle for [DESCRIBE PRODUCT]: activation, engagement, retention, re-engagement, and win-back.
189. Automate Quality Assurance Testing
Design an automated QA pipeline for [DESCRIBE APPLICATION]. What tests run on each commit, what runs nightly, and what blocks deployment if it fails?
190. Build a Data Quality Monitoring System
Design an automation that monitors [DESCRIBE DATA SOURCES] for quality issues, alerts when data is missing or anomalous, and generates data quality scorecards.
191. Automate Partner Reporting
Design an automation that compiles performance data for [DESCRIBE PARTNER PROGRAM], generates partner-specific reports, and distributes them on a defined schedule.
192. Build a Customer Communication Automation
Design an automation that triggers personalized communications to customers based on [DESCRIBE BEHAVIORS OR EVENTS]. What messages are sent, when, and through which channels?
193. Automate Product Analytics Reporting
Design an automation that pulls product usage data from [DESCRIBE SOURCES], calculates key metrics, generates a weekly product health report, and distributes it to stakeholders.
194. Build a Security Scanning Pipeline
Design an automated security scanning pipeline for [DESCRIBE WHAT IS BEING SCANNED]. What tools run, what findings are critical versus informational, and how are remediations tracked?
195. Automate Vendor Management
Design automations for vendor management including onboarding, contract renewals, performance reviews, invoice processing, and off-boarding.
196. Build a Learning Management Automation
Design automations for [LMS PLATFORM] that assign courses based on [CRITERIA], send reminders, track completion, report to managers, and issue certificates.
197. Automate Social Listening and Response
Design an automation that monitors social media for mentions of [BRAND/TOPICS], classifies them by sentiment and urgency, and routes to the right person for response.
198. Build a Release Management Automation
Design an automated release management process for [DESCRIBE APPLICATION]. How are releases staged, tested, approved, deployed, and monitored?
199. Automate Grant and Proposal Management
Design an automation that tracks grant deadlines, compiles required documents, routes for review and approval, submits applications, and tracks outcomes.
200. Build a Crisis Communication Automation
Design an automated crisis communication system that detects [DESCRIBE TRIGGER EVENTS], activates the response team, drafts communications, and manages the approval and distribution process.
Category 5: Content Creation (Prompts 201-250)
These prompts produce content that gets read, shared, and remembered.
201. Viral Twitter Thread
Write a viral Twitter thread about [TOPIC]. Start with a scroll-stopping hook. Each tweet should deliver a standalone insight. End with a strong call to action. My audience is [DESCRIBE AUDIENCE].
202. Long Form Article
Write a 1500 word article about [TOPIC] for [DESCRIBE AUDIENCE]. Lead with a compelling hook, use subheadings, include specific examples, and end with a memorable conclusion.
203. Newsletter Issue
Write a newsletter issue on [TOPIC] for [DESCRIBE AUDIENCE]. Include an opening hook, the main insight, a practical takeaway, and a closing thought that leaves them thinking.
204. YouTube Script
Write a YouTube video script about [TOPIC]. Include a hook in the first 30 seconds, chapter markers, engaging transitions, a call to subscribe, and a strong ending that drives comments.
205. LinkedIn Post
Write a LinkedIn post about [TOPIC] that is professional but personal. Share a specific experience or insight, make it relevant to [DESCRIBE AUDIENCE], and end with a question that drives comments.
206. Email Campaign
Write a 3-email campaign for [DESCRIBE GOAL]. Email 1 builds awareness. Email 2 builds desire. Email 3 drives action. Each should have a strong subject line and a clear CTA.
207. Product Description
Write a compelling product description for [DESCRIBE PRODUCT]. Focus on benefits not features, address the main customer pain point, include social proof, and end with a clear CTA.
208. Case Study
Write a customer case study for [DESCRIBE CUSTOMER AND OUTCOME]. Structure it as: the challenge, the solution, the implementation, and the measurable results. Make it specific and credible.
209. Press Release
Write a press release announcing [DESCRIBE NEWS]. Follow AP style, lead with the most newsworthy angle, include quotes from [NAME/TITLE], and end with a boilerplate and contact information.
210. Landing Page Copy
Write landing page copy for [DESCRIBE PRODUCT OR SERVICE]. Include a headline, subheadline, hero section, features section, social proof, FAQ, and a strong CTA. Optimize for conversion.
211. Podcast Episode Outline
Create a detailed outline for a podcast episode on [TOPIC]. Include an intro hook, 5 main segments with talking points, guest questions if applicable, and a closing CTA.
212. Social Media Calendar
Create a 30-day social media content calendar for [DESCRIBE BRAND] on [PLATFORMS]. Include post topics, formats, optimal posting times, and hashtag strategies.
213. White Paper
Write an executive summary and outline for a white paper on [TOPIC]. Target audience is [DESCRIBE]. The paper should establish authority, present original research or insight, and recommend action.
214. Video Ad Script
Write a 60-second video ad script for [DESCRIBE PRODUCT]. Hook in the first 5 seconds, present the problem, introduce the solution, show the benefit, and end with a clear CTA.
215. Webinar Presentation
Create a 45-minute webinar presentation outline on [TOPIC]. Include audience engagement questions, a value packed middle section, and a strong close that drives registrations for [NEXT STEP].
216. SEO Article
Write a 2000 word SEO-optimized article targeting the keyword [KEYWORD]. Include the keyword naturally, use proper heading structure, answer the search intent, and include internal and external link opportunities.
217. Sales Email Sequence
Write a 5-email cold outreach sequence for [DESCRIBE OFFER] targeting [DESCRIBE PROSPECT]. Each email should be short, personalized, and move the conversation forward without being pushy.
218. Bio and About Page
Write a compelling bio for [DESCRIBE PERSON] for use on [DESCRIBE CONTEXT]. Make it authoritative but human, highlight the most relevant credentials, and end with what they are working on now.
219. Comparison Article
Write a comparison article between [OPTION A] and [OPTION B] for [DESCRIBE USE CASE]. Be balanced, specific, and help the reader make the right choice for their situation.
220. How To Guide
Write a comprehensive how-to guide for [DESCRIBE TASK] aimed at [DESCRIBE AUDIENCE]. Break it into clear steps, include common mistakes to avoid, and add pro tips throughout.
221. Interview Questions
Write 20 deep interview questions for [DESCRIBE GUEST] that will produce insightful, quotable answers. Avoid generic questions and get to the insights your audience actually wants.
222. Book Summary
Write a comprehensive summary of [BOOK TITLE]. Cover the core thesis, the most important ideas, the best frameworks, key quotes, and what actions a reader should take after reading it.
223. Opinion Piece
Write a strong opinion piece arguing that [DESCRIBE POSITION] on the topic of [TOPIC]. Make the argument clearly, acknowledge counterarguments honestly, and end with a call to rethink conventional wisdom.
224. FAQ Page
Write a comprehensive FAQ page for [DESCRIBE PRODUCT OR SERVICE]. Anticipate the real questions customers have including objections and concerns, and answer each one clearly and honestly.
225. Onboarding Email Series
Write a 7-email onboarding series for new [CUSTOMERS/USERS] of [DESCRIBE PRODUCT]. Each email should help them get one specific value as quickly as possible and build toward full adoption.
226. Annual Report Narrative
Write the narrative sections of an annual report for [DESCRIBE COMPANY]. Cover the year in review, key achievements, challenges overcome, and vision for the year ahead. Tone should be honest and forward-looking.
227. Thought Leadership Article
Write a thought leadership article establishing [NAME] as an authority on [TOPIC]. Share a contrarian or original insight, back it with evidence or experience, and challenge the reader to think differently.
228. Event Invitation Copy
Write invitation copy for [DESCRIBE EVENT]. Create urgency, communicate the specific value of attending, address who should come, and make the registration CTA impossible to ignore.
229. Testimonial Request Email
Write an email asking [DESCRIBE CUSTOMER] for a testimonial for [DESCRIBE PRODUCT]. Make it easy to respond, suggest the format, and explain how it will be used.
230. Product Launch Email
Write a product launch email for [DESCRIBE PRODUCT] to [DESCRIBE AUDIENCE]. Build anticipation, communicate the key benefit clearly, create urgency, and drive clicks to [DESCRIBE CTA].
231. Explainer Content
Write an explainer for [COMPLEX TOPIC] aimed at [DESCRIBE AUDIENCE]. Use analogies and examples to make it accessible, avoid jargon, and leave the reader feeling like they actually understand it.
232. Community Post
Write an engaging community post for [DESCRIBE COMMUNITY] on [TOPIC]. Start a conversation, share something genuinely useful, and end with a question that invites responses.
233. Pitch Deck Narrative
Write the narrative for a pitch deck for [DESCRIBE COMPANY]. Cover the problem, solution, market, traction, team, and ask. Make each slide advance the story compellingly.
234. Awards Submission
Write an awards submission for [DESCRIBE COMPANY OR PROJECT] for the [DESCRIBE AWARD]. Highlight the most relevant achievements, use specific metrics, and make the case for why this deserves to win.
235. Research Report Executive Summary
Write a 500-word executive summary for a research report on [TOPIC]. Distill the key findings, highlight the most surprising insights, and state the recommended actions clearly.
236. Product Update Announcement
Write an announcement for the product update [DESCRIBE UPDATE]. Lead with the user benefit, explain what changed and why, include any necessary instructions, and end with what is coming next.
237. Evergreen Content Piece
Write an evergreen content piece on [TOPIC] that will still be relevant in five years. Focus on principles over tactics, include timeless examples, and structure it for easy reference.
238. Controversy Take
Write a take on [TOPIC] that challenges the mainstream view in [INDUSTRY/COMMUNITY]. Make the argument boldly, back it with evidence, and anticipate the strongest objections.
239. Brand Story
Write the brand story for [COMPANY]. Cover the founding moment, the problem being solved, the mission, what makes the company different, and where it is going. Make it human and memorable.
240. Re-Engagement Campaign
Write a 3-email re-engagement campaign for [DESCRIBE INACTIVE SEGMENT]. Acknowledge the gap, offer genuine value to come back, and give them a clear reason to re-engage now.
241. Workshop Curriculum
Design a half-day workshop curriculum on [TOPIC] for [DESCRIBE AUDIENCE]. Include learning objectives, session breakdown, activities, materials needed, and how you will measure success.
242. Investor Update Email
Write a monthly investor update email for [DESCRIBE COMPANY]. Cover progress against goals, key metrics, wins, challenges, what you need, and what you are focused on next month.
243. Partnership Proposal
Write a partnership proposal to [DESCRIBE POTENTIAL PARTNER] from [DESCRIBE YOUR COMPANY]. Make the value to both parties clear, propose specific collaboration mechanics, and suggest concrete next steps.
244. Referral Program Copy
Write the copy for a customer referral program for [DESCRIBE PRODUCT]. Include the program explanation, the offer, how it works, the terms, and promotional messages for customers to share.
245. Community Guidelines
Write community guidelines for [DESCRIBE COMMUNITY]. Cover what behavior is expected, what is not allowed, how violations are handled, and the values that underpin the rules. Make them human not legalistic.
246. Job Description
Write a job description for a [JOB TITLE] at [DESCRIBE COMPANY]. Make the role compelling to the right candidate, be honest about challenges, describe the impact they will have, and list only the requirements that actually matter.
247. Grant Proposal Narrative
Write the narrative section of a grant proposal for [DESCRIBE PROJECT] seeking funding from [DESCRIBE FUNDER]. Make the case for impact, explain the approach, demonstrate capability, and align with funder priorities.
248. Crisis Communication Statement
Write a crisis communication statement for [DESCRIBE SITUATION]. Acknowledge the issue directly, take appropriate responsibility, explain what is being done, and communicate what stakeholders can expect next.
249. Product Roadmap Communication
Write a communication to [DESCRIBE AUDIENCE] explaining the product roadmap for [DESCRIBE PRODUCT]. Explain the strategic direction, what is coming when, and what it means for them.
250. Year in Review
Write a year in review post for [DESCRIBE PERSON OR COMPANY]. Cover the biggest wins, the hardest lessons, what changed your thinking, and what you are most excited about for next year. Be honest and specific.
Category 6: Productivity Systems (Prompts 251-300)
These prompts help you design systems that make you more effective every single day.
251. Daily Planning System
Design a daily planning system for [DESCRIBE ROLE AND GOALS]. Include morning routine, time blocking, priority framework, end of day review, and how to handle interruptions and unexpected tasks.
252. Weekly Review Template
Create a weekly review template for [DESCRIBE PERSON AND GOALS]. Cover what got done, what did not, what was learned, priorities for next week, and any systems that need adjustment.
253. Goal Setting Framework
Design a goal setting framework for [DESCRIBE CONTEXT]. Cover how goals are set, how they cascade to daily actions, how progress is tracked, and how to course correct when off track.
254. Meeting Effectiveness System
Design a system for making meetings more effective for [DESCRIBE TEAM OR ORGANIZATION]. Cover when meetings should happen, how they are structured, how decisions are documented, and how follow-up is managed.
255. Decision Making Framework
Create a decision making framework for [DESCRIBE TYPE OF DECISIONS]. Define what information is needed, who should be involved, how options should be evaluated, and how decisions should be documented.
256. Email Management System
Design a system for managing email for [DESCRIBE ROLE]. Cover inbox organization, response time standards, templates for common responses, and how to achieve and maintain inbox zero.
257. Knowledge Management System
Design a personal knowledge management system for [DESCRIBE PERSON AND WORK]. Cover how information is captured, organized, linked, retrieved, and how it is converted into output.
258. Project Management Template
Create a project management template for [DESCRIBE TYPE OF PROJECT]. Include project brief, stakeholder map, milestone plan, risk register, communication plan, and retrospective framework.
259. Habit Building System
Design a habit building system for adding [DESCRIBE HABITS] to a [DESCRIBE PERSON]'s routine. Cover habit design, tracking, accountability, recovery from missed days, and how to stack habits effectively.
260. Focus and Deep Work System
Design a system for protecting and maximizing deep work time for [DESCRIBE ROLE]. Cover environment design, scheduling, managing interruptions, and measuring output quality.
261. Delegation Framework
Design a delegation framework for [DESCRIBE MANAGER AND TEAM]. Cover what to delegate, how to brief tasks, what oversight is appropriate, and how to develop team members through delegation.
262. Content Creation System
Design a content creation system for producing [DESCRIBE CONTENT TYPE] consistently. Cover ideation, drafting, editing, production, distribution, and performance review.
263. Personal Finance System
Design a personal finance tracking and management system for [DESCRIBE FINANCIAL SITUATION AND GOALS]. Cover income tracking, expense categories, savings automation, investment review, and monthly reconciliation.
264. Learning System
Design a system for learning [DESCRIBE SUBJECT OR SKILL] efficiently. Cover how to find the best resources, how to process and retain information, how to practice, and how to measure progress.
265. Network Building System
Design a system for building and maintaining a professional network for [DESCRIBE PERSON AND GOALS]. Cover how to meet new people, how to stay in touch, how to provide value, and how to track relationships.
266. Reading and Note Taking System
Design a system for reading and retaining insights from [DESCRIBE READING MATERIAL]. Cover selection criteria, active reading techniques, note taking format, review schedule, and how to apply insights.
267. Morning Routine Design
Design an optimal morning routine for [DESCRIBE PERSON, GOALS, AND CONSTRAINTS]. Cover wake time, physical activity, mindset practices, planning, and how to make it sustainable long term.
268. Energy Management System
Design an energy management system for [DESCRIBE PERSON AND WORK]. Cover how to schedule tasks by energy level, recovery practices, nutrition and sleep optimization, and how to identify energy drains.
269. Feedback System
Design a system for giving and receiving feedback in [DESCRIBE CONTEXT]. Cover how feedback is solicited, delivered, received, processed, and acted upon.
270. Idea Management System
Design a system for capturing, developing, and acting on ideas for [DESCRIBE PERSON AND CONTEXT]. Cover how ideas are captured, evaluated, developed, prioritized, and either implemented or archived.
271. Client Management System
Design a client management system for [DESCRIBE FREELANCER OR AGENCY]. Cover onboarding, communication standards, project tracking, invoicing, and relationship maintenance.
272. Hiring System
Design a hiring system for [DESCRIBE ROLE AND COMPANY]. Cover job scoping, sourcing, screening, interviews, assessment, offers, and onboarding. Minimize bias and time to hire.
273. Sales Process System
Design a sales process for [DESCRIBE PRODUCT AND MARKET]. Cover prospecting, qualification, discovery, proposal, negotiation, closing, and handoff to customer success.
274. Customer Success Playbook
Design a customer success playbook for [DESCRIBE PRODUCT]. Cover onboarding, health monitoring, QBRs, expansion plays, renewal process, and churn prevention.
275. Team Communication System
Design a team communication system for [DESCRIBE TEAM]. Cover which tools are used for what, response time expectations, meeting cadences, and how decisions and context are documented.
276. Performance Management System
Design a performance management system for [DESCRIBE TEAM]. Cover goal setting, regular check-ins, performance reviews, recognition, and how to handle underperformance.
277. Personal Productivity Audit
Conduct a personal productivity audit framework for [DESCRIBE ROLE]. Cover how to identify time wasters, measure output versus activity, find leverage points, and redesign the workday.
278. Quarterly Planning System
Design a quarterly planning system for [DESCRIBE PERSON OR TEAM]. Cover how to review the previous quarter, set priorities for the next, allocate resources, and create accountability.
279. Research and Synthesis System
Design a system for conducting research on [DESCRIBE TOPIC TYPE] and synthesizing it into actionable insights. Cover source selection, reading strategy, note-taking, synthesis, and output format.
280. Product Development System
Design a product development system for [DESCRIBE TEAM]. Cover discovery, prioritization, specification, design, development, testing, launch, and post-launch review.
281. Budget Management System
Design a budget management system for [DESCRIBE CONTEXT]. Cover how budgets are set, tracked, reviewed, and how variances are identified and addressed.
282. Conflict Resolution Framework
Design a conflict resolution framework for [DESCRIBE CONTEXT]. Cover how conflicts are surfaced, the resolution process, who is involved, and how outcomes are documented.
283. Innovation System
Design a system for generating and developing innovative ideas in [DESCRIBE ORGANIZATION]. Cover how ideas are submitted, evaluated, developed, resourced, and implemented.
284. Vendor Selection Framework
Design a vendor selection framework for [DESCRIBE TYPE OF PURCHASE]. Cover requirements gathering, market scanning, RFP process, evaluation criteria, and decision documentation.
285. Crisis Management System
Design a crisis management system for [DESCRIBE ORGANIZATION]. Cover how crises are detected, classified, escalated, managed, communicated, and reviewed after resolution.
286. Training and Development System
Design a training and development system for [DESCRIBE TEAM]. Cover skills assessment, learning paths, delivery methods, progress tracking, and how learning connects to performance.
287. OKR System
Design an OKR implementation for [DESCRIBE ORGANIZATION OR TEAM]. Cover how OKRs are set, cascaded, tracked, reviewed, and how they connect to compensation and recognition.
288. Retrospective System
Design a retrospective system for [DESCRIBE TEAM]. Cover cadence, format, facilitation, how insights are captured, how action items are tracked, and how the team measures whether retrospectives are working.
289. Documentation System
Design a documentation system for [DESCRIBE TEAM OR PRODUCT]. Cover what needs to be documented, who is responsible, where it lives, how it stays current, and how people find what they need.
290. Offboarding System
Design an employee offboarding system for [DESCRIBE ORGANIZATION]. Cover knowledge transfer, access revocation, exit interviews, equipment return, and maintaining the relationship for future reference.
291. Content Calendar System
Design a content calendar system for [DESCRIBE BRAND]. Cover how topics are generated, assigned, produced, reviewed, scheduled, and how performance informs future planning.
292. Partnership Management System
Design a system for managing strategic partnerships for [DESCRIBE COMPANY]. Cover partner onboarding, communication cadence, joint planning, performance tracking, and renewal process.
293. Procurement System
Design a procurement system for [DESCRIBE ORGANIZATION]. Cover how needs are identified, approved, sourced, contracted, and how supplier performance is managed.
294. Risk Management System
Design a risk management system for [DESCRIBE ORGANIZATION OR PROJECT]. Cover how risks are identified, assessed, prioritized, mitigated, monitored, and reported.
295. Customer Feedback System
Design a comprehensive customer feedback system for [DESCRIBE BUSINESS]. Cover all feedback touchpoints, how feedback is collected, analyzed, prioritized, actioned, and communicated back to customers.
296. Data Governance System
Design a data governance system for [DESCRIBE ORGANIZATION]. Cover data ownership, quality standards, access controls, compliance requirements, and how data issues are reported and resolved.
297. Brand Management System
Design a brand management system for [DESCRIBE BRAND]. Cover brand guidelines, approval processes, asset management, consistency monitoring, and how the brand evolves over time.
298. Strategic Planning System
Design a strategic planning system for [DESCRIBE ORGANIZATION]. Cover the annual planning cycle, how market intelligence informs strategy, how plans are communicated, and how execution is tracked.
299. Personal Board of Directors
Design a personal board of directors system for [DESCRIBE PERSON AND GOALS]. Cover who should be on it, how to recruit members, what the relationship looks like, and how to get maximum value from each advisor.
300. Life Design System
Design a comprehensive life design system for [DESCRIBE PERSON]. Cover career, relationships, health, finances, learning, and personal fulfillment. Include how all areas are reviewed and balanced over time.
How to Get the Most From This Guide
Do not try to use all 300 prompts at once.
Pick the category most relevant to what you are working on right now. Find 5 prompts that solve your most immediate problems. Use them this week and refine them based on what comes back.
The prompts with brackets are templates. Fill in the brackets with your specific context. The more specific you are, the better Claude performs.
Every prompt in this guide replaces between 30 minutes and several hours of manual work. Use them consistently and the compounding effect on your output will be significant.
Bookmark this document. Share it with anyone building with AI. And come back to it every time you start a new project.
*For more content like this follow me *@cyrilXBT
