In early 2026, an open-source project called OpenClaw exploded onto the scene, surpassing 230,000 GitHub stars within weeks. It represented a fundamental shift in how we think about AI assistants: persistent, context-aware digital coworkers that run on your own hardware instead of stateless chat sessions.
I was fascinated by OpenClaw’s architecture, particularly its layered design (Gateway, Agents, Memory, Skills, Heartbeat) and its emphasis on local-first ownership. But as a product manager who primarily works inside a code editor, I did not need a full multi-channel platform with WhatsApp, Telegram, and Docker sandboxing. What I needed was something much lighter: an AI assistant that lives in my IDE, remembers what I care about, and gets better at helping me over time.
This post covers two independent projects I built that share a common design philosophy. Daily Assistant is a lightweight, OpenClaw-inspired personal AI system that runs entirely as Markdown files and Cursor IDE rules. No servers. No daemons. No external dependencies. Just files, rules, and a structured evolution workflow. bip is a separate CLI tool that reads your git commits, generates platform-tailored posts with Claude AI, and publishes them to X, LinkedIn, Reddit, and HackerNews. Both are local-first and Claude-powered. Both store all state as plain files. But they are architecturally independent tools that complement each other in a developer’s daily workflow.
What OpenClaw Gets Right
Before diving into what I built, it is worth understanding the system that inspired it.
OpenClaw is a self-hosted AI assistant platform created by Peter Steinberger. It runs on your own hardware (a laptop, Mac Mini, VPS, or Docker container) and connects large language models to the messaging apps you already use. The fundamental shift it represents is treating your AI assistant as an infrastructure problem (routing, memory, tools, uptime) more than a one-off prompt engineering exercise.
OpenClaw’s Architecture
OpenClaw follows a hub-and-spoke architecture where the Gateway acts as the central hub, routing messages from any channel into a shared agent and memory backend:
flowchart TB
subgraph Channels ["Channels (Spokes)"]
WA["WhatsApp"]
TG["Telegram"]
SL["Slack"]
DC["Discord"]
IM["iMessage"]
WC["WebChat"]
end
WA & TG & SL & DC & IM & WC --> Router
subgraph GW ["Gateway (Hub)"]
Router["Router"]
Sessions["Sessions"]
Auth["Auth"]
Router --> Sessions --> Auth
end
Auth --> Core
subgraph Agent ["Agent Runtime"]
Core["Pi Agent"]
Core --> Tools["Tools"]
Core --> Sandbox["Sandbox"]
end
Core --> Memory
subgraph Memory ["Memory System"]
MD["MEMORY.md"]
Logs["Daily Logs"]
DB["SQLite + Vectors"]
end
| Layer | Component | Responsibility |
|---|---|---|
| Interface | Gateway | WebSocket control plane, message routing, authentication |
| Orchestration | Hub | State machine, message queue, single source of truth |
| Intelligence | Agent | Intent understanding, task planning, tool calling (ReAct loop) |
| Execution | Skills | Concrete tool invocations via MCP protocol |
Cross-cutting: the Memory system (Markdown files as canonical source, SQLite with vector embeddings as derived index) provides context across all layers.
Key OpenClaw Features
- 50+ integrations: WhatsApp, Telegram, Discord, Slack, Signal, iMessage, Microsoft Teams, and more
- Heartbeat system: Agents run 24/7, proactively monitoring tasks at configurable intervals
- Cron jobs: Persistent scheduler for precise timing (daily reports, health checks)
- Multi-agent orchestration: Multiple isolated agents with separate workspaces and sessions
- ClawHub marketplace: 5,700+ community-built skills with semantic search
- Security model: DM pairing, Docker sandboxing, exec approval chains, Tailscale integration
- SOUL.md: A personality definition file that shapes agent behavior across sessions
Why I Built My Own Instead of Using OpenClaw Directly
This was a deliberate product decision driven by fit, security, and scope. The reasoning came down to four factors.
Safety and Transparency
OpenClaw is a powerful platform, but power comes with attack surface. In February 2026, security researchers discovered the “ClawHavoc” incident: 341 malicious skills on ClawHub were stealing user data, and 283 skills (7.1%) had critical security flaws. While OpenClaw responded quickly with VirusTotal scanning and publisher verification, the incident highlighted a real risk.
My system has zero dependency on external skill registries. Every file is a plain Markdown document that I can read, audit, and version-control with git. There is no binary execution, no Docker container orchestration, and no third-party skill marketplace.
Complexity vs. Need
OpenClaw requires Node.js 22+, a running Gateway daemon (launchd/systemd service), channel configuration (WhatsApp QR pairing, Telegram bot tokens, etc.), and optionally Docker for sandboxing. That is a lot of infrastructure for a single-user, single-device use case.
I work almost exclusively inside Cursor IDE. My assistant does not need to answer WhatsApp messages or manage Discord servers. It needs to remember my preferences, help me think through problems, and improve itself based on how I actually work.
Full Auditability
Every piece of state in my system is a Markdown file:
SOUL.mddefines the assistant’s personality. I can read it in 30 seconds.MEMORY.mdcontains everything the assistant “knows” about me. I can edit or delete any line.evolution/CHANGELOG.mdtracks every self-modification with timestamps and rationale.
Compare this to OpenClaw, where state is distributed across ~/.openclaw/ in JSON configs, SQLite databases, credential stores, and session files. That is more powerful, but also harder to audit quickly.
Evolution as a First-Class Concept
OpenClaw ships the infrastructure for agents to learn (memory files, SOUL.md, workspace skills). My system adds a prescribed evolution workflow: dedicated directories, reflection templates, and a changelog so self-improvement stays explicit and trackable.
Daily Assistant: System Design
Design Philosophy
The core insight is that Cursor IDE already provides two of OpenClaw’s four layers for free:
- Gateway = Cursor itself (it handles the user interface, message routing, and tool orchestration)
- Agent Runtime = Cursor’s built-in AI agent (it does the LLM reasoning, tool calling, and streaming)
Cursor leaves the “operating system” layer around the agent to you: persistent identity, structured memory, and self-improvement mechanisms. Daily Assistant supplies that layer.
flowchart TB
subgraph CursorIDE ["Cursor IDE (provides Gateway + Agent)"]
Rule[".cursor/rules/assistant.mdc<br/>(Control Plane)"]
end
Rule -->|"reads at session start"| Soul["SOUL.md<br/>(Identity & Values)"]
Rule -->|"reads for context"| Memory["MEMORY.md<br/>(Long-term Memory)"]
Rule -->|"checks recent logs"| DailyLog["memory/YYYY-MM-DD.md<br/>(Daily Logs)"]
Rule -->|"triggers on command"| Evolution["evolution/<br/>(Self-improvement)"]
Rule -->|"uses capabilities"| Skills["skills/<br/>(Workflow Templates)"]
Rule -->|"runs checklist"| Heartbeat["HEARTBEAT.md<br/>(Health Check)"]
Evolution -->|"proposes changes to"| Soul
Evolution -->|"proposes changes to"| Rule
Evolution -->|"records in"| Changelog["evolution/CHANGELOG.md"]
Project Structure
daily-assistant/
|
+-- .cursor/
| +-- rules/
| +-- assistant.mdc # The control plane: boot sequence,
| # ReAct loop, memory rules,
| # evolution workflow, heartbeat
|
+-- SOUL.md # Identity, communication style,
| # values, boundaries, growth mindset
|
+-- MEMORY.md # Long-term curated facts: user
| # profile, preferences, projects,
| # conventions
|
+-- HEARTBEAT.md # On-demand health check checklist:
| # memory hygiene, open loops,
| # tool status, friction points
|
+-- memory/ # Daily interaction logs
| +-- 2026-02-27.md # (append-only, one file per day)
| +-- 2026-02-28.md
| +-- ...
|
+-- evolution/
| +-- CHANGELOG.md # Append-only log of every
| | # self-modification (date, files
| | # touched, rationale)
| +-- reflections/
| +-- 2026-02-27.md # Deeper self-analysis notes from
| +-- ... # explicit "evolve" sessions
|
+-- skills/ # Reusable workflow templates
| +-- (Markdown guides added # e.g. research workflow,
| over time) # writing workflow, review checklist
|
+-- workflows/ # Longer structured process templates
| +-- research.md
|
+-- config/
| +-- mcporter.json # External tool config (Exa search)
|
+-- openclaw-design-deep-dive.md # Reference: OpenClaw architecture
+-- README.md # Project documentation
Component Deep Dive
1. The Control Plane: .cursor/rules/assistant.mdc
This is the single most important file in the system. It is a Cursor project rule that gets automatically loaded whenever the project is opened. It functions as the “Gateway” of the system, defining:
Boot Sequence: At the start of every session, the assistant reads SOUL.md (identity), MEMORY.md (long-term context), and the most recent daily logs and reflections. This gives it continuity across conversations.
ReAct Working Loop: For non-trivial tasks, the assistant follows a structured Reason, Act, Observe, Iterate cycle. It prefers fixing root causes over symptoms and verifies its own work.
Memory Responsibilities: Clear rules for what goes where. Stable facts go to MEMORY.md. Session-specific notes go to daily logs. The assistant actively proposes promoting important daily log entries to long-term memory.
Evolution Triggers: Defines the exact conditions under which the assistant can propose self-modifications, and the approval workflow it must follow.
Heartbeat Protocol: Maps user commands like “health check” to the structured checklist in HEARTBEAT.md.
2. Identity Layer: SOUL.md
Inspired directly by OpenClaw’s SOUL.md concept. This file defines five core values:
- Correctness over speed: Verify before assuming
- Root-cause thinking: Hypothesize, test, and fix causes instead of patching symptoms
- Local-first and privacy: Keep data on-device, explain any external calls
- Evolvability: Treat own behavior as refactorable code
- Honesty about uncertainty: Label guesses as guesses
It also defines explicit boundaries: no destructive commands without confirmation, no silent changes to core files, no fabricated facts.
3. Memory System: MEMORY.md + memory/
A two-tier memory architecture:
flowchart LR
subgraph ShortTerm ["Short-term (Daily Logs)"]
D1["memory/2026-02-27.md"]
D2["memory/2026-02-28.md"]
D3["memory/2026-03-01.md"]
end
subgraph LongTerm ["Long-term (Curated)"]
Mem["MEMORY.md"]
end
D1 -->|"promote important facts"| Mem
D2 -->|"promote important facts"| Mem
D3 -->|"promote important facts"| Mem
Mem -->|"loaded every session"| Agent["Agent Context"]
D3 -->|"latest log loaded"| Agent
- Daily logs (
memory/YYYY-MM-DD.md): Append-only, one file per day. Captures decisions, TODOs, experiments, and session notes. High volume, moderate signal. - Long-term memory (
MEMORY.md): Curated, stable facts. User profile, preferences, project context, conventions. Low volume, high signal. Updated only when daily log entries prove to be persistent.
This mirrors OpenClaw’s approach (Markdown files as canonical source) but skips the SQLite vector index. For a single-user system where the assistant reads files directly, full-text file reading is sufficient.
4. Health Checks: HEARTBEAT.md
A structured checklist with five sections:
- Memory Health: Is
MEMORY.mdcurrent? Any daily log facts to promote? Any stale entries? - Open Loops: Unresolved TODOs, parked questions, temporary decisions that became permanent
- Tools and Integrations: Verify external tool configurations and API access
- Workflows and Friction: Identify repeated manual steps, propose automation
- Evolution Hooks: Flag patterns that warrant a full reflection session
Unlike OpenClaw’s Heartbeat (which runs on a timer, e.g. every 30 minutes), this is pull-based. The user triggers it when they want a status check. This is a deliberate trade-off: zero background process, with the user deciding when to run a check.
5. Self-Evolution: evolution/
This is the most distinctive component of the system. The evolution workflow follows a structured five-step process:
flowchart TD
Trigger["User says 'evolve'<br/>or assistant notices<br/>recurring friction"]
ReadLogs["Read recent daily logs<br/>and past reflections"]
Identify["Identify patterns:<br/>- Repeated pain points<br/>- Re-derived instructions<br/>- User work habits"]
Draft["Draft reflection in<br/>evolution/reflections/YYYY-MM-DD.md"]
Propose["Show proposals to user:<br/>- SOUL.md changes<br/>- New rules<br/>- New workflow templates"]
Approve{"User approves?"}
Implement["Implement changes"]
Log["Append to<br/>evolution/CHANGELOG.md"]
Trigger --> ReadLogs
ReadLogs --> Identify
Identify --> Draft
Draft --> Propose
Propose --> Approve
Approve -->|Yes| Implement
Approve -->|No / Revise| Draft
Implement --> Log
Key design principle: the assistant never silently changes its own identity or rules. Every modification goes through explicit user approval and gets logged with a timestamp and rationale. This creates a fully auditable evolution trail.
bip: Build in Public CLI
While Daily Assistant focuses on thinking, planning, and remembering inside the IDE, bip focuses on sharing what you ship. It is a standalone Node.js CLI tool, installed separately via npm, that reads your git activity, generates platform-tailored posts with Claude AI, and publishes them with a single command.
bip and Daily Assistant are architecturally independent: separate processes, separate data paths (MEMORY.md stays inside Daily Assistant; bip never reads it). They share a design philosophy (local-first, file-based, Claude-powered) and they complement each other naturally in a developer’s daily workflow while running on their own lifecycles.
How bip Works
flowchart TB
subgraph Input ["Input"]
Git["git log + diff<br/>(last 20 commits)"]
Brief["BUILD_IN_PUBLIC.md<br/>(project context + tone)"]
end
subgraph BipDraft ["bip draft"]
Summarize["Summarize git changes"]
Prompt["Build Claude prompt"]
Generate["claude-sonnet-4-6<br/>returns 2 variants per platform"]
Save["Save drafts to<br/>.buildpublic/posts/"]
end
subgraph BipPost ["bip post"]
Pick["User selects variant<br/>per platform"]
PublishAPI["Official APIs<br/>(X, LinkedIn, Reddit)"]
PublishBrowser["Playwright automation<br/>(HackerNews fallback)"]
end
subgraph Local [".buildpublic/ (gitignored)"]
Config["config.json (credentials)"]
Posts["posts/ (draft JSON)"]
Captures["captures/ (screenshots)"]
end
Git --> Summarize
Brief --> Prompt
Summarize --> Prompt
Prompt --> Generate
Generate --> Save
Save --> Pick
Pick --> PublishAPI
Pick --> PublishBrowser
Config --> PublishAPI
Config --> PublishBrowser
Save --> Posts
Key Commands
npm install -g build-in-public # install once
bip init # scaffold .buildpublic/ and BUILD_IN_PUBLIC.md
bip auth x # save platform credentials
bip draft # analyze git and generate post variants
bip post # publish selected drafts
bip post --dry-run # preview with character counts, no API calls
bip doctor # diagnose credential and config issues
bip status # platform status and recent drafts at a glance
bip history # browse past drafts with previews
bip: repository layout
your-project/
|
+-- BUILD_IN_PUBLIC.md # Project context, audience, post style
| # (edit this to improve generated posts)
|
+-- .buildpublic/ # All bip data (gitignored)
+-- config.json # Platform credentials
+-- posts/ # Draft JSON files (one per run)
+-- captures/ # Screenshots and session recordings
+-- hn-state.json # HackerNews browser session cookies
bip is installed globally and can be used in any project that has a git history. Running bip init creates the BUILD_IN_PUBLIC.md template in the current repo. Everything bip needs lives inside that repo’s .buildpublic/ directory.
Feature Comparison
Daily Assistant vs. OpenClaw
| Capability | Daily Assistant | OpenClaw |
|---|---|---|
| Interface | Cursor IDE only | 15+ channels (WhatsApp, Telegram, Slack, Discord, iMessage, etc.) |
| Deployment | Zero setup (just open the project) | Node 22+ daemon, channel config, optional Docker |
| Background execution | None (pull-based) | 24/7 Gateway with Heartbeat and Cron |
| Memory format | Plain Markdown (human-readable) | Markdown + SQLite + vector embeddings |
| Memory search | File reading (sequential) | Hybrid: vector similarity + BM25 keyword |
| Skill ecosystem | Local Markdown workflow templates | ClawHub marketplace (5,700+ skills) |
| Multi-agent | Single agent | Multiple isolated agents with separate workspaces |
| Security model | File-level transparency + boundaries in SOUL.md | DM pairing, Docker sandbox, exec approval, Tailscale |
| Self-evolution | First-class workflow with reflection, approval, and changelog | Ad-hoc (no prescribed evolution process) |
| Voice / Canvas | Not supported | Voice Wake, Talk Mode, Live Canvas |
| Mobile integration | Not supported | iOS and Android nodes (camera, screen, location) |
| Setup time | About 2 minutes | 15 to 60 minutes depending on channels |
bip vs. Manual Build-in-Public
| Capability | bip | Manual approach |
|---|---|---|
| Post generation | Claude reads git context and generates platform-tailored variants | Write from scratch each time |
| Platform coverage | X, LinkedIn, Reddit, HackerNews in one command | Separate logins and editors per platform |
| Publishing | Official APIs with Playwright fallback | Manual copy-paste |
| Draft history | JSON files in .buildpublic/posts/ |
Wherever you saved them |
| Setup | npm install -g build-in-public + bip init |
None |
| Local-first | All data in .buildpublic/ (gitignored) |
Third-party scheduler tools |
Where Daily Assistant Wins (over OpenClaw)
- Radical simplicity: The entire system is about 10 Markdown files. Anyone can understand it in 5 minutes.
- Total transparency: Every piece of state is a plain text file. Git diff shows exactly what changed and when.
- Structured evolution: Self-improvement has dedicated directories, a formal workflow, and an auditable changelog.
- IDE-native: Context-aware about your code, files, and terminal in addition to chat transcripts.
- Zero attack surface: No external skill registry, no network listeners, no Docker containers.
Where OpenClaw Wins
- Multi-channel reach: One assistant, accessible from WhatsApp, Telegram, Slack, Discord, iMessage, and more.
- Always-on proactivity: Real Heartbeat (runs every 30 minutes) and Cron enable proactive monitoring without user prompting.
- Deep tool integration: Browser control (Chromium CDP), Canvas/A2UI, mobile device nodes.
- Mature security model: Docker sandboxing per session, exec approval chains, DM pairing for unknown senders.
- Community ecosystem: 800+ active developers, 15,000+ daily skill installations, growing marketplace.
- Scalable memory: SQLite with vector embeddings enables semantic search over large memory stores.
What I Deliberately Left Out of Daily Assistant
- No background execution: cannot proactively alert you about anything
- No multi-device access: works only inside Cursor on one machine
- No voice interface: text-only interaction
- Memory search is sequential file reading, which will slow down as daily logs accumulate over months
- No sandboxing: the assistant has the same filesystem access as Cursor itself
Each omission was an explicit scoping choice. Each one reduced complexity without reducing value for the target use case: a single user, working in a single IDE, who cares more about transparency and self-improvement than channel reach.
Use Cases and Workflow Examples
Daily Assistant: Research and Document Synthesis
Scenario: I need to research a technical topic, synthesize findings from multiple sources, and produce a structured document.
sequenceDiagram
participant User
participant Assistant
participant Web as Web Search / Exa
participant FS as Filesystem
User->>Assistant: "Search for OpenClaw's unique<br/>design and workflow, summarize<br/>into a detailed doc"
Assistant->>Web: Search multiple queries in parallel<br/>(English + Chinese sources)
Web-->>Assistant: Results from docs, blogs,<br/>technical analyses
Assistant->>Web: Fetch full articles for<br/>deeper detail
Web-->>Assistant: Complete article content
Assistant->>FS: Write structured Markdown<br/>document with 13 chapters
FS-->>Assistant: File saved
Assistant->>User: "Document created at<br/>openclaw-design-deep-dive.md"
Assistant->>FS: Append to today's daily log:<br/>"Created OpenClaw research doc"
The assistant decomposes the research goal into parallel search queries (English and Chinese), fetches full articles (full page text where possible), synthesizes a structured document with diagrams and citations, and logs the session output in the daily memory log.
Daily Assistant: Project Scaffolding from a Design Reference
Scenario: I have a reference architecture document and want to turn it into a working project structure with all the right files and conventions.
sequenceDiagram
participant User
participant Assistant
participant Plan as Plan Mode
participant FS as Filesystem
User->>Assistant: "Build this workflow into<br/>the daily-assistant project"
Assistant->>Plan: Switch to Plan mode<br/>(complex task, needs design)
Plan->>User: Present architecture diagram,<br/>file structure, component specs
User->>Plan: Approve plan
Plan->>Assistant: Switch to Agent mode<br/>(begin implementation)
Assistant->>FS: Create .cursor/rules/assistant.mdc
Assistant->>FS: Create SOUL.md
Assistant->>FS: Create MEMORY.md + memory/
Assistant->>FS: Create HEARTBEAT.md
Assistant->>FS: Create evolution/ tree
Assistant->>FS: Update README.md
Assistant->>User: "All 6 components created.<br/>System is ready."
The assistant recognizes this is an architectural task, switches to Plan mode first, presents a structured plan with diagrams for user review, and after approval implements each component systematically while tracking progress via a todo list.
Daily Assistant: Self-Evolution Session
Scenario: After a week of daily use, I ask the assistant to review itself and propose improvements.
sequenceDiagram
participant User
participant Assistant
participant Logs as memory/*.md
participant Evo as evolution/
User->>Assistant: "Review yourself"
Assistant->>Logs: Read last 7 daily logs
Assistant->>Evo: Read past reflections
Assistant->>Assistant: Identify patterns:<br/>1. User often asks for bilingual output<br/>2. Memory promotion is manual<br/>3. Research tasks follow same 3-step pattern
Assistant->>Evo: Write reflection to<br/>evolution/reflections/2026-03-05.md
Assistant->>User: "Here are 3 proposals:<br/>1. Add auto-promote rule<br/>2. Create research workflow template<br/>3. Adjust SOUL.md bilingual defaults"
User->>Assistant: "Approve #1 and #2,<br/>skip #3"
Assistant->>Evo: Implement approved changes
Assistant->>Evo: Append to CHANGELOG.md:<br/>"Added auto-promote rule<br/>and research workflow template"
Assistant->>User: "Evolution complete.<br/>2 changes applied."
Daily Assistant: On-Demand Health Check (Heartbeat)
Scenario: I want to make sure nothing has fallen through the cracks.
sequenceDiagram
participant User
participant Assistant
participant HB as HEARTBEAT.md
participant Mem as MEMORY.md
participant Logs as memory/*.md
participant Tools as external tools
User->>Assistant: "Heartbeat"
Assistant->>HB: Load checklist (5 sections)
Assistant->>Mem: Check: is MEMORY.md current?
Assistant->>Logs: Check: any unresolved TODOs?
Assistant->>Tools: Verify tool and API configurations
Tools-->>Assistant: 7/12 integrations active
Assistant->>Logs: Check: any repeated friction?
Assistant->>User: Report:<br/>- MEMORY.md: needs 2 updates<br/>- Open TODOs: 3 items<br/>- Tools: 7/12 integrations OK<br/>- Friction: research flow<br/> could be a workflow template
bip: Shipping a Build-in-Public Update
Scenario: I just shipped a meaningful feature and want to share the progress without spending time writing platform-specific posts.
sequenceDiagram
participant User
participant BIP as bip CLI
participant Git as git repo
participant Claude as claude-sonnet-4-6
participant Platforms as X / LinkedIn / Reddit / HN
User->>BIP: bip draft
BIP->>Git: Read last 20 commits + diffs
Git-->>BIP: Commit history and changed files
BIP->>BIP: Show summary to user for review
BIP->>Claude: Send git context + BUILD_IN_PUBLIC.md
Claude-->>BIP: 2 post variants per platform (8 drafts total)
BIP-->>User: Display variants per platform
User->>BIP: Select preferred variant for each platform
BIP->>BIP: Save selection to .buildpublic/posts/
User->>BIP: bip post
BIP->>Platforms: Publish via official APIs (X, LinkedIn, Reddit)<br/>and Playwright browser automation (HackerNews)
Platforms-->>User: Posts live across all platforms
bip handles everything from reading the git context through to publishing. The BUILD_IN_PUBLIC.md file is what gives Claude the project context it needs to write good posts. The more detail you put into that file (audience, tone, what you care about), the better the generated variants become. Drafts are saved as JSON in .buildpublic/posts/ so you can revisit them with bip history or republish later.
Roadmap
Daily Assistant
| Improvement | Description | Status |
|---|---|---|
| Research workflow template | A reusable workflows/research.md that standardizes the multi-source research and synthesis process |
Shipped |
| Auto memory promotion | A rule that, at the end of each session, scans today’s daily log and proposes promoting stable facts to MEMORY.md |
Shipped |
| Git integration | Auto-commit memory and evolution changes so the full history is versioned | Shipped |
| Weekly review workflow | A structured template for weekly planning and retrospectives | Near-term |
| Local cron via launchd | A small shell script that runs daily, opens Cursor, and triggers a heartbeat check automatically | Medium-term |
| Semantic memory search | Add a lightweight local embedding index (e.g., sqlite-vec) over memory/ files so the assistant can search by meaning in addition to sequential file reads |
Medium-term |
| Multi-workspace support | Extend the system to work across multiple Cursor projects with a shared MEMORY.md |
Medium-term |
bip
| Improvement | Description | Status |
|---|---|---|
| Core draft and post pipeline | Git context to Claude to platform-specific JSON drafts to published posts | Shipped |
| Multi-platform support | X, LinkedIn, Reddit (official APIs), HackerNews (Playwright) | Shipped |
| Dry-run mode | Preview posts with character counts before any API calls | Shipped |
| Draft history | Browse and republish past drafts with bip history |
Shipped |
| Screenshot and recording | bip capture screenshot and bip capture record for visual assets |
Shipped |
| Post performance tracking | Feed engagement data (likes, replies, upvotes) back into the draft pipeline to improve future prompts | Near-term |
| Multi-project mode | Separate BUILD_IN_PUBLIC.md briefs per repo with shared platform credentials |
Medium-term |
| Scheduled posting | Queue posts for a specific time via a local daemon | Long-term |
The Hybrid Vision
Looking further out, these three tools can compose into a coherent local-first developer workflow:
flowchart TB
subgraph Daily ["Your Daily Workflow"]
DA["Daily Assistant<br/>(Cursor: think, plan, remember, evolve)"]
BIP["bip<br/>(terminal: git commits to published posts)"]
end
subgraph OC ["OpenClaw Gateway (optional, long-term)"]
HB["Heartbeat (every 30min)"]
Cron["Cron Jobs"]
Channels["WhatsApp / Telegram"]
end
subgraph SharedFiles ["Shared Design Philosophy"]
Local["Local-first storage"]
PlainFiles["Plain files (Markdown, JSON)"]
ClaudeAI["Claude AI for intelligence"]
end
subgraph Social ["Social Platforms"]
X["X / Twitter"]
LI["LinkedIn"]
RD["Reddit"]
HN["HackerNews"]
end
DA -.->|"same author, same values"| BIP
DA -->|"memory + context"| SharedFiles
BIP -->|"drafts + credentials"| Local
BIP -->|"publishes"| Social
OC -->|"proactive alerts"| Channels
HB -->|"background monitoring"| OC
Cron -->|"scheduled tasks"| OC
Daily Assistant handles the IDE-centric workflow (coding, research, documentation, reflection). bip handles social sharing from git activity. OpenClaw, if you choose to add it, handles everything that needs to happen when you are away from your computer (proactive notifications, scheduled checks, multi-channel access). Each tool keeps its own data layer for now; all three still share plain local files as a design philosophy, which keeps future integration tractable.
Lessons Learned
Start with the workflow, then pick the technology
I started by asking “what does my actual daily workflow look like, and where does an AI assistant add the most value?” The answer was: inside my IDE, where I spend 8+ hours a day. That immediately ruled out 80% of OpenClaw’s feature set and pointed toward a much simpler solution. For bip, the hard part of building in public was assembling context to write good posts quickly; publishing mechanics were secondary. Starting from that problem led directly to a git-reading, Claude-powered CLI.
Transparency as a product advantage
Making every piece of state a readable file keeps the system auditable end to end. I can audit Daily Assistant’s memory in 30 seconds. I can edit its personality with a text editor. I can see exactly what changed and when by reading git log. bip follows the same principle: drafts are plain JSON, credentials are a local config file, and the project brief is a Markdown document. This level of transparency builds trust in a way that opaque services struggle to match.
Evolution needs structure on top of raw capability
OpenClaw gives agents the capability to learn (memory files, personality configs, workspace skills). Capability without process led to ad-hoc, hard-to-audit changes in early experiments. By adding a formal evolution workflow with reflections, proposals, approvals, and a changelog, I turned a vague “the AI learns” promise into a concrete, trackable process.
The best v1 is the one you actually use
A full OpenClaw deployment would have taken a day to set up and would require ongoing maintenance. Daily Assistant took about 2 minutes to set up. bip took one focused session to scaffold (npm install -g build-in-public and a few command implementations) and started providing value immediately. That lightweight setup made daily use realistic, which mattered more than feature breadth on paper.
Design for composability first
By keeping both systems simple and file-based, the option to integrate them later remains open. Daily Assistant could, in principle, surface a reminder to run bip draft after a productive session. bip could, in principle, read notes from MEMORY.md to improve post context. Neither integration exists today, but it would be straightforward to add because both tools are built around plain files and clear interfaces. Simple, file-based systems compose well.
Conclusion
Daily Assistant and bip are two different answers to the same underlying question: how do you make AI assistance useful for an individual developer’s real daily workflow, without the overhead of a full platform?
OpenClaw is a remarkable piece of engineering with 230,000+ stars for good reason. For a single user working in a single IDE, a handful of Markdown files and a well-designed Cursor rule delivered more value per unit of setup time than a full platform deployment in my own workflow. For building in public consistently, a focused CLI that reads git history and calls Claude beat manually opening each social platform and writing from scratch.
The key insight across all three tools is that local-first, file-based design trades scale for transparency, auditability, and composability as a deliberate product choice. If you are a builder who spends most of your day in a code editor, I would encourage you to try both: fork the Daily Assistant repo, customize SOUL.md to your working style, and run bip init in your next project. See what happens when your AI assistant starts remembering and evolving alongside you, and every meaningful commit has a chance to become a post.
Daily Assistant repository: daily-assistant
bip repository: build-in-public-automate
Inspired by: OpenClaw (235K+ stars)