1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
|
# Feature: Agent Context API
**Status:** [IN_PROGRESS] Phase 1 Complete
**Created:** 2026-01-27
**Author:** Architect
---
## Overview
Expose a JSON API that allows external chat agents (e.g., Claude Code) to query dashboard context and manipulate items. Authentication uses a notification-based approval flow with agent identity binding.
---
## User Stories
1. **As a user**, I can approve/deny agent access requests from the dashboard UI
2. **As a user**, I can see which agents have been granted access and revoke them
3. **As an agent**, I can request access by providing my name and unique ID
4. **As an agent**, once approved, I can query the 7-day context (tasks, meals, timeline)
5. **As an agent**, I can complete/uncomplete tasks, update due dates, modify details, and create items
---
## Authentication Flow
```
Agent Dashboard API Browser Tab
│ │ │
│ POST /agent/auth/request │ │
│ {name, agent_id} │ │
│ ──────────────────────────────>│ │
│ │ │
│ {request_token, status: │ WebSocket push: │
│ "pending"} │ "Agent X wants access" │
│ <──────────────────────────────│ ────────────────────────────>│
│ │ │
│ │ User approves
│ │ │
│ │ POST /agent/auth/approve │
│ │ <────────────────────────────│
│ │ │
│ GET /agent/auth/poll │ │
│ ?token=X │ │
│ ──────────────────────────────>│ │
│ │ │
│ {status: "approved", │ │
│ session_token, expiry} │ │
│ <──────────────────────────────│ │
│ │ │
│ GET /agent/context │ │
│ Authorization: Bearer X │ │
│ ──────────────────────────────>│ │
│ │ │
│ {timeline, tasks, ...} │ │
│ <──────────────────────────────│ │
```
---
## Agent Identity Binding
| Scenario | Behavior |
|----------|----------|
| New agent (name + ID never seen) | Show approval prompt, store pairing on approve |
| Known agent (name + ID match stored) | Show approval prompt with "Recognized" indicator |
| Suspicious (known name, different ID) | Show warning: "Agent 'X' with different ID" — require explicit re-trust |
---
## Design Decisions
| Decision | Choice | Rationale |
|----------|--------|-----------|
| Session refresh | None — re-authenticate after expiry | Keep it simple |
| Concurrent sessions | One per agent — new approval invalidates previous | Predictable state |
| Deny behavior | Single-request denial, no blocking | Simple first pass |
---
## Database Schema
### New Tables
```sql
-- Registered/approved agents
CREATE TABLE agents (
id INTEGER PRIMARY KEY AUTOINCREMENT,
name TEXT NOT NULL,
agent_id TEXT NOT NULL UNIQUE, -- UUID from agent
created_at DATETIME DEFAULT CURRENT_TIMESTAMP,
last_seen DATETIME,
trusted BOOLEAN DEFAULT 1 -- can be revoked
);
-- Pending access requests and sessions
CREATE TABLE agent_sessions (
id INTEGER PRIMARY KEY AUTOINCREMENT,
request_token TEXT NOT NULL UNIQUE,
agent_name TEXT NOT NULL,
agent_id TEXT NOT NULL,
status TEXT DEFAULT 'pending', -- pending, approved, denied, expired
created_at DATETIME DEFAULT CURRENT_TIMESTAMP,
expires_at DATETIME NOT NULL, -- request expires after 5 min
session_token TEXT, -- populated on approval
session_expires_at DATETIME -- session TTL (1 hour)
);
CREATE INDEX idx_agent_sessions_request ON agent_sessions(request_token);
CREATE INDEX idx_agent_sessions_session ON agent_sessions(session_token);
```
---
## API Endpoints
### Authentication (no auth required)
| Method | Path | Purpose |
|--------|------|---------|
| POST | `/agent/auth/request` | Request access (returns request_token) |
| GET | `/agent/auth/poll?token=X` | Poll for approval status |
### Authentication (browser session required)
| Method | Path | Purpose |
|--------|------|---------|
| POST | `/agent/auth/approve` | User approves request |
| POST | `/agent/auth/deny` | User denies request |
### Context (agent session required)
| Method | Path | Purpose |
|--------|------|---------|
| GET | `/agent/context` | Full 7-day context |
### Write Operations (agent session required)
| Method | Path | Purpose | Priority |
|--------|------|---------|----------|
| PATCH | `/agent/tasks/{id}/due` | Update due date | P1 |
| POST | `/agent/tasks/{id}/complete` | Complete task | P1 |
| POST | `/agent/tasks/{id}/uncomplete` | Reopen task | P1 |
| PATCH | `/agent/tasks/{id}` | Update details (title, desc) | P2 |
| POST | `/agent/tasks` | Create task | P3 |
| POST | `/agent/shopping/add` | Add shopping item | P3 |
---
## Context Response Format
```json
{
"generated_at": "2026-01-27T10:30:00-10:00",
"range": {
"start": "2026-01-27",
"end": "2026-02-03"
},
"timeline": [
{
"id": "task_123",
"source": "todoist",
"type": "task",
"title": "Buy groceries",
"description": "Milk, eggs, bread",
"due": "2026-01-27T17:00:00-10:00",
"priority": 2,
"completable": true,
"url": "https://todoist.com/..."
}
],
"summary": {
"total_items": 42,
"by_source": {"todoist": 15, "trello": 20, "plantoeat": 7},
"overdue": 3,
"today": 8
}
}
```
---
## Browser Components
### WebSocket Endpoint
- Path: `/ws/notifications`
- Purpose: Push agent request alerts to open browser tabs
- Must handle: reconnect on disconnect, authentication check
### Approval UI
- Trigger: WebSocket message of type `agent_request`
- Display: Modal or toast notification
- Content:
- Agent name
- Agent ID (truncated to 8 chars)
- Trust indicator: "New Agent" / "Recognized" / "Warning: Different ID"
- Actions: Approve / Deny buttons
### Agent Management (Phase 3)
- List of trusted agents with last-seen timestamp
- Revoke access button per agent
---
## Session Configuration
| Parameter | Value |
|-----------|-------|
| Request expiry | 5 minutes |
| Session TTL | 1 hour |
| Poll interval (agent-side) | 2 seconds |
---
## Security Considerations
1. **Rate limiting** on `/agent/auth/request` — 10 requests/minute per IP
2. **Tokens** are cryptographically random (32 bytes, base64url)
3. **HTTPS required** — tokens in Authorization header
4. **No CSRF** for agent endpoints — token-based auth, not cookies
5. **One session per agent** — new approval invalidates previous session
---
## Implementation Phases
### Phase 1: Auth Flow + Read Context
Files to create/modify:
- `migrations/010_agent_tables.sql` — new tables
- `internal/store/sqlite.go` — agent/session CRUD methods
- `internal/handlers/agent.go` — new handler file for agent endpoints
- `internal/handlers/websocket.go` — WebSocket notification hub
- `cmd/dashboard/main.go` — register new routes
- `web/templates/partials/agent-approval.html` — approval modal
- `web/static/js/app.js` — WebSocket connection + approval UI logic
Endpoints:
- POST `/agent/auth/request`
- GET `/agent/auth/poll`
- POST `/agent/auth/approve`
- POST `/agent/auth/deny`
- GET `/agent/context`
- WS `/ws/notifications`
### Phase 2: Write Operations (P1 + P2)
- POST `/agent/tasks/{id}/complete`
- POST `/agent/tasks/{id}/uncomplete`
- PATCH `/agent/tasks/{id}/due`
- PATCH `/agent/tasks/{id}`
### Phase 3: Create + Management
- POST `/agent/tasks`
- POST `/agent/shopping/add`
- Agent management UI (list, revoke)
---
## Testing Strategy
### Unit Tests
- `internal/store/sqlite_test.go` — agent/session CRUD
- `internal/handlers/agent_test.go` — endpoint logic
### Integration Tests
- Full auth flow: request → approve → poll → context
- Identity binding: same name different ID triggers warning
- Session expiry: requests fail after TTL
### Manual Testing
- Open dashboard in browser
- Run agent simulation script to request access
- Verify notification appears
- Approve and verify context returned
---
## Files Reference
| Purpose | File |
|---------|------|
| Migration | `migrations/010_agent_tables.sql` |
| Store methods | `internal/store/sqlite.go` |
| Agent handlers | `internal/handlers/agent.go` (new) |
| WebSocket hub | `internal/handlers/websocket.go` (new) |
| Route registration | `cmd/dashboard/main.go` |
| Approval modal | `web/templates/partials/agent-approval.html` (new) |
| Client JS | `web/static/js/app.js` |
|