Build Guide
How to Build a Notes App
A notes app with AI search is 10× more useful than Notion for 80% of users — and you can build the core in a weekend.
Notes apps are deceptively complex: rich text editing, fast full-text search, and cross-device sync are each a rabbit hole. Master them and you have the building blocks of every knowledge management tool.
Data model
The core tables you'll need before writing any UI.
Build order
The sequence that minimises rewrites — build in this order.
Minimal text editor
Install TipTap with the StarterKit extension. Render an editor and a list of notes side by side. Save content to state on every change. No persistence yet.
Save notes to Supabase
Create the notes table. On editor change (debounced 1s), upsert the note. Store TipTap's JSON output in content and a plain-text version in plain_text for search.
Note list with search
Build the note sidebar — list of titles sorted by updated_at. Add a search input that filters by plain_text using Postgres ILIKE or full-text search (tsvector).
Tags and notebooks
Add a tags array to the note. Render tag pills in the editor header. Add a notebooks sidebar — notes belong to a notebook. Add a filter by notebook or tag.
Pin, archive, and delete
Add pinned and archived booleans to notes. Pinned notes appear at the top of the list. Archived notes are hidden unless the user opens the archive view.
AI Q&A over notes
Add a "Chat with your notes" panel. On each query, fetch the top 5 most relevant notes using Postgres full-text search, send them as context to Claude, and stream the response back.
Export to Markdown and PDF
Convert TipTap JSON to Markdown using the tiptap-markdown extension. For PDF, render the note in a hidden div and use html2canvas + jsPDF to export.
Build it with AI — Architect Prompt
Paste this into Claude, Cursor, Windsurf, or any AI coding tool. It includes the full context of this guide — data model, build order, and pitfalls — so the AI starts with everything it needs.
<context> App: Notes App Difficulty: Beginner Estimated build time: 2–5 days Data model: User: id, email, created_at Notebook: id, user_id, name, created_at Note: id, notebook_id, user_id, title, content (JSON — TipTap format), plain_text (for search), tags, pinned, updated_at Recommended build order: 1. Minimal text editor — Install TipTap with the StarterKit extension. Render an editor and a list of notes side by side. Save content to state on every change. No persistence yet. 2. Save notes to Supabase — Create the notes table. On editor change (debounced 1s), upsert the note. Store TipTap's JSON output in content and a plain-text version in plain_text for search. 3. Note list with search — Build the note sidebar — list of titles sorted by updated_at. Add a search input that filters by plain_text using Postgres ILIKE or full-text search (tsvector). 4. Tags and notebooks — Add a tags array to the note. Render tag pills in the editor header. Add a notebooks sidebar — notes belong to a notebook. Add a filter by notebook or tag. 5. Pin, archive, and delete — Add pinned and archived booleans to notes. Pinned notes appear at the top of the list. Archived notes are hidden unless the user opens the archive view. 6. AI Q&A over notes — Add a "Chat with your notes" panel. On each query, fetch the top 5 most relevant notes using Postgres full-text search, send them as context to Claude, and stream the response back. 7. Export to Markdown and PDF — Convert TipTap JSON to Markdown using the tiptap-markdown extension. For PDF, render the note in a hidden div and use html2canvas + jsPDF to export. Known pitfalls to avoid: - Saving on every keystroke — debounce saves by 500–1000ms or you'll exhaust your Supabase free tier in days with active use. - Forgetting to keep plain_text in sync — if you only store TipTap JSON, full-text search won't work. Strip HTML and store plain text on every save. - Losing cursor position on re-render — don't recreate the TipTap editor instance on every state change. Keep editor state inside the editor component and sync it out via onUpdate. Tech stack (intermediate): Next.js + Supabase + TipTap + Postgres full-text search </context> <role> You are a Senior Full-Stack Engineer and product architect who has shipped production Notes Apps before. You know exactly where developers get stuck and how to structure the project to avoid rewrites. </role> <task id="step-1-clarify"> Before writing any code or spec, ask me 3–5 clarifying questions that will meaningfully change the architecture. Focus on: scale expectations, auth requirements, platform (web / mobile / both), must-have vs nice-to-have features for the MVP, and any hard constraints (budget, deadline, existing infrastructure). <example> BAD: "What tech stack do you want to use?" — too broad, doesn't change architecture decisions. GOOD: "Do you need real-time sync across devices, or is single-device with periodic refresh acceptable? This decides whether we use WebSockets or simple REST polling and significantly affects infrastructure complexity." </example> </task> <task id="step-2-architect"> After I answer your questions, generate a complete project specification including: 1. Final tech stack with version numbers 2. Full file and folder structure 3. Complete database schema — every table, column, type, index, and foreign key 4. All API routes with request/response shapes and auth requirements 5. Component tree with TypeScript props interfaces 6. Auth and authorisation flow (who can do what) 7. Step-by-step implementation plan in the exact build order from <context> above 8. All environment variables with descriptions <self_check> Before presenting the spec, verify: □ Every answer I gave in step 1 is reflected in the spec □ The database schema matches the data model in <context> □ The implementation plan follows the build order from <context> □ No circular dependencies in the component tree □ Auth is wired up before any protected routes are built □ All known pitfalls from <context> are addressed in the spec </self_check> </task> <task id="step-2.5-agents-md"> Generate an AGENTS.md file at the project root. This file is read automatically by Claude Code, Cursor, Windsurf, Sourcegraph Cody, and all major AI coding tools at the start of every session. Include: - Project overview (2–3 sentences) - Tech stack with version numbers - Folder structure with one-line descriptions - Key architectural decisions and why they were made - Coding conventions: naming (camelCase components, kebab-case files), max 200 lines per file, one concern per file - Available commands: dev, build, test, lint, db:migrate, db:seed Note in the file: "Cursor users can symlink .cursorrules → AGENTS.md. Claude Code users can symlink CLAUDE.md → AGENTS.md." </task> <task id="step-3-implement"> Implement the full project following the spec from step 2, in the exact order defined. For each step: - Write the complete code (no placeholders or TODOs) - Confirm the step is working before moving to the next - Note any deviations from the spec with an explanation <constraints> - Max 200 lines per file. WHY: every file must fit in one AI context window for easy review and editing. - One concern per file. WHY: mixing auth logic into API routes makes it impossible to reuse — extract to lib/auth.ts. - TypeScript strict mode, no `any` types. WHY: catches data shape mismatches at compile time, not in production at 2am. - All database queries in server components or API routes only. WHY: keeps credentials server-side, prevents accidental client-side exposure. - All environment variables documented in .env.example. WHY: the next developer (or your future self) should be able to set up the project in under 5 minutes. - Comment every non-obvious decision. WHY: AI tools read your comments to understand intent — without them, the next edit will break the pattern you established. </constraints> </task>
How to use this prompt
- 1.Copy the prompt above
- 2.Open Claude, Cursor (Cmd+L), or Windsurf
- 3.Paste the prompt and send — the AI will ask 3–5 clarifying questions
- 4.Answer the questions, then it generates your full project spec
- 5.Continue in the same session to implement step by step
Common mistakes
What trips up most developers building this for the first time.
Saving on every keystroke — debounce saves by 500–1000ms or you'll exhaust your Supabase free tier in days with active use.
Forgetting to keep plain_text in sync — if you only store TipTap JSON, full-text search won't work. Strip HTML and store plain text on every save.
Losing cursor position on re-render — don't recreate the TipTap editor instance on every state change. Keep editor state inside the editor component and sync it out via onUpdate.
Recommended tech stack
Pick the level that matches your experience.
React + TipTap + localStorage — working editor in a day
Next.js + Supabase + TipTap + Postgres full-text search
Next.js + Supabase + pgvector for semantic search + Claude API for Q&A over notes
Take it further — related ideas
Each comes with revenue math, a full build guide, and a prompt to paste into Claude or Cursor.
9 ideas in the archive
StreamDrop - Mobile Audio Streaming SDK for Voice App Builders
Building a voice-note app or live audio feature means wiring up WebRTC, managing codecs, and debugging dropped streams at 2am. StreamDrop is a drop-in iOS and Android SDK that streams device audio to any backend endpoint in three lines of code.
MacroKeys - VS Code Macro Recorder With Playback Library
VS Code is the most popular editor on Earth and it still cannot record keystrokes like Notepad++ from 2003. MacroKeys fills the embarrassing gap with a dead-simple record-replay extension plus a shareable macro library for teams.
NoteShip - Shareable Public Pages From Obsidian Notes Instantly
Your Obsidian note is brilliant. Your client cannot open a .md file. NoteShip turns any Obsidian markdown paste into a shareable, readable public URL in one click — like Notion public pages but for people who actually write in Obsidian.
VaultMark - One-Click Obsidian Markdown to PDF and Word Exporter
Obsidian is where your best thinking lives, but sharing it means fighting pandoc on a Friday afternoon. VaultMark lets you paste raw Obsidian markdown and get a clean, formatted PDF or DOCX in under 10 seconds. No CLI, no plugins, no copy-paste degradation.
WaitlistWarm - Pre-Launch Email Sequence Builder That Converts Waitlist Signups Into Day-One Paying Customers
You build a waitlist landing page, collect 400 emails, launch, and 3 people buy. WaitlistWarm builds and sends a 6-email pre-launch nurture sequence that educates, qualifies, and pre-sells your waitlist so that by launch day they are already reaching for their credit card. No Mailchimp template hell, no copywriting degree required.
ClaimParse - NLP Entity Extractor That Turns Dense Insurance Policy PDFs Into Structured Data
Insurance policy PDFs are written by lawyers for lawyers, but indie SaaS founders and insurtech startups need structured data from them right now. ClaimParse is a fine-tuned NER pipeline that extracts coverage limits, exclusions, deductibles, and effective dates from any uploaded insurance document and returns clean JSON. No more manual copy-paste into spreadsheets.
ArchiveSafe - ChatGPT Conversation Backup Before the Archive Button Destroys Your Work
You spend 3 hours in a ChatGPT thread building something brilliant, click Archive, and poof — good luck finding it ever again. ArchiveSafe is a browser extension that intercepts the Archive action and auto-exports your conversation to searchable Markdown before it disappears. Think Time Machine for your ChatGPT brain.
HalluciGuard - Semantic Hallucination Detector for AI-Generated PRs
GitHub Copilot and Cursor are writing your production code now, and nobody's checking if the AI hallucinated a function that doesn't exist. HalluciGuard is a GitHub App that runs semantic validation on every AI-tagged PR — catching undefined references, SQL injection patterns, and library misuse before your CTO does.
VoiceCast - Private On-Device Text-to-Speech for Documents and Emails
Your documents deserve a voice, but not one that phones home to Google or OpenAI. VoiceCast converts PDFs, emails, and DOCX files to MP3 entirely on your machine — no cloud, no data leaks, no compliance headaches.