ATlast — you'll never need to find your favorites on another platform again. Find your favs in the ATmosphere.
atproto

Compare changes

Choose any two refs to compare.

+119 -3
CLAUDE.md
··· 78 79 **Root `goal` nodes are the ONLY valid orphans.** 80 81 ### Quick Commands 82 83 ```bash ··· 181 182 ### Audit Checklist (Before Every Sync) 183 184 - 1. Does every **outcome** link back to what caused it? 185 - 2. Does every **action** link to why you did it? 186 - 3. Any **dangling outcomes** without parents? 187 188 ### Session Start Checklist 189
··· 78 79 **Root `goal` nodes are the ONLY valid orphans.** 80 81 + ### Node Lifecycle Management 82 + 83 + **Every node has a lifecycle. Update status in REAL-TIME:** 84 + 85 + ```bash 86 + # 1. Create node (defaults to 'pending') 87 + deciduous add action "Implementing feature X" -c 85 88 + 89 + # 2. IMMEDIATELY link to parent (before doing anything else) 90 + deciduous link <parent_id> <new_node_id> -r "Reason for connection" 91 + 92 + # 3. Mark as in_progress BEFORE starting work 93 + deciduous status <node_id> in_progress 94 + 95 + # 4. Do the work... 96 + 97 + # 5. Mark as completed IMMEDIATELY after work finishes 98 + deciduous status <node_id> completed 99 + ``` 100 + 101 + **Status Transitions:** 102 + - `pending` → Default state when created 103 + - `in_progress` → Mark BEFORE starting work (only ONE at a time) 104 + - `completed` → Mark IMMEDIATELY when done (proven by git commit, test pass, etc.) 105 + 106 + **CRITICAL RULES:** 107 + - ✅ Link nodes IMMEDIATELY after creation (same command sequence) 108 + - ✅ Update status to `completed` as soon as work is done 109 + - ✅ Only ONE node should be `in_progress` at a time 110 + - ✅ Verify link exists before moving on (check `deciduous edges`) 111 + - ❌ NEVER leave completed work marked as `pending` 112 + - ❌ NEVER create orphan nodes (except root goals) 113 + - ❌ NEVER batch status updates - update immediately 114 + 115 + **Verification Workflow:** 116 + ```bash 117 + # After creating and linking a node, verify: 118 + deciduous edges | grep <new_node_id> # Should show incoming edge 119 + deciduous nodes | grep <new_node_id> # Check status is correct 120 + ``` 121 + 122 + **Common Mistakes That Break the Graph:** 123 + 124 + 1. **Creating nodes without linking** → Orphans 125 + ```bash 126 + # WRONG 127 + deciduous add action "Fix bug" -c 85 128 + # (forget to link, move on to next task) 129 + 130 + # RIGHT 131 + deciduous add action "Fix bug" -c 85 132 + deciduous link 42 43 -r "Action to resolve goal #42" 133 + ``` 134 + 135 + 2. **Leaving nodes as "pending" after work completes** → Stale status 136 + ```bash 137 + # WRONG 138 + git commit -m "fix: bug fixed" 139 + # (forget to update node status) 140 + 141 + # RIGHT 142 + git commit -m "fix: bug fixed" 143 + deciduous status 43 completed 144 + ``` 145 + 146 + 3. **Batch-creating multiple nodes before linking** → Connection gaps 147 + ```bash 148 + # WRONG 149 + deciduous add action "Task 1" -c 85 150 + deciduous add action "Task 2" -c 85 151 + deciduous add action "Task 3" -c 85 152 + # (now have to remember all IDs to link) 153 + 154 + # RIGHT 155 + deciduous add action "Task 1" -c 85 156 + deciduous link 42 43 -r "First task" 157 + deciduous add action "Task 2" -c 85 158 + deciduous link 42 44 -r "Second task" 159 + ``` 160 + 161 + 4. **Not regenerating parent list during orphan checks** → False positives 162 + ```bash 163 + # WRONG 164 + # (generate parent list once) 165 + deciduous link X Y -r "fix orphan" 166 + # (check orphans with stale parent list) 167 + 168 + # RIGHT 169 + deciduous link X Y -r "fix orphan" 170 + # Regenerate parent list before checking again 171 + deciduous edges | tail -n+3 | awk '{print $3}' | sort -u > /tmp/has_parent.txt 172 + ``` 173 + 174 ### Quick Commands 175 176 ```bash ··· 274 275 ### Audit Checklist (Before Every Sync) 276 277 + Run these checks before `deciduous sync`: 278 + 279 + 1. **Connection integrity**: Does every non-goal node have a parent? 280 + ```bash 281 + deciduous edges | tail -n+3 | awk '{print $3}' | sort -u > /tmp/has_parent.txt 282 + deciduous nodes | tail -n+3 | awk '{print $1}' > /tmp/all_nodes.txt 283 + while read id; do grep -q "^$id$" /tmp/has_parent.txt || echo "CHECK: $id"; done < /tmp/all_nodes.txt 284 + # Only root goals should appear 285 + ``` 286 + 287 + 2. **Status accuracy**: Are completed nodes marked `completed`? 288 + ```bash 289 + deciduous nodes | grep pending 290 + # Review: is this work actually still pending, or is it done? 291 + ``` 292 + 293 + 3. **Active work**: Is there exactly ONE `in_progress` node? 294 + ```bash 295 + deciduous nodes | grep in_progress 296 + # Should see 0-1 nodes, not multiple 297 + ``` 298 + 299 + 4. **Logical flow**: Does every outcome link back to what caused it? 300 + - `outcome` → `action` or `goal` 301 + - `action` → `goal` or `decision` 302 + - `observation` → related `goal` or `action` 303 304 ### Session Start Checklist 305
+68 -34
CONTRIBUTING.md
··· 27 ```bash 28 git clone <repo-url> 29 cd atlast 30 - npm install 31 ``` 32 33 2. Create .env.local ··· 40 41 3. Start Development 42 ```bash 43 - npm run dev:mock 44 ``` 45 46 4. Open Your Browser ··· 61 ### Prerequisites 62 63 - Node.js 18+ 64 - PostgreSQL (or Neon account) 65 - OpenSSL (for key generation) 66 ··· 68 ```bash 69 git clone <repo-url> 70 cd atlast 71 - npm install 72 - npm install -g netlify-cli 73 ``` 74 75 2. Database Setup ··· 144 145 7. Initialize Database 146 ```bash 147 - npm run init-db 148 ``` 149 150 8. Start Development Server 151 ```bash 152 - npm run dev:full 153 ``` 154 155 9. Test OAuth ··· 163 164 ## Project Structure 165 166 ``` 167 atlast/ 168 - ├── src/ 169 - │ ├── assets/ # Logo 170 - │ ├── components/ # UI components (React) 171 - │ ├── constants/ # 172 - │ ├── pages/ # Page components 173 - │ ├── hooks/ # Custom hooks 174 - │ ├── lib/ 175 - │ │ ├── apiClient/ # API client (real + mock) 176 - │ │ ├── fileExtractor.ts # Chooses parser, handles file upload and data extraction 177 - │ │ ├── parserLogic.ts # Parses file for usernames 178 - │ │ ├── platformDefinitions.ts # File types and username locations 179 - │ │ └── config.ts # Environment config 180 - │ └── types/ # TypeScript types 181 - ├── netlify/ 182 - │ └── functions/ # Backend API 183 - └── public/ # 184 ``` 185 186 ### UI Color System ··· 227 228 ## Task Workflows 229 230 - ### Adding a New Social Platform 231 232 - 1. Create `src/lib/platforms/yourplatform.ts` 233 - 2. Implement parser following `tiktok.ts` or `instagram.ts` 234 - 3. Register in `src/lib/platforms/registry.ts` 235 - 4. Update `src/constants/platforms.ts` 236 - 5. Test with real data file 237 238 ### Adding a New API Endpoint 239 240 - 1. Create `netlify/functions/your-endpoint.ts` 241 - 2. Add authentication check (copy from existing) 242 - 3. Update `src/lib/apiClient/realApiClient.ts` 243 - 4. Update `src/lib/apiClient/mockApiClient.ts` 244 5. Use in components via `apiClient.yourMethod()` 245 246 ### Styling Changes 247 248 - Use Tailwind utility classes ··· 257 258 ### Before Submitting 259 260 - - [ ] Test in mock mode: `npm run dev:mock` 261 - - [ ] Test in full mode (if backend changes): `npm run dev:full` 262 - [ ] Check both light and dark themes 263 - [ ] Test mobile responsiveness 264 - [ ] No console errors 265 - [ ] Code follows existing patterns 266 267 ### Pull Request Process 268
··· 27 ```bash 28 git clone <repo-url> 29 cd atlast 30 + pnpm install 31 ``` 32 33 2. Create .env.local ··· 40 41 3. Start Development 42 ```bash 43 + pnpm run dev:mock 44 ``` 45 46 4. Open Your Browser ··· 61 ### Prerequisites 62 63 - Node.js 18+ 64 + - pnpm (install with `npm install -g pnpm`) 65 - PostgreSQL (or Neon account) 66 - OpenSSL (for key generation) 67 ··· 69 ```bash 70 git clone <repo-url> 71 cd atlast 72 + pnpm install 73 ``` 74 75 2. Database Setup ··· 144 145 7. Initialize Database 146 ```bash 147 + pnpm run init-db 148 ``` 149 150 8. Start Development Server 151 ```bash 152 + npx netlify-cli dev --filter @atlast/web 153 + # Or use the alias: 154 + pnpm run dev 155 ``` 156 157 9. Test OAuth ··· 165 166 ## Project Structure 167 168 + **Monorepo using pnpm workspaces:** 169 + 170 ``` 171 atlast/ 172 + ├── packages/ 173 + │ ├── web/ # Frontend React app 174 + │ │ ├── src/ 175 + │ │ │ ├── assets/ # Logo 176 + │ │ │ ├── components/ # UI components (React) 177 + │ │ │ ├── pages/ # Page components 178 + │ │ │ ├── hooks/ # Custom hooks 179 + │ │ │ ├── lib/ 180 + │ │ │ │ ├── api/ # API client (real + mock) 181 + │ │ │ │ ├── parsers/ # File parsing logic 182 + │ │ │ │ └── config.ts # Environment config 183 + │ │ │ └── types/ # TypeScript types 184 + │ │ └── package.json 185 + │ ├── functions/ # Netlify serverless functions 186 + │ │ ├── src/ 187 + │ │ │ ├── core/ # Middleware, types, config 188 + │ │ │ ├── infrastructure/ # Database, OAuth, cache 189 + │ │ │ ├── services/ # Business logic 190 + │ │ │ ├── repositories/ # Data access layer 191 + │ │ │ └── utils/ # Shared utilities 192 + │ │ └── package.json 193 + │ ├── extension/ # Browser extension 194 + │ │ ├── src/ 195 + │ │ │ ├── content/ # Content scripts, scrapers 196 + │ │ │ ├── popup/ # Extension popup UI 197 + │ │ │ ├── background/ # Service worker 198 + │ │ │ └── lib/ # Extension utilities 199 + │ │ └── package.json 200 + │ └── shared/ # Shared types (future) 201 + ├── pnpm-workspace.yaml 202 + └── netlify.toml 203 ``` 204 205 ### UI Color System ··· 246 247 ## Task Workflows 248 249 + ### Adding a New Social Platform Parser 250 251 + 1. Add parsing rules to `packages/web/src/lib/parsers/platformDefinitions.ts` 252 + 2. Follow existing patterns (TikTok, Instagram) 253 + 3. Test with real data export file 254 + 4. Update platform selection UI if needed 255 256 ### Adding a New API Endpoint 257 258 + 1. Create `packages/functions/src/your-endpoint.ts` 259 + 2. Add authentication check using `withAuthErrorHandling()` middleware 260 + 3. Update `packages/web/src/lib/api/adapters/RealApiAdapter.ts` 261 + 4. Update `packages/web/src/lib/api/adapters/MockApiAdapter.ts` 262 5. Use in components via `apiClient.yourMethod()` 263 264 + ### Working with the Extension 265 + 266 + ```bash 267 + cd packages/extension 268 + pnpm install 269 + pnpm run build # Build for Chrome 270 + pnpm run build:prod # Build for production 271 + 272 + # Load in Chrome: 273 + # 1. Go to chrome://extensions 274 + # 2. Enable Developer mode 275 + # 3. Click "Load unpacked" 276 + # 4. Select packages/extension/dist/chrome/ 277 + ``` 278 + 279 ### Styling Changes 280 281 - Use Tailwind utility classes ··· 290 291 ### Before Submitting 292 293 + - [ ] Test in mock mode: `pnpm run dev:mock` 294 + - [ ] Test in full mode (if backend changes): `npx netlify-cli dev --filter @atlast/web` 295 - [ ] Check both light and dark themes 296 - [ ] Test mobile responsiveness 297 - [ ] No console errors 298 - [ ] Code follows existing patterns 299 + - [ ] Run `pnpm run build` successfully 300 301 ### Pull Request Process 302
+640
PLAN.md
···
··· 1 + # ATlast Twitter/X Support Plan 2 + 3 + ## Current Status (2025-12-27) 4 + 5 + **Phase 1 Status:** ✅ COMPLETE - Ready for production testing and Chrome Web Store submission 6 + 7 + **All Completed (Dec 2024 - Jan 2025):** 8 + - ✅ Environment configuration (dev/prod builds with correct API URLs) 9 + - ✅ Server health check and offline state handling 10 + - ✅ Authentication flow (session check before upload) 11 + - ✅ Removed temporary storage approach (extension_imports table) 12 + - ✅ Refactored to require login first (matches file upload flow) 13 + - ✅ Fixed NaN database error (missing matchedUsers parameter) 14 + - ✅ Database initialized for dev environment 15 + - ✅ Fixed API response unwrapping (uploadToATlast and checkSession) 16 + - ✅ Loading screen during extension upload search 17 + - ✅ Timezone fixes with TIMESTAMPTZ 18 + - ✅ Vite dev server optimization 19 + - ✅ Decision graph integrity fixes (18 orphan nodes resolved) 20 + - ✅ Documentation improvements (CLAUDE.md with lifecycle management) 21 + 22 + **Ready For:** 23 + - Production testing 24 + - Chrome Web Store submission 25 + - Firefox Add-ons development 26 + 27 + **Decision Graph:** 332 nodes, 333 edges - [View live graph](https://notactuallytreyanastasio.github.io/deciduous/) 28 + 29 + --- 30 + 31 + ## Problem Statement 32 + 33 + Twitter/X data exports only contain `user_id` values, not usernames. Example: 34 + ``` 35 + https://twitter.com/intent/user?user_id=1103954565026775041 36 + ``` 37 + 38 + This makes data export files unusable for our existing parser-based workflow. We need a live scraping approach to extract usernames from the user's Following page. 39 + 40 + ## Research Findings 41 + 42 + ### Why Data Export Doesn't Work 43 + - Twitter exports contain only numeric `user_id` in URLs 44 + - Resolving `user_id` → `screen_name` requires API access ($42k/year Enterprise tier) or scraping 45 + - Nitter is dead (Feb 2024) - Twitter killed guest accounts 46 + - Third-party ID lookup tools don't support bulk/API access 47 + 48 + ### Live Scraping Approach 49 + Users are typically logged into Twitter. We can scrape usernames directly from the DOM of `x.com/following` using stable selectors: 50 + - `[data-testid="UserName"]` - stable, recommended 51 + - CSS class selectors - volatile, change frequently 52 + 53 + ### Platform Support Matrix 54 + 55 + | Platform | Extension Support | Bookmarklet JS | Solution | 56 + |----------|------------------|----------------|----------| 57 + | Desktop Chrome/Edge | Full | Yes | WebExtension | 58 + | Desktop Firefox | Full | Yes | WebExtension | 59 + | Desktop Safari | Full | Yes | WebExtension | 60 + | Android Firefox | Full | Yes | WebExtension | 61 + | Android Chrome | None | Via address bar | Recommend Firefox | 62 + | iOS Safari | Via App Store app | Blocked since iOS 15 | Safari Web Extension | 63 + 64 + ### iOS-Specific Findings 65 + 66 + **iOS Shortcuts "Run JavaScript on Webpage":** 67 + - CAN access authenticated Safari session via Share Sheet 68 + - BUT has strict timeout (few seconds) 69 + - Infinite scroll would timeout immediately 70 + - Only viable for grabbing currently visible content 71 + 72 + **iOS Safari Web Extensions (iOS 15+):** 73 + - Uses same WebExtensions API as Chrome/Firefox 74 + - Content scripts run without timeout limits 75 + - REQUIRES App Store distribution as part of iOS app 76 + - Full capability: auto-scroll, scrape, upload 77 + 78 + ## Architecture Decisions 79 + 80 + ### Monorepo Structure (pnpm workspaces) 81 + 82 + ``` 83 + ATlast/ 84 + ├── pnpm-workspace.yaml 85 + ├── package.json # Root workspace config 86 + ├── packages/ 87 + │ ├── web/ # Existing web app (moved from src/) 88 + │ │ ├── src/ 89 + │ │ ├── package.json 90 + │ │ └── vite.config.ts 91 + │ ├── extension/ # ATlast Importer browser extension 92 + │ │ ├── src/ 93 + │ │ ├── manifest.json 94 + │ │ ├── package.json 95 + │ │ └── build.config.ts 96 + │ ├── shared/ # Shared types and utilities 97 + │ │ ├── src/ 98 + │ │ │ ├── types/ 99 + │ │ │ │ ├── platform.ts # Platform enum, configs 100 + │ │ │ │ ├── import.ts # Import request/response types 101 + │ │ │ │ └── index.ts 102 + │ │ │ └── utils/ 103 + │ │ │ └── username.ts # Username normalization 104 + │ │ └── package.json 105 + │ └── functions/ # Netlify functions (moved from netlify/) 106 + │ ├── src/ 107 + │ ├── package.json 108 + │ └── tsconfig.json 109 + ├── netlify.toml 110 + └── docs/ # Decision graph output 111 + ``` 112 + 113 + ### Extension Name 114 + **ATlast Importer** - Clear purpose, searchable in extension stores. 115 + 116 + ### WebExtension Targets 117 + - Chrome/Edge (Manifest V3) 118 + - Firefox (Manifest V2/V3) 119 + - Safari (desktop + iOS via App Store wrapper) - deferred 120 + 121 + --- 122 + 123 + ## Extension Architecture 124 + 125 + ### High-Level Flow 126 + 127 + ``` 128 + ┌─────────────────────────────────────────────────────────────────┐ 129 + │ ATlast Browser Extension │ 130 + ├─────────────────────────────────────────────────────────────────┤ 131 + │ │ 132 + │ ┌──────────────┐ ┌──────────────┐ ┌──────────────┐ │ 133 + │ │ Popup UI │ │ Content │ │ Background │ │ 134 + │ │ │◄──►│ Script │◄──►│ Service │ │ 135 + │ │ - Status │ │ │ │ Worker │ │ 136 + │ │ - Progress │ │ - Scrape │ │ │ │ 137 + │ │ - Actions │ │ - Scroll │ │ - Storage │ │ 138 + │ └──────────────┘ │ - Collect │ │ - Messaging │ │ 139 + │ └──────────────┘ └──────────────┘ │ 140 + │ │ 141 + └─────────────────────────────────────────────────────────────────┘ 142 + 143 + 144 + ┌──────────────────┐ 145 + │ ATlast Web App │ 146 + │ │ 147 + │ - Receive data │ 148 + │ - Search Bsky │ 149 + │ - Show matches │ 150 + └──────────────────┘ 151 + ``` 152 + 153 + ### Component Breakdown 154 + 155 + #### 1. Manifest Configuration 156 + ``` 157 + extension/ 158 + ├── manifest.json # Extension manifest (V3 for Chrome, V2 for Firefox) 159 + ├── manifest.firefox.json # Firefox-specific overrides (if needed) 160 + └── manifest.safari.json # Safari-specific overrides (if needed) 161 + ``` 162 + 163 + #### 2. Content Script (`content.js`) 164 + Injected into `x.com` / `twitter.com` pages. 165 + 166 + **Responsibilities:** 167 + - Detect if on Following/Followers page 168 + - Auto-scroll to load all users 169 + - Extract usernames using `[data-testid="UserName"]` 170 + - Report progress to popup/background 171 + - Handle rate limiting and pagination 172 + 173 + **Scraping Logic (pseudo-code):** 174 + ```javascript 175 + async function scrapeFollowing() { 176 + const usernames = new Set(); 177 + let lastCount = 0; 178 + let stableCount = 0; 179 + 180 + while (stableCount < 3) { // Stop after 3 scrolls with no new users 181 + // Collect visible usernames 182 + document.querySelectorAll('[data-testid="UserName"]').forEach(el => { 183 + const username = extractUsername(el); 184 + if (username) usernames.add(username); 185 + }); 186 + 187 + // Report progress 188 + sendProgress(usernames.size); 189 + 190 + // Scroll down 191 + window.scrollBy(0, 1000); 192 + await sleep(500); 193 + 194 + // Check if we found new users 195 + if (usernames.size === lastCount) { 196 + stableCount++; 197 + } else { 198 + stableCount = 0; 199 + lastCount = usernames.size; 200 + } 201 + } 202 + 203 + return Array.from(usernames); 204 + } 205 + ``` 206 + 207 + #### 3. Popup UI (`popup.html`, `popup.js`) 208 + User interface when clicking extension icon. 209 + 210 + **States:** 211 + - **Inactive**: "Go to x.com/following to start" 212 + - **Ready**: "Found Following page. Click to scan." 213 + - **Scanning**: Progress bar, count of found users 214 + - **Complete**: "Found 847 users. Open in ATlast" 215 + - **Error**: Error message with retry option 216 + 217 + #### 4. Background Service Worker (`background.js`) 218 + Coordinates between content script and popup. 219 + 220 + **Responsibilities:** 221 + - Store scraped data temporarily 222 + - Handle cross-tab communication 223 + - Manage extension state 224 + - Generate handoff URL/data for ATlast 225 + 226 + ### Data Handoff to ATlast 227 + 228 + **Decision: POST to API endpoint** 229 + 230 + Extension will POST scraped usernames to a new Netlify function endpoint. 231 + 232 + ``` 233 + ┌─────────────────┐ ┌─────────────────┐ ┌─────────────────┐ 234 + │ Extension │ POST │ Netlify Func │ Store │ Database │ 235 + │ │────────►│ /extension- │────────►│ │ 236 + │ usernames[] │ │ import │ │ pending_import │ 237 + │ platform: "x" │ │ │ │ │ 238 + └─────────────────┘ └────────┬────────┘ └─────────────────┘ 239 + 240 + │ Returns: { importId: "abc123" } 241 + 242 + ┌─────────────────┐ 243 + │ Redirect to │ 244 + │ atlast.app/ │ 245 + │ import/abc123 │ 246 + └─────────────────┘ 247 + ``` 248 + 249 + **API Endpoint: `POST /extension-import`** 250 + 251 + Request: 252 + ```json 253 + { 254 + "platform": "twitter", 255 + "usernames": ["user1", "user2", ...], 256 + "metadata": { 257 + "extensionVersion": "1.0.0", 258 + "scrapedAt": "2024-01-15T...", 259 + "pageType": "following" 260 + } 261 + } 262 + ``` 263 + 264 + Response: 265 + ```json 266 + { 267 + "importId": "abc123", 268 + "redirectUrl": "https://atlast.app/import/abc123" 269 + } 270 + ``` 271 + 272 + **Why POST over other options:** 273 + - No URL length limits (supports 10k+ usernames) 274 + - Secure (HTTPS, can add rate limiting) 275 + - Seamless UX (extension opens ATlast directly) 276 + - Audit trail (imports stored in database) 277 + 278 + ### Extension Package Structure (`packages/extension/`) 279 + 280 + ``` 281 + packages/extension/ 282 + ├── manifest.json # Base manifest (Chrome MV3) 283 + ├── manifest.firefox.json # Firefox overrides (if needed) 284 + ├── package.json # Extension package config 285 + ├── tsconfig.json 286 + ├── build.config.ts # Build script config 287 + ├── src/ 288 + │ ├── content/ 289 + │ │ ├── scrapers/ 290 + │ │ │ ├── base-scraper.ts # Abstract base class 291 + │ │ │ ├── twitter-scraper.ts # Twitter/X implementation 292 + │ │ │ ├── threads-scraper.ts # (Future) Threads 293 + │ │ │ ├── instagram-scraper.ts # (Future) Instagram 294 + │ │ │ └── tiktok-scraper.ts # (Future) TikTok 295 + │ │ ├── scroll-handler.ts # Generic infinite scroll 296 + │ │ └── index.ts # Content script entry, platform detection 297 + │ ├── popup/ 298 + │ │ ├── popup.html 299 + │ │ ├── popup.css 300 + │ │ └── popup.ts 301 + │ ├── background/ 302 + │ │ └── service-worker.ts 303 + │ └── lib/ 304 + │ ├── messaging.ts # Extension messaging 305 + │ ├── storage.ts # chrome.storage wrapper 306 + │ └── api-client.ts # POST to ATlast API 307 + ├── assets/ 308 + │ ├── icon-16.png 309 + │ ├── icon-48.png 310 + │ └── icon-128.png 311 + └── dist/ 312 + ├── chrome/ # Built extension for Chrome 313 + ├── firefox/ # Built extension for Firefox 314 + └── chrome.zip # Store submission package 315 + ``` 316 + 317 + ### Shared Package Structure (`packages/shared/`) 318 + 319 + ``` 320 + packages/shared/ 321 + ├── package.json 322 + ├── tsconfig.json 323 + ├── src/ 324 + │ ├── types/ 325 + │ │ ├── platform.ts # Platform enum, URL patterns 326 + │ │ ├── import.ts # ExtensionImportRequest, ExtensionImportResponse 327 + │ │ ├── scraper.ts # ScraperResult, ScraperProgress 328 + │ │ └── index.ts # Re-exports 329 + │ ├── utils/ 330 + │ │ ├── username.ts # normalizeUsername(), validateUsername() 331 + │ │ └── index.ts 332 + │ └── index.ts # Main entry 333 + └── dist/ # Compiled output 334 + ``` 335 + 336 + ### Shared Types Example 337 + 338 + ```typescript 339 + // packages/shared/src/types/platform.ts 340 + export enum Platform { 341 + Twitter = 'twitter', 342 + Threads = 'threads', 343 + Instagram = 'instagram', 344 + TikTok = 'tiktok', 345 + } 346 + 347 + export interface PlatformConfig { 348 + platform: Platform; 349 + displayName: string; 350 + hostPatterns: string[]; 351 + followingPathPattern: RegExp; 352 + iconUrl: string; 353 + } 354 + 355 + export const PLATFORM_CONFIGS: Record<Platform, PlatformConfig> = { 356 + [Platform.Twitter]: { 357 + platform: Platform.Twitter, 358 + displayName: 'Twitter/X', 359 + hostPatterns: ['twitter.com', 'x.com'], 360 + followingPathPattern: /^\/[^/]+\/following$/, 361 + iconUrl: 'https://abs.twimg.com/favicons/twitter.ico', 362 + }, 363 + // ... future platforms 364 + }; 365 + ``` 366 + 367 + ```typescript 368 + // packages/shared/src/types/import.ts 369 + import { Platform } from './platform'; 370 + 371 + export interface ExtensionImportRequest { 372 + platform: Platform; 373 + usernames: string[]; 374 + metadata: { 375 + extensionVersion: string; 376 + scrapedAt: string; 377 + pageType: 'following' | 'followers' | 'list'; 378 + sourceUrl: string; 379 + }; 380 + } 381 + 382 + export interface ExtensionImportResponse { 383 + importId: string; 384 + usernameCount: number; 385 + redirectUrl: string; 386 + } 387 + ``` 388 + 389 + ### Platform Detection & Extensibility 390 + 391 + Content script detects platform from URL and loads appropriate scraper: 392 + 393 + ```javascript 394 + // src/content/index.js 395 + const PLATFORM_PATTERNS = { 396 + twitter: { 397 + hostPatterns: ['twitter.com', 'x.com'], 398 + followingPath: /^\/[^/]+\/following$/, 399 + scraper: () => import('./scrapers/twitter-scraper.js') 400 + }, 401 + threads: { 402 + hostPatterns: ['threads.net'], 403 + followingPath: /^\/[^/]+\/following$/, 404 + scraper: () => import('./scrapers/threads-scraper.js') 405 + }, 406 + // ... future platforms 407 + }; 408 + 409 + function detectPlatform() { 410 + const host = window.location.hostname; 411 + const path = window.location.pathname; 412 + 413 + for (const [name, config] of Object.entries(PLATFORM_PATTERNS)) { 414 + if (config.hostPatterns.some(h => host.includes(h))) { 415 + if (config.followingPath.test(path)) { 416 + return { platform: name, pageType: 'following', ...config }; 417 + } 418 + } 419 + } 420 + return null; 421 + } 422 + ``` 423 + 424 + ### Base Scraper Interface 425 + 426 + ```javascript 427 + // src/content/scrapers/base-scraper.js 428 + export class BaseScraper { 429 + constructor(options = {}) { 430 + this.onProgress = options.onProgress || (() => {}); 431 + this.onComplete = options.onComplete || (() => {}); 432 + this.onError = options.onError || (() => {}); 433 + } 434 + 435 + // Must be implemented by subclasses 436 + getUsernameSelector() { throw new Error('Not implemented'); } 437 + extractUsername(element) { throw new Error('Not implemented'); } 438 + 439 + // Shared infinite scroll logic 440 + async scrape() { 441 + const usernames = new Set(); 442 + let stableCount = 0; 443 + 444 + while (stableCount < 3) { 445 + const before = usernames.size; 446 + 447 + document.querySelectorAll(this.getUsernameSelector()).forEach(el => { 448 + const username = this.extractUsername(el); 449 + if (username) usernames.add(username); 450 + }); 451 + 452 + this.onProgress({ count: usernames.size }); 453 + 454 + window.scrollBy(0, 1000); 455 + await this.sleep(500); 456 + 457 + stableCount = (usernames.size === before) ? stableCount + 1 : 0; 458 + } 459 + 460 + this.onComplete({ usernames: Array.from(usernames) }); 461 + return Array.from(usernames); 462 + } 463 + 464 + sleep(ms) { 465 + return new Promise(resolve => setTimeout(resolve, ms)); 466 + } 467 + } 468 + ``` 469 + 470 + ### Twitter Scraper Implementation 471 + 472 + ```javascript 473 + // src/content/scrapers/twitter-scraper.js 474 + import { BaseScraper } from './base-scraper.js'; 475 + 476 + export class TwitterScraper extends BaseScraper { 477 + getUsernameSelector() { 478 + // Primary selector (stable) 479 + return '[data-testid="UserName"]'; 480 + } 481 + 482 + extractUsername(element) { 483 + // UserName element contains display name and @handle 484 + // Structure: <div><span>Display Name</span></div><div><span>@handle</span></div> 485 + const spans = element.querySelectorAll('span'); 486 + for (const span of spans) { 487 + const text = span.textContent?.trim(); 488 + if (text?.startsWith('@')) { 489 + return text.slice(1).toLowerCase(); // Remove @ prefix 490 + } 491 + } 492 + return null; 493 + } 494 + } 495 + ``` 496 + 497 + ### iOS App Wrapper (Future) 498 + 499 + For iOS Safari extension, need minimal Swift app: 500 + 501 + ``` 502 + ATlastApp/ 503 + ├── ATlast/ 504 + │ ├── ATlastApp.swift # Minimal app entry 505 + │ ├── ContentView.swift # Simple "Open Safari" UI 506 + │ └── Info.plist 507 + ├── ATlast Extension/ 508 + │ ├── SafariWebExtensionHandler.swift 509 + │ ├── Info.plist 510 + │ └── Resources/ 511 + │ └── (same extension files as above) 512 + └── ATlast.xcodeproj 513 + ``` 514 + 515 + --- 516 + 517 + ## Decisions Made 518 + 519 + | Question | Decision | Rationale | 520 + |----------|----------|-----------| 521 + | **Data Handoff** | POST to API endpoint | No size limits, seamless UX, audit trail | 522 + | **MVP Scope** | Twitter Following page only | Fastest path to value | 523 + | **iOS Priority** | Deferred | Focus on desktop Chrome/Firefox first | 524 + | **Platform Scope** | Twitter v1, architecture for multi-platform | Plan for Threads/Instagram/TikTok later | 525 + | **Extension Name** | ATlast Importer | Clear purpose, searchable in stores | 526 + | **Code Location** | Monorepo with pnpm workspaces | Clean shared types, isolated builds | 527 + | **Monorepo Tool** | pnpm workspaces | Fast, disk-efficient, minimal config | 528 + 529 + ## Remaining Questions 530 + 531 + ### Q1: Extension Branding 532 + - Name options: "ATlast", "ATlast Importer", "ATlast Social Bridge" 533 + - Icon design needed 534 + 535 + ### Q2: Error Recovery Strategy 536 + Twitter/X changes DOM frequently. Strategy for handling breaks: 537 + - Ship updates quickly when breaks detected 538 + - Build selector fallback chain 539 + - User-reportable "not working" flow 540 + - **Recommendation: All of the above** 541 + 542 + ### Q3: Extension Store Distribution 543 + - Chrome Web Store (requires $5 developer fee) 544 + - Firefox Add-ons (free) 545 + - Safari Extensions (requires Apple Developer account, $99/year - defer with iOS) 546 + 547 + --- 548 + 549 + ## Implementation Phases 550 + 551 + ### Phase 0: Monorepo Migration ✅ COMPLETE 552 + - [x] **0.1** Install pnpm globally if needed 553 + - [x] **0.2** Create pnpm-workspace.yaml 554 + - [x] **0.3** Create packages/ directory structure 555 + - [x] **0.4** Move src/ → packages/web/src/ 556 + - [x] **0.5** Move netlify/functions/ → packages/functions/ 557 + - [x] **0.6** Create packages/shared/ with types 558 + - [x] **0.7** Update import paths in web and functions 559 + - [x] **0.8** Update netlify.toml for new paths 560 + - [x] **0.9** Update root package.json scripts 561 + - [x] **0.10** Test build and dev commands 562 + - [x] **0.11** Commit monorepo migration 563 + 564 + ### Phase 1: Chrome Extension MVP ✅ COMPLETE 565 + - [x] **1.1** Create packages/extension/ structure 566 + - [x] **1.2** Write manifest.json (Manifest V3) 567 + - [x] **1.3** Implement base-scraper.ts abstract class 568 + - [x] **1.4** Implement twitter-scraper.ts 569 + - [x] **1.5** Implement content/index.ts (platform detection) 570 + - [x] **1.6** Implement popup UI (HTML/CSS/TS) 571 + - [x] **1.7** Implement background service worker 572 + - [x] **1.8** Implement api-client.ts (POST to ATlast) 573 + - [x] **1.9** Create Netlify function: extension-import.ts 574 + - [x] **1.10** ~~Create ATlast import page: /import/[id]~~ (Not needed - uses /results?uploadId) 575 + - [x] **1.11** Add extension build script 576 + - [x] **1.12** Test end-to-end flow locally - All bugs resolved 577 + - [ ] **1.13** Chrome Web Store submission - Next step 578 + 579 + ### Phase 2: Firefox Support 580 + - [ ] **2.1** Create manifest.firefox.json (MV2 if needed) 581 + - [ ] **2.2** Test on Firefox desktop 582 + - [ ] **2.3** Test on Firefox Android 583 + - [ ] **2.4** Firefox Add-ons submission 584 + 585 + ### Phase 3: Enhanced Twitter Features 586 + - [ ] **3.1** Support Followers page 587 + - [ ] **3.2** Support Twitter Lists 588 + - [ ] **3.3** Add selector fallback chain 589 + - [ ] **3.4** Add user-reportable error flow 590 + 591 + ### Phase 4: Additional Platforms (Future) 592 + - [ ] **4.1** Threads scraper 593 + - [ ] **4.2** Instagram scraper 594 + - [ ] **4.3** TikTok scraper 595 + 596 + ### Phase 5: iOS Support (Future) 597 + - [ ] **5.1** iOS app wrapper (Swift) 598 + - [ ] **5.2** Safari Web Extension integration 599 + - [ ] **5.3** App Store submission 600 + 601 + --- 602 + 603 + ## Related Decision Graph Nodes 604 + 605 + - **Goal**: #184 (Support Twitter/X file uploads) 606 + - **Problem Analysis**: #185-186 (user_id issue, resolution approach decision) 607 + - **Initial Options**: #187-192 (server-side, extension, CLI, BYOK, hybrid) 608 + - **Research**: #193-204 (Nitter dead, Sky Follower Bridge, DOM scraping) 609 + - **iOS Research**: #212-216 (Shortcuts timeout, Safari Web Extensions) 610 + - **Architecture Decisions**: #218-222 611 + - #219: POST to API endpoint 612 + - #220: Twitter Following page MVP 613 + - #221: iOS deferred 614 + - #222: Multi-platform architecture 615 + - **Implementation Decisions**: #224-227 616 + - #225: Monorepo with shared packages 617 + - #226: Extension name "ATlast Importer" 618 + - #227: pnpm workspaces tooling 619 + 620 + View live graph: https://notactuallytreyanastasio.github.io/deciduous/ 621 + 622 + --- 623 + 624 + ## Changelog 625 + 626 + | Date | Change | 627 + |------|--------| 628 + | 2024-12-25 | Initial plan created with research findings and architecture | 629 + | 2024-12-25 | Decisions made: POST API, Twitter MVP, iOS deferred, extensible architecture | 630 + | 2024-12-25 | Added: Extension name (ATlast Importer), monorepo structure (pnpm workspaces) | 631 + | 2024-12-25 | Added: Phase 0 (monorepo migration), detailed package structures, shared types | 632 + | 2025-12-26 | Phase 0 complete (monorepo migration) | 633 + | 2025-12-26 | Phase 1 nearly complete - core implementation done, active debugging | 634 + | 2025-12-26 | Architecture refactored: extension requires login first, uses /results?uploadId | 635 + | 2025-12-26 | Fixed: NaN database error, environment config, auth flow, CORS permissions | 636 + | 2025-12-26 | Fixed: API response unwrapping - extension now correctly handles ApiResponse structure | 637 + | 2025-12-26 | Phase 1 ready for testing - all bugs resolved, decision graph: 295 nodes tracked | 638 + | 2025-12-27 | Phase 1 COMPLETE - all extension bugs fixed, ready for Chrome Web Store submission | 639 + | 2025-12-27 | Added: Loading screen, timezone fixes, Vite optimization, decision graph improvements | 640 + | 2025-12-27 | Decision graph: 332 nodes, 333 edges - orphan nodes resolved, documentation improved |
+143 -15
docs/git-history.json
··· 1 [ 2 { 3 - "hash": "90067b8feb9f40512b9732a05b1a8756f338a481", 4 - "short_hash": "90067b8", 5 "author": "Ariel M. Lighty", 6 - "date": "2025-12-25T21:43:51-05:00", 7 - "message": "add dev server health check and offline detection to extension\n\nFeatures:\n- Check server health on popup init (dev mode only)\n- Show 'server offline' state with setup instructions\n- 'Check Again' button to retry connection\n- Display target server URL for debugging\n- 3-second timeout for health checks\n\nFixes port 8888 conflict workflow - extension now prompts user\nto start dev server instead of hanging silently.", 8 "files_changed": 4 9 }, 10 { 11 - "hash": "4d1480611a83f82da7bb2fe4c89f9f2180ecfa7b", 12 - "short_hash": "4d14806", 13 "author": "Ariel M. Lighty", 14 - "date": "2025-12-25T20:58:38-05:00", 15 - "message": "add environment-based build configuration for extension\n\n- Add dev vs prod build modes using --prod flag\n- Inject API URL at build time via esbuild define\n- Dev: http://127.0.0.1:8888\n- Prod: https://atlast.byarielm.fyi\n- Add build:prod and package:prod scripts", 16 - "files_changed": 3 17 }, 18 { 19 "hash": "c35fb0d83202607facc203dfe10325e8672ea67e", ··· 32 "files_changed": 3 33 }, 34 { 35 - "hash": "32cdee3aeac7ef986df47e0fff786b5f7471e55b", 36 - "short_hash": "32cdee3", 37 "author": "Ariel M. Lighty", 38 "date": "2025-12-25T13:22:32-05:00", 39 "message": "configure Netlify dev for monorepo with --filter flag\n\nFixed Netlify CLI monorepo detection issue by using --filter flag:\n- Updated root package.json scripts to use 'npx netlify-cli dev --filter @atlast/web'\n- Updated netlify.toml [dev] section to use npm with --prefix for framework command\n- Added monorepo development instructions to CLAUDE.md\n- Documented Windows Git Bash compatibility issue with netlify command\n\nSolution: Use 'npx netlify-cli dev --filter @atlast/web' to bypass monorepo\nproject selection prompt and specify which workspace package to run.\n\nDev server now runs successfully at http://localhost:8888 with all backend\nfunctions loaded.", 40 - "files_changed": 4 41 }, 42 { 43 - "hash": "ba29fd68872913ba0a587aa7f29f97b3d373a732", 44 - "short_hash": "ba29fd6", 45 "author": "Ariel M. Lighty", 46 "date": "2025-12-25T13:22:32-05:00", 47 "message": "configure Netlify dev for monorepo with --filter flag\n\nFixed Netlify CLI monorepo detection issue by using --filter flag:\n- Updated root package.json scripts to use 'npx netlify-cli dev --filter @atlast/web'\n- Updated netlify.toml [dev] section to use npm with --prefix for framework command\n- Added monorepo development instructions to CLAUDE.md\n- Documented Windows Git Bash compatibility issue with netlify command\n\nSolution: Use 'npx netlify-cli dev --filter @atlast/web' to bypass monorepo\nproject selection prompt and specify which workspace package to run.\n\nDev server now runs successfully at http://localhost:8888 with all backend\nfunctions loaded.", 48 - "files_changed": 5 49 }, 50 { 51 "hash": "c3e7afad396d130791d801a85cbfc9643bcd6309",
··· 1 [ 2 { 3 + "hash": "15b67054a684ebb2a21761a1774ba15f9b1c29e2", 4 + "short_hash": "15b6705", 5 + "author": "Ariel M. Lighty", 6 + "date": "2025-12-28T20:38:38-05:00", 7 + "message": "fix: add health check function for extension server detection\n\n- Created /health function endpoint with CORS support\n- Updated checkServerHealth to use function endpoint instead of root URL\n- Fixes Firefox extension server detection with proper CORS headers", 8 + "files_changed": 5 9 + }, 10 + { 11 + "hash": "603cf0a187850664336a12c9e5cbb49038906f53", 12 + "short_hash": "603cf0a", 13 + "author": "Ariel M. Lighty", 14 + "date": "2025-12-27T22:42:43-05:00", 15 + "message": "fix: CORS for extension credentialed requests\n\nUpdated CORS headers to support credentials from Chrome extensions:\n- Added getCorsHeaders() to detect chrome-extension:// origins\n- Changed from wildcard Access-Control-Allow-Origin to specific origin\n- Added Access-Control-Allow-Credentials: true for credentialed requests\n- Updated session endpoint to pass event for CORS header detection", 16 + "files_changed": 4 17 + }, 18 + { 19 + "hash": "bd3aabb75abb1875aef125610fcdccb14967a8e3", 20 + "short_hash": "bd3aabb", 21 + "author": "Ariel M. Lighty", 22 + "date": "2025-12-27T22:10:11-05:00", 23 + "message": "fix: extension dark mode and build mode messaging\n\n- Changed darkMode from 'class' to 'media' for automatic system preference detection\n- Made server offline message conditional on build mode (dev vs prod)\n- Hide dev server instructions in production builds", 24 + "files_changed": 5 25 + }, 26 + { 27 + "hash": "bd3aabb75abb1875aef125610fcdccb14967a8e3", 28 + "short_hash": "bd3aabb", 29 + "author": "Ariel M. Lighty", 30 + "date": "2025-12-27T22:10:11-05:00", 31 + "message": "fix: extension dark mode and build mode messaging\n\n- Changed darkMode from 'class' to 'media' for automatic system preference detection\n- Made server offline message conditional on build mode (dev vs prod)\n- Hide dev server instructions in production builds", 32 + "files_changed": 5 33 + }, 34 + { 35 + "hash": "d07180cd3a19328b82b35118e525b59d4e2e060b", 36 + "short_hash": "d07180c", 37 + "author": "Ariel M. Lighty", 38 + "date": "2025-12-27T18:38:39-05:00", 39 + "message": "feat: add Tailwind CSS to extension\n\nReplaced 299 lines of vanilla CSS with Tailwind for design consistency with web app. Production build minified to 13KB.", 40 + "files_changed": 9 41 + }, 42 + { 43 + "hash": "fe29bb3e5faa0151f63c14724f7509af669860de", 44 + "short_hash": "fe29bb3", 45 "author": "Ariel M. Lighty", 46 + "date": "2025-12-27T16:02:10-05:00", 47 + "message": "docs: update all .md files to reflect current project status\n\nUpdated 4 markdown files with current state:\n\nEXTENSION_STATUS.md:\n- Changed status from DEBUGGING to COMPLETE\n- Updated decision graph count (295 → 332 nodes)\n- Added recently completed section (nodes 296-332)\n- Marked all extension bugs as resolved\n\nCONTRIBUTING.md:\n- Replaced npm with pnpm throughout\n- Added monorepo structure documentation\n- Updated development commands (netlify-cli dev --filter)\n- Added extension development workflow\n\nPLAN.md:\n- Updated status to Phase 1 COMPLETE\n- Added all recent fixes to completion list\n- Updated decision graph count to 332 nodes\n- Added changelog entries for latest work\n\npackages/extension/README.md:\n- Added prerequisites section (dev server + login required)\n- Updated build commands with dev/prod distinction\n- Added Step 0: Start ATlast Dev Server\n- Added common issues for auth and server states\n\nAll files now accurately reflect completion status and use pnpm.", 48 + "files_changed": 6 49 + }, 50 + { 51 + "hash": "fcf682bb8969aca108262348e7e17531077713be", 52 + "short_hash": "fcf682b", 53 + "author": "Ariel M. Lighty", 54 + "date": "2025-12-27T15:48:44-05:00", 55 + "message": "docs: improve decision graph workflow with lifecycle management\n\nUpdated CLAUDE.md with comprehensive node lifecycle management:\n- Added node status transitions (pending → in_progress → completed)\n- Correct orphan detection commands (awk instead of cut)\n- Common mistakes section with examples\n- Enhanced audit checklist with status verification\n- Verification workflow after node creation\n\nAlso updated extension popup with ATmosphere branding.\n\nDecision graph now at 331 nodes, 332 edges - all orphans resolved.", 56 "files_changed": 4 57 }, 58 { 59 + "hash": "e04934ffb5e2d78791fcd23bc3afeb4d438a5546", 60 + "short_hash": "e04934f", 61 + "author": "Ariel M. Lighty", 62 + "date": "2025-12-26T21:57:05-05:00", 63 + "message": "perf: optimize Vite dev server startup\n\nAdded explicit optimizeDeps.include to pre-bundle common dependencies:\n- React ecosystem (react, react-dom, react-router-dom)\n- Icon libraries (@icons-pack/react-simple-icons, lucide-react)\n- Other deps (date-fns, jszip, zustand, @tanstack/react-virtual)\n\nAlso added server.fs.allow config for monorepo file serving.\n\nThis should speed up subsequent dev server starts by ensuring these\ndependencies are consistently pre-bundled.", 64 + "files_changed": 1 65 + }, 66 + { 67 + "hash": "aacbbaa27797781098dacdfd0194c93cd71d7bd2", 68 + "short_hash": "aacbbaa", 69 "author": "Ariel M. Lighty", 70 + "date": "2025-12-26T21:46:06-05:00", 71 + "message": "fix: use TIMESTAMPTZ for all timestamp columns\n\nChanged all TIMESTAMP columns to TIMESTAMPTZ (timestamp with timezone) to\nproperly handle timezone-aware timestamps across all tables:\n- oauth_states (created_at, expires_at)\n- oauth_sessions (created_at, expires_at)\n- user_sessions (created_at, expires_at)\n- user_uploads (created_at, last_checked)\n- source_accounts (last_checked, match_found_at, created_at)\n- user_source_follows (created_at)\n- atproto_matches (found_at, last_verified, last_follow_check)\n- user_match_status (notified_at, viewed_at, followed_at, dismissed_at)\n- notification_queue (created_at, sent_at)\n\nThis fixes the 5-hour timezone offset issue where timestamps were stored\nwithout timezone info, causing display errors across different timezones.", 72 + "files_changed": 1 73 + }, 74 + { 75 + "hash": "46626f4a18eaaaaf42368361130bb1ddc7bd9677", 76 + "short_hash": "46626f4", 77 + "author": "Ariel M. Lighty", 78 + "date": "2025-12-26T21:20:34-05:00", 79 + "message": "fix: show loading screen during extension upload search\n\nPreviously when loading an upload from extension that hadn't been searched yet,\nthe app would immediately navigate to the results page showing 'none' for all\nmatches, then update them as the search progressed.\n\nNow it behaves like the file upload flow:\n- Shows loading screen during search\n- Navigates to results only after search completes and results are saved\n- If upload already has matches, navigates to results immediately", 80 + "files_changed": 1 81 + }, 82 + { 83 + "hash": "212660a996d6b0f1db59f9532d2b3968c7113f10", 84 + "short_hash": "212660a", 85 + "author": "Ariel M. Lighty", 86 + "date": "2025-12-26T20:58:45-05:00", 87 + "message": "fix: pass final search results to onComplete callback\n\nFixes issue where results were displayed but not saved to database until\npage refresh. Root cause: onComplete callback accessed stale searchResults\nfrom closure instead of updated state.\n\nChanges:\n- useSearch.searchAllUsers: onComplete now receives SearchResult[] param\n- useSearch: uses setSearchResults updater to get current state\n- App.tsx: updated all 3 searchAllUsers calls to use finalResults\n- Removed setTimeout workarounds\n\nResult: Extension and file upload flows now save immediately after search.", 88 + "files_changed": 4 89 + }, 90 + { 91 + "hash": "6ced3f0b015af1c9126559a393996576402cfd03", 92 + "short_hash": "6ced3f0", 93 + "author": "Ariel M. Lighty", 94 + "date": "2025-12-26T14:12:46-05:00", 95 + "message": "fix extension flow: create user_source_follows, auto-search, time display\n\nBackend (extension-import.ts):\n- Now creates user_source_follows entries linking upload to source accounts\n- Without these, get-upload-details returned empty (queries FROM user_source_follows)\n- Uses bulkCreate return value (Map<username, id>) to create links\n\nFrontend (App.tsx):\n- handleLoadUpload now detects if upload has no matches yet\n- Sets isSearching: true for new uploads\n- Automatically triggers searchAllUsers for new uploads\n- Saves results after search completes\n- Changed platform from hardcoded \"tiktok\" to \"twitter\"\n\nFrontend (HistoryTab.tsx):\n- Fixed time display: removed \"Uploaded\" prefix\n- Now shows \"about 5 hours ago\" instead of \"Uploaded in about 5 hours\"\n- formatRelativeTime with addSuffix already provides complete sentence\n\nResolves:\n- Empty results on page load\n- No automatic searching\n- History navigation not working (will work after search)\n- Grammatically incorrect time display", 96 + "files_changed": 5 97 + }, 98 + { 99 + "hash": "581ed00fec3c0c5f472c6ff92e00bf4ed5b27e9a", 100 + "short_hash": "581ed00", 101 + "author": "Ariel M. Lighty", 102 + "date": "2025-12-26T13:47:37-05:00", 103 + "message": "fix extension import: use bulkCreate and handle uploadId param\n\nBackend fixes:\n- Use SourceAccountRepository.bulkCreate() instead of non-existent upsertSourceAccount()\n- Change redirectUrl from /results?uploadId= to /?uploadId=\n- More efficient bulk insert instead of loop\n\nFrontend fixes:\n- Add useEffect to load results when uploadId param present\n- Calls loadUploadResults(uploadId) automatically on page load\n- Cleans up URL param after loading\n\nResolves:\n- \"sourceAccountRepo.upsertSourceAccount is not a function\" error\n- \"No routes matched location /results?uploadId=...\" routing error", 104 + "files_changed": 4 105 + }, 106 + { 107 + "hash": "9ca734749fbaa014828f8437afc5e515610afd31", 108 + "short_hash": "9ca7347", 109 + "author": "Ariel M. Lighty", 110 + "date": "2025-12-26T13:37:24-05:00", 111 + "message": "update documentation: extension ready for testing after API response fix", 112 + "files_changed": 4 113 + }, 114 + { 115 + "hash": "95636330f387598f55017eda668fb9f91ccde509", 116 + "short_hash": "9563633", 117 + "author": "Ariel M. Lighty", 118 + "date": "2025-12-26T13:35:52-05:00", 119 + "message": "fix extension api-client: unwrap ApiResponse.data structure\n\nBackend endpoints use successResponse() which wraps data in:\n { success: true, data: {...} }\n\nExtension was expecting flat response structure, causing:\n- uploadToATlast to return undefined (missing importId, redirectUrl)\n- checkSession to return wrapped object instead of user data\n- Invalid URL error: \"http://127.0.0.1:8888undefined\"\n\nFixed both uploadToATlast and checkSession to access apiResponse.data", 120 + "files_changed": 2 121 + }, 122 + { 123 + "hash": "34bd9dcd1237971a87627b148c0452b8484e4871", 124 + "short_hash": "34bd9dc", 125 + "author": "Ariel M. Lighty", 126 + "date": "2025-12-26T00:50:44-05:00", 127 + "message": "update documentation with current debugging status\n\nPLAN.md updates:\n- Added current status section with recent fixes and active work\n- Marked Phase 0 as complete\n- Marked Phase 1 as in progress (debugging)\n- Updated changelog with 2025-12-26 progress\n- Updated decision graph count to 288 nodes\n\nEXTENSION_STATUS.md updates:\n- Changed state from READY FOR TESTING to DEBUGGING\n- Added fixed issues section (NaN bug, database init)\n- Added active debugging section\n- Updated decision graph summary to 288 nodes\n- Added node references for recent fixes (#287-288)\n\nDecision graph:\n- Synced with latest nodes (288 total, 276 edges)\n- Tracked database initialization outcome", 128 + "files_changed": 4 129 + }, 130 + { 131 + "hash": "1a355fe785eb1768dba3f4c3a8ba631904d1d6d6", 132 + "short_hash": "1a355fe", 133 + "author": "Ariel M. Lighty", 134 + "date": "2025-12-26T00:33:21-05:00", 135 + "message": "fix extension-import: add missing matchedUsers parameter to createUpload\n\nThe createUpload method expects 5 parameters but we were only passing 4,\ncausing NaN to be inserted for unmatched_users calculation. Now passing 0\nfor matchedUsers (will be updated after search is performed).", 136 + "files_changed": 1 137 + }, 138 + { 139 + "hash": "d0bcf337b6d223a86443f6f67767e87b74e4dd7d", 140 + "short_hash": "d0bcf33", 141 + "author": "Ariel M. Lighty", 142 + "date": "2025-12-26T00:26:09-05:00", 143 + "message": "refactor extension to require authentication and use proper upload flow\n\nRemoved temporary storage approach and implemented proper authentication flow:\n\nExtension changes:\n- Added session check to popup init flow (checkSession in api-client)\n- Added \"not logged in\" state with login prompts\n- Updated uploadToATlast to include credentials for cookie-based auth\n- Extension now requires user to be logged in BEFORE scanning\n\nBackend changes:\n- Converted extension-import to AuthenticatedHandler (requires auth)\n- Now creates upload records immediately (no temporary storage)\n- Removed extension_imports table from database schema\n- Deleted get-extension-import function (no longer needed)\n- Deleted import-store utility (temporary approach removed)\n\nFrontend changes:\n- Removed ExtensionImport page and /import/:id route\n- Extension uploads now use same flow as file uploads\n\nThis matches the correct user flow: user logs in to ATlast first, then\nextension creates permanent upload records directly (same as file uploads).\n\nBuilt extension successfully for dev environment.", 144 + "files_changed": 12 145 }, 146 { 147 "hash": "c35fb0d83202607facc203dfe10325e8672ea67e", ··· 160 "files_changed": 3 161 }, 162 { 163 + "hash": "ba29fd68872913ba0a587aa7f29f97b3d373a732", 164 + "short_hash": "ba29fd6", 165 "author": "Ariel M. Lighty", 166 "date": "2025-12-25T13:22:32-05:00", 167 "message": "configure Netlify dev for monorepo with --filter flag\n\nFixed Netlify CLI monorepo detection issue by using --filter flag:\n- Updated root package.json scripts to use 'npx netlify-cli dev --filter @atlast/web'\n- Updated netlify.toml [dev] section to use npm with --prefix for framework command\n- Added monorepo development instructions to CLAUDE.md\n- Documented Windows Git Bash compatibility issue with netlify command\n\nSolution: Use 'npx netlify-cli dev --filter @atlast/web' to bypass monorepo\nproject selection prompt and specify which workspace package to run.\n\nDev server now runs successfully at http://localhost:8888 with all backend\nfunctions loaded.", 168 + "files_changed": 5 169 }, 170 { 171 + "hash": "32cdee3aeac7ef986df47e0fff786b5f7471e55b", 172 + "short_hash": "32cdee3", 173 "author": "Ariel M. Lighty", 174 "date": "2025-12-25T13:22:32-05:00", 175 "message": "configure Netlify dev for monorepo with --filter flag\n\nFixed Netlify CLI monorepo detection issue by using --filter flag:\n- Updated root package.json scripts to use 'npx netlify-cli dev --filter @atlast/web'\n- Updated netlify.toml [dev] section to use npm with --prefix for framework command\n- Added monorepo development instructions to CLAUDE.md\n- Documented Windows Git Bash compatibility issue with netlify command\n\nSolution: Use 'npx netlify-cli dev --filter @atlast/web' to bypass monorepo\nproject selection prompt and specify which workspace package to run.\n\nDev server now runs successfully at http://localhost:8888 with all backend\nfunctions loaded.", 176 + "files_changed": 4 177 }, 178 { 179 "hash": "c3e7afad396d130791d801a85cbfc9643bcd6309",
+2695
docs/graph-data.json
··· 3046 "created_at": "2025-12-25T21:59:27.214048800-05:00", 3047 "updated_at": "2025-12-25T21:59:41.037717800-05:00", 3048 "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3049 } 3050 ], 3051 "edges": [ ··· 5974 "weight": 1.0, 5975 "rationale": "Fix complete", 5976 "created_at": "2025-12-25T21:59:40.544320600-05:00" 5977 } 5978 ] 5979 }
··· 3046 "created_at": "2025-12-25T21:59:27.214048800-05:00", 3047 "updated_at": "2025-12-25T21:59:41.037717800-05:00", 3048 "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3049 + }, 3050 + { 3051 + "id": 278, 3052 + "change_id": "fa11e7d7-ac30-4d0e-bc8a-d2332f724d92", 3053 + "node_type": "goal", 3054 + "title": "Store extension imports in database and integrate with existing upload flow", 3055 + "description": null, 3056 + "status": "completed", 3057 + "created_at": "2025-12-25T22:05:53.102585900-05:00", 3058 + "updated_at": "2025-12-25T22:20:26.309175100-05:00", 3059 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90,\"prompt\":\"Import Error: Import not found or expired. Please try scanning again. - received after \\\"Open in ATlast\\\". We should be storing this in the existing DB schema with a \\\"save to ATlast\\\" button that also navigates to the results for that upload in atlast.\"}" 3060 + }, 3061 + { 3062 + "id": 279, 3063 + "change_id": "0710252d-bcf6-4708-b67f-d9615a0dad6e", 3064 + "node_type": "observation", 3065 + "title": "In-memory store doesn't work in serverless - each Netlify function can run in different process. Need database storage.", 3066 + "description": null, 3067 + "status": "completed", 3068 + "created_at": "2025-12-25T22:06:43.366406500-05:00", 3069 + "updated_at": "2025-12-25T22:20:26.419201900-05:00", 3070 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3071 + }, 3072 + { 3073 + "id": 280, 3074 + "change_id": "f38929d4-0ad0-43ec-a25c-a9dd6f9ee7fd", 3075 + "node_type": "action", 3076 + "title": "Create extension_imports table and update endpoints to use database", 3077 + "description": null, 3078 + "status": "completed", 3079 + "created_at": "2025-12-25T22:06:46.169277300-05:00", 3080 + "updated_at": "2025-12-25T22:20:26.516060800-05:00", 3081 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3082 + }, 3083 + { 3084 + "id": 281, 3085 + "change_id": "0e917ade-9f83-4246-9a66-1aa2dfef7c41", 3086 + "node_type": "outcome", 3087 + "title": "Replaced in-memory storage with database persistence for extension imports", 3088 + "description": null, 3089 + "status": "completed", 3090 + "created_at": "2025-12-25T22:20:19.197297700-05:00", 3091 + "updated_at": "2025-12-25T22:20:26.608871700-05:00", 3092 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3093 + }, 3094 + { 3095 + "id": 282, 3096 + "change_id": "206347b5-4178-43dd-bb05-657b3788a6b0", 3097 + "node_type": "action", 3098 + "title": "Refactoring to proper flow: check session, save immediately, match real upload behavior", 3099 + "description": null, 3100 + "status": "completed", 3101 + "created_at": "2025-12-26T00:00:13.136356300-05:00", 3102 + "updated_at": "2025-12-26T00:19:11.083067300-05:00", 3103 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3104 + }, 3105 + { 3106 + "id": 283, 3107 + "change_id": "e3adddaf-9126-4bfa-8d75-aa8b94323077", 3108 + "node_type": "observation", 3109 + "title": "Extension-import now requires auth, creates upload immediately, saves to source_accounts - matches file upload flow", 3110 + "description": null, 3111 + "status": "completed", 3112 + "created_at": "2025-12-26T00:13:01.938755900-05:00", 3113 + "updated_at": "2025-12-26T00:19:11.191827900-05:00", 3114 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3115 + }, 3116 + { 3117 + "id": 284, 3118 + "change_id": "3d9caa98-6f9c-4613-9c05-92566f9ee0d5", 3119 + "node_type": "outcome", 3120 + "title": "Refactored extension flow: requires login first, creates upload immediately, matches file upload behavior", 3121 + "description": null, 3122 + "status": "completed", 3123 + "created_at": "2025-12-26T00:18:53.900318900-05:00", 3124 + "updated_at": "2025-12-26T00:19:11.322802200-05:00", 3125 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3126 + }, 3127 + { 3128 + "id": 285, 3129 + "change_id": "f0da412f-562b-4e45-b83d-eba28fc22eea", 3130 + "node_type": "outcome", 3131 + "title": "Extension built successfully for dev environment", 3132 + "description": null, 3133 + "status": "completed", 3134 + "created_at": "2025-12-26T00:24:02.307648100-05:00", 3135 + "updated_at": "2025-12-26T13:22:38.789519700-05:00", 3136 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95,\"files\":[\"packages/extension/build.js\",\"packages/extension/dist/\"]}" 3137 + }, 3138 + { 3139 + "id": 286, 3140 + "change_id": "60c9ec75-7e3f-4aa4-b8cf-0691ef92d260", 3141 + "node_type": "outcome", 3142 + "title": "Committed extension refactor with decision graph", 3143 + "description": null, 3144 + "status": "completed", 3145 + "created_at": "2025-12-26T00:26:17.378515100-05:00", 3146 + "updated_at": "2025-12-26T13:22:40.829054100-05:00", 3147 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"d0bcf33\",\"confidence\":100}" 3148 + }, 3149 + { 3150 + "id": 287, 3151 + "change_id": "e01c6989-6c0b-42f8-b7c7-60aca059f7c3", 3152 + "node_type": "action", 3153 + "title": "Fixed NaN database error in extension-import", 3154 + "description": null, 3155 + "status": "completed", 3156 + "created_at": "2025-12-26T00:33:28.860934100-05:00", 3157 + "updated_at": "2025-12-26T13:22:42.926736300-05:00", 3158 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"1a355fe\",\"confidence\":95,\"files\":[\"packages/functions/src/extension-import.ts\"]}" 3159 + }, 3160 + { 3161 + "id": 288, 3162 + "change_id": "5fa82fdc-7796-4263-be72-e1877279881b", 3163 + "node_type": "outcome", 3164 + "title": "Database initialized successfully for dev environment", 3165 + "description": null, 3166 + "status": "completed", 3167 + "created_at": "2025-12-26T00:47:09.629444300-05:00", 3168 + "updated_at": "2025-12-26T13:22:45.174366200-05:00", 3169 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100,\"files\":[\"packages/functions/src/init-db.ts\"]}" 3170 + }, 3171 + { 3172 + "id": 289, 3173 + "change_id": "dd2aa029-7ca9-4379-a966-762c9137bcc8", 3174 + "node_type": "action", 3175 + "title": "Updated PLAN.md and EXTENSION_STATUS.md with current debugging status", 3176 + "description": null, 3177 + "status": "completed", 3178 + "created_at": "2025-12-26T00:50:51.291667400-05:00", 3179 + "updated_at": "2025-12-26T13:22:47.378106200-05:00", 3180 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"34bd9dc\",\"confidence\":100,\"files\":[\"PLAN.md\",\"EXTENSION_STATUS.md\"]}" 3181 + }, 3182 + { 3183 + "id": 290, 3184 + "change_id": "d73fc969-78c0-4721-8db5-88014cb4a0a6", 3185 + "node_type": "goal", 3186 + "title": "Fix extension upload errors - undefined response and invalid URL", 3187 + "description": null, 3188 + "status": "completed", 3189 + "created_at": "2025-12-26T13:31:45.695565800-05:00", 3190 + "updated_at": "2025-12-27T17:49:55.246500-05:00", 3191 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 3192 + }, 3193 + { 3194 + "id": 291, 3195 + "change_id": "1d88fcb9-3f0e-400b-aabd-7b1564064fd9", 3196 + "node_type": "observation", 3197 + "title": "Backend returns correct structure but response might be wrapped by successResponse helper", 3198 + "description": null, 3199 + "status": "completed", 3200 + "created_at": "2025-12-26T13:32:20.697112800-05:00", 3201 + "updated_at": "2025-12-27T17:49:55.310376600-05:00", 3202 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3203 + }, 3204 + { 3205 + "id": 292, 3206 + "change_id": "22c007f9-6e84-4a72-bc6f-462b94655b40", 3207 + "node_type": "observation", 3208 + "title": "successResponse wraps data in {success: true, data: {...}} structure - extension expects flat response", 3209 + "description": null, 3210 + "status": "completed", 3211 + "created_at": "2025-12-26T13:32:50.409160400-05:00", 3212 + "updated_at": "2025-12-27T17:49:55.384830800-05:00", 3213 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3214 + }, 3215 + { 3216 + "id": 293, 3217 + "change_id": "59087762-06cf-4be1-8a15-fb2244070951", 3218 + "node_type": "action", 3219 + "title": "Fix api-client.ts to unwrap ApiResponse.data field", 3220 + "description": null, 3221 + "status": "completed", 3222 + "created_at": "2025-12-26T13:32:54.625124500-05:00", 3223 + "updated_at": "2025-12-27T17:49:55.449186500-05:00", 3224 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3225 + }, 3226 + { 3227 + "id": 294, 3228 + "change_id": "6a2f6150-4b32-45ee-b2c7-cd5094fdd8c6", 3229 + "node_type": "outcome", 3230 + "title": "Fixed API client to unwrap ApiResponse.data - both uploadToATlast and checkSession now correctly access nested data field", 3231 + "description": null, 3232 + "status": "completed", 3233 + "created_at": "2025-12-26T13:34:09.012837500-05:00", 3234 + "updated_at": "2025-12-27T17:49:55.512809400-05:00", 3235 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3236 + }, 3237 + { 3238 + "id": 295, 3239 + "change_id": "ceaed4fe-5fd0-4542-8f3a-bd4640dfaadf", 3240 + "node_type": "outcome", 3241 + "title": "Committed API response fix to git", 3242 + "description": null, 3243 + "status": "completed", 3244 + "created_at": "2025-12-26T13:36:02.733197600-05:00", 3245 + "updated_at": "2025-12-27T17:49:55.576426900-05:00", 3246 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"9563633\",\"confidence\":95}" 3247 + }, 3248 + { 3249 + "id": 296, 3250 + "change_id": "e2427bfe-84a1-4dee-adf4-28a9c1b739e2", 3251 + "node_type": "observation", 3252 + "title": "Extension upload flow fixed and ready for testing - API response unwrapping resolves undefined errors", 3253 + "description": null, 3254 + "status": "completed", 3255 + "created_at": "2025-12-26T13:37:35.844832-05:00", 3256 + "updated_at": "2025-12-27T17:49:55.653339900-05:00", 3257 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"9ca7347\",\"confidence\":95}" 3258 + }, 3259 + { 3260 + "id": 297, 3261 + "change_id": "74ea361f-577c-4058-b833-6666e777ee00", 3262 + "node_type": "goal", 3263 + "title": "Fix backend repository method error and missing frontend route", 3264 + "description": null, 3265 + "status": "completed", 3266 + "created_at": "2025-12-26T13:43:03.332690700-05:00", 3267 + "updated_at": "2025-12-27T17:49:55.729232100-05:00", 3268 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3269 + }, 3270 + { 3271 + "id": 298, 3272 + "change_id": "c373be70-157a-420d-bc11-4364fe22d091", 3273 + "node_type": "observation", 3274 + "title": "Two issues: 1) SourceAccountRepository has getOrCreate/bulkCreate not upsertSourceAccount, 2) Router only has / route, no /results route", 3275 + "description": null, 3276 + "status": "completed", 3277 + "created_at": "2025-12-26T13:43:28.902663600-05:00", 3278 + "updated_at": "2025-12-27T17:49:55.791246300-05:00", 3279 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3280 + }, 3281 + { 3282 + "id": 299, 3283 + "change_id": "8edd7e11-54b4-4c5b-8379-37b1ec1e7d7d", 3284 + "node_type": "action", 3285 + "title": "Fix backend to use bulkCreate and frontend to handle uploadId param", 3286 + "description": null, 3287 + "status": "completed", 3288 + "created_at": "2025-12-26T13:44:28.406069900-05:00", 3289 + "updated_at": "2025-12-27T17:49:55.863335500-05:00", 3290 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3291 + }, 3292 + { 3293 + "id": 300, 3294 + "change_id": "876412ec-a214-4bf7-b48a-b7706c698085", 3295 + "node_type": "outcome", 3296 + "title": "Fixed both issues: backend uses bulkCreate, redirects to /?uploadId, frontend loads results from uploadId param", 3297 + "description": null, 3298 + "status": "completed", 3299 + "created_at": "2025-12-26T13:45:58.309042200-05:00", 3300 + "updated_at": "2025-12-27T17:49:55.947393200-05:00", 3301 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3302 + }, 3303 + { 3304 + "id": 301, 3305 + "change_id": "b3f870cc-406f-4cf7-8ab4-04d9f76fb2ab", 3306 + "node_type": "outcome", 3307 + "title": "Committed fixes for bulkCreate and uploadId handling", 3308 + "description": null, 3309 + "status": "completed", 3310 + "created_at": "2025-12-26T13:47:48.770693200-05:00", 3311 + "updated_at": "2025-12-27T17:49:56.029469300-05:00", 3312 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"581ed00\",\"confidence\":95}" 3313 + }, 3314 + { 3315 + "id": 302, 3316 + "change_id": "e2cf6ed0-c80f-420a-bdd2-98369f58de2a", 3317 + "node_type": "observation", 3318 + "title": "Frontend error: loadUploadResults not defined - need to check function scope", 3319 + "description": null, 3320 + "status": "completed", 3321 + "created_at": "2025-12-26T13:50:59.977950500-05:00", 3322 + "updated_at": "2025-12-27T17:49:56.093781100-05:00", 3323 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3324 + }, 3325 + { 3326 + "id": 303, 3327 + "change_id": "7a7a19a6-4abf-4c30-9072-14beaa12b106", 3328 + "node_type": "action", 3329 + "title": "Fix useEffect to call handleLoadUpload instead of non-existent loadUploadResults", 3330 + "description": null, 3331 + "status": "completed", 3332 + "created_at": "2025-12-26T13:51:36.007564400-05:00", 3333 + "updated_at": "2025-12-27T17:49:56.169258900-05:00", 3334 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3335 + }, 3336 + { 3337 + "id": 304, 3338 + "change_id": "dff4aef7-8732-4aae-a6be-f44fb42b4941", 3339 + "node_type": "outcome", 3340 + "title": "Fixed function name - now calls handleLoadUpload correctly", 3341 + "description": null, 3342 + "status": "completed", 3343 + "created_at": "2025-12-26T13:51:52.256909300-05:00", 3344 + "updated_at": "2025-12-27T17:49:56.234188500-05:00", 3345 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3346 + }, 3347 + { 3348 + "id": 305, 3349 + "change_id": "8ad6ef53-29a2-442e-b88f-9e0541634950", 3350 + "node_type": "goal", 3351 + "title": "Fix extension flow: auto-search after load, history navigation, time formatting", 3352 + "description": null, 3353 + "status": "completed", 3354 + "created_at": "2025-12-26T14:05:53.798547500-05:00", 3355 + "updated_at": "2025-12-27T17:49:56.309329800-05:00", 3356 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3357 + }, 3358 + { 3359 + "id": 306, 3360 + "change_id": "481942f8-5905-4948-a1cb-ee320a98271b", 3361 + "node_type": "observation", 3362 + "title": "handleLoadUpload expects existing results but extension creates empty upload - need to load source accounts and trigger search", 3363 + "description": null, 3364 + "status": "completed", 3365 + "created_at": "2025-12-26T14:06:18.067673100-05:00", 3366 + "updated_at": "2025-12-27T17:49:56.384145700-05:00", 3367 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3368 + }, 3369 + { 3370 + "id": 307, 3371 + "change_id": "ae01acc1-f5ff-481b-823f-de2d4f1843a2", 3372 + "node_type": "observation", 3373 + "title": "Extension-import creates upload and source_accounts but NOT user_source_follows - get-upload-details returns empty because it queries FROM user_source_follows", 3374 + "description": null, 3375 + "status": "completed", 3376 + "created_at": "2025-12-26T14:08:57.918421600-05:00", 3377 + "updated_at": "2025-12-27T17:49:56.459539400-05:00", 3378 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3379 + }, 3380 + { 3381 + "id": 308, 3382 + "change_id": "2368cae0-9ae1-4ca0-9ace-8c3555f9e679", 3383 + "node_type": "action", 3384 + "title": "Add user_source_follows creation to extension-import endpoint", 3385 + "description": null, 3386 + "status": "completed", 3387 + "created_at": "2025-12-26T14:09:03.035871-05:00", 3388 + "updated_at": "2025-12-27T17:49:56.523841100-05:00", 3389 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3390 + }, 3391 + { 3392 + "id": 309, 3393 + "change_id": "cd9b88e7-fe8d-4ee0-a187-e99eef0b7e64", 3394 + "node_type": "outcome", 3395 + "title": "Fixed all extension flow issues: added user_source_follows creation, auto-search after load, time formatting", 3396 + "description": null, 3397 + "status": "completed", 3398 + "created_at": "2025-12-26T14:11:09.055850200-05:00", 3399 + "updated_at": "2025-12-27T17:49:56.588486100-05:00", 3400 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3401 + }, 3402 + { 3403 + "id": 310, 3404 + "change_id": "51369a2c-17ec-4be3-ba4f-240b770d7211", 3405 + "node_type": "outcome", 3406 + "title": "Committed all extension flow fixes", 3407 + "description": null, 3408 + "status": "completed", 3409 + "created_at": "2025-12-26T14:16:08.387214900-05:00", 3410 + "updated_at": "2025-12-27T17:49:56.670180800-05:00", 3411 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"6ced3f0\",\"confidence\":95}" 3412 + }, 3413 + { 3414 + "id": 311, 3415 + "change_id": "91d7bad2-a8a3-47c3-8fad-558919b207b0", 3416 + "node_type": "observation", 3417 + "title": "searchAllUsers called with wrong parameters - missing onProgressUpdate callback", 3418 + "description": null, 3419 + "status": "completed", 3420 + "created_at": "2025-12-26T16:07:21.838974100-05:00", 3421 + "updated_at": "2025-12-27T17:49:56.746464900-05:00", 3422 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3423 + }, 3424 + { 3425 + "id": 312, 3426 + "change_id": "9a95c7e6-6339-475f-9b20-5fa3057e0a9f", 3427 + "node_type": "action", 3428 + "title": "Fix searchAllUsers call with correct parameters and callbacks", 3429 + "description": null, 3430 + "status": "completed", 3431 + "created_at": "2025-12-26T16:08:18.523845400-05:00", 3432 + "updated_at": "2025-12-27T17:49:56.809583600-05:00", 3433 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3434 + }, 3435 + { 3436 + "id": 313, 3437 + "change_id": "5fae9da8-2a31-4f99-9686-7bfb28c443e8", 3438 + "node_type": "outcome", 3439 + "title": "Fixed searchAllUsers call - now passes onProgressUpdate and onComplete callbacks", 3440 + "description": null, 3441 + "status": "completed", 3442 + "created_at": "2025-12-26T16:08:24.248208800-05:00", 3443 + "updated_at": "2025-12-27T17:49:56.884711900-05:00", 3444 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3445 + }, 3446 + { 3447 + "id": 314, 3448 + "change_id": "6837403f-1e30-4a71-bcf5-71db0cac6afc", 3449 + "node_type": "goal", 3450 + "title": "Fix validation error and undefined localeCompare in extension flow", 3451 + "description": null, 3452 + "status": "completed", 3453 + "created_at": "2025-12-26T20:17:59.516959100-05:00", 3454 + "updated_at": "2025-12-27T17:49:56.971434500-05:00", 3455 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3456 + }, 3457 + { 3458 + "id": 315, 3459 + "change_id": "a08d22fc-5970-4a5d-8454-4a1ef2efc7e4", 3460 + "node_type": "observation", 3461 + "title": "Two errors: 1) batch-search-actors gets null in usernames array, 2) Frontend localeCompare on undefined - likely wrong SearchResult structure", 3462 + "description": null, 3463 + "status": "completed", 3464 + "created_at": "2025-12-26T20:18:03.693879700-05:00", 3465 + "updated_at": "2025-12-27T17:49:57.049131800-05:00", 3466 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3467 + }, 3468 + { 3469 + "id": 316, 3470 + "change_id": "58ef0c82-402c-4fff-8421-83c5417475b1", 3471 + "node_type": "action", 3472 + "title": "Fix SearchResult structure - sourceUser should be object not string", 3473 + "description": null, 3474 + "status": "completed", 3475 + "created_at": "2025-12-26T20:19:47.621459800-05:00", 3476 + "updated_at": "2025-12-27T17:49:57.127563700-05:00", 3477 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3478 + }, 3479 + { 3480 + "id": 317, 3481 + "change_id": "3a24a4a2-b4d0-4629-a29b-b33994d50e75", 3482 + "node_type": "outcome", 3483 + "title": "Fixed SearchResult structure - sourceUser is now correct SourceUser object instead of string", 3484 + "description": null, 3485 + "status": "completed", 3486 + "created_at": "2025-12-26T20:20:22.507291300-05:00", 3487 + "updated_at": "2025-12-27T17:49:57.190209200-05:00", 3488 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3489 + }, 3490 + { 3491 + "id": 318, 3492 + "change_id": "371f788d-46df-4651-b338-f9310f8ae810", 3493 + "node_type": "goal", 3494 + "title": "Fix results not saving to database and timestamp timezone issue", 3495 + "description": null, 3496 + "status": "completed", 3497 + "created_at": "2025-12-26T20:37:03.493239600-05:00", 3498 + "updated_at": "2025-12-27T17:49:57.263765-05:00", 3499 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3500 + }, 3501 + { 3502 + "id": 319, 3503 + "change_id": "28681ed9-6d12-476e-a60d-291ee2034952", 3504 + "node_type": "observation", 3505 + "title": "save-results has hasRecentUpload check that skips saving if upload created within 5 seconds - extension-import creates upload then save-results is called immediately, gets skipped!", 3506 + "description": null, 3507 + "status": "completed", 3508 + "created_at": "2025-12-26T20:37:34.735156200-05:00", 3509 + "updated_at": "2025-12-27T15:37:51.134056500-05:00", 3510 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3511 + }, 3512 + { 3513 + "id": 320, 3514 + "change_id": "04f6a182-c5a1-4844-b186-24605a8e74a9", 3515 + "node_type": "action", 3516 + "title": "Fix save-results to skip duplicate check for extension uploads and handle timestamps correctly", 3517 + "description": null, 3518 + "status": "completed", 3519 + "created_at": "2025-12-26T20:38:45.703038700-05:00", 3520 + "updated_at": "2025-12-27T15:37:51.269445900-05:00", 3521 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3522 + }, 3523 + { 3524 + "id": 321, 3525 + "change_id": "ac843fbc-1953-4b61-8ef3-4c88c98572f5", 3526 + "node_type": "outcome", 3527 + "title": "Fixed save-results to check if upload exists by ID instead of recent time check - extension flow now saves matches", 3528 + "description": null, 3529 + "status": "completed", 3530 + "created_at": "2025-12-26T20:39:45.657720100-05:00", 3531 + "updated_at": "2025-12-27T15:37:51.395550200-05:00", 3532 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3533 + }, 3534 + { 3535 + "id": 322, 3536 + "change_id": "2e824556-15c7-4656-b771-1b85cc628edc", 3537 + "node_type": "observation", 3538 + "title": "onComplete callback in handleLoadUpload accesses stale searchResults from closure - state updated by searchAllUsers not visible to callback", 3539 + "description": null, 3540 + "status": "completed", 3541 + "created_at": "2025-12-26T20:51:55.431293100-05:00", 3542 + "updated_at": "2025-12-27T15:37:51.544390300-05:00", 3543 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3544 + }, 3545 + { 3546 + "id": 323, 3547 + "change_id": "88fc65bc-c2da-4df7-b79e-ba80d93e5b77", 3548 + "node_type": "outcome", 3549 + "title": "Fixed stale closure issue - onComplete now receives finalResults from useSearch state", 3550 + "description": null, 3551 + "status": "completed", 3552 + "created_at": "2025-12-26T20:55:36.922743800-05:00", 3553 + "updated_at": "2025-12-27T15:37:51.688947900-05:00", 3554 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3555 + }, 3556 + { 3557 + "id": 324, 3558 + "change_id": "c941c916-0fcb-44d6-9786-dfd53447cebe", 3559 + "node_type": "outcome", 3560 + "title": "Committed stale closure fix - results now save immediately after search completes", 3561 + "description": null, 3562 + "status": "completed", 3563 + "created_at": "2025-12-26T20:58:48.266958800-05:00", 3564 + "updated_at": "2025-12-27T15:37:51.824656100-05:00", 3565 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"212660a\",\"confidence\":95}" 3566 + }, 3567 + { 3568 + "id": 325, 3569 + "change_id": "e44f45f8-bac9-4a49-ac68-ac9d7d113226", 3570 + "node_type": "outcome", 3571 + "title": "Loading screen now shows during extension upload search", 3572 + "description": null, 3573 + "status": "completed", 3574 + "created_at": "2025-12-26T21:20:42.635515100-05:00", 3575 + "updated_at": "2025-12-27T15:37:51.996612500-05:00", 3576 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"46626f4\",\"confidence\":95}" 3577 + }, 3578 + { 3579 + "id": 326, 3580 + "change_id": "af76ea64-b0b1-4577-b521-4ec21cc555e1", 3581 + "node_type": "outcome", 3582 + "title": "Fixed timezone issue - all timestamp columns now use TIMESTAMPTZ", 3583 + "description": null, 3584 + "status": "completed", 3585 + "created_at": "2025-12-26T21:46:14.340967100-05:00", 3586 + "updated_at": "2025-12-27T15:37:52.151895800-05:00", 3587 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"aacbbaa\",\"confidence\":95}" 3588 + }, 3589 + { 3590 + "id": 327, 3591 + "change_id": "ed9ceca3-e53e-430c-8f0f-386b287b0915", 3592 + "node_type": "outcome", 3593 + "title": "Optimized Vite config with explicit dependency pre-bundling", 3594 + "description": null, 3595 + "status": "completed", 3596 + "created_at": "2025-12-26T21:57:16.155112400-05:00", 3597 + "updated_at": "2025-12-27T15:37:52.289922500-05:00", 3598 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"e04934f\",\"confidence\":85}" 3599 + }, 3600 + { 3601 + "id": 328, 3602 + "change_id": "7823be1a-fca9-4cb5-9e62-dfbc8cb71e55", 3603 + "node_type": "outcome", 3604 + "title": "Fixed decision graph integrity - linked 18 orphan nodes to parent goals, marked nodes 319-327 as completed", 3605 + "description": null, 3606 + "status": "completed", 3607 + "created_at": "2025-12-27T15:38:21.291457500-05:00", 3608 + "updated_at": "2025-12-27T17:49:54.129059900-05:00", 3609 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3610 + }, 3611 + { 3612 + "id": 329, 3613 + "change_id": "c839ec54-b098-4030-8ff4-857549b17363", 3614 + "node_type": "observation", 3615 + "title": "Decision graph audit revealed systematic issues: 18 orphan nodes, incorrect status (pending vs completed), wrong orphan detection commands in recovery workflow", 3616 + "description": null, 3617 + "status": "completed", 3618 + "created_at": "2025-12-27T15:40:23.238704300-05:00", 3619 + "updated_at": "2025-12-27T17:49:57.327650700-05:00", 3620 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3621 + }, 3622 + { 3623 + "id": 330, 3624 + "change_id": "1f554b87-3775-450b-a3a1-b23eeebc7e38", 3625 + "node_type": "action", 3626 + "title": "Analyzing decision graph issues and updating CLAUDE.md with improved workflow", 3627 + "description": null, 3628 + "status": "completed", 3629 + "created_at": "2025-12-27T15:41:04.067444-05:00", 3630 + "updated_at": "2025-12-27T17:49:57.403361400-05:00", 3631 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3632 + }, 3633 + { 3634 + "id": 331, 3635 + "change_id": "8c746dd6-d571-4446-8a53-af6279fc9c21", 3636 + "node_type": "outcome", 3637 + "title": "Updated CLAUDE.md and .claude/ files with node lifecycle management, correct orphan detection commands, and common mistakes section", 3638 + "description": null, 3639 + "status": "completed", 3640 + "created_at": "2025-12-27T15:47:49.308750700-05:00", 3641 + "updated_at": "2025-12-27T17:49:57.478252800-05:00", 3642 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3643 + }, 3644 + { 3645 + "id": 332, 3646 + "change_id": "c4338df4-a22f-4dd5-b60c-84c7cd1c0c5c", 3647 + "node_type": "action", 3648 + "title": "Committed documentation improvements", 3649 + "description": null, 3650 + "status": "completed", 3651 + "created_at": "2025-12-27T15:48:47.658343800-05:00", 3652 + "updated_at": "2025-12-27T17:49:57.553143200-05:00", 3653 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"fcf682b\",\"confidence\":100}" 3654 + }, 3655 + { 3656 + "id": 333, 3657 + "change_id": "0a0375e9-bcef-4459-b9f1-f5868276e8e4", 3658 + "node_type": "goal", 3659 + "title": "Review and update all .md files to reflect current project status", 3660 + "description": null, 3661 + "status": "completed", 3662 + "created_at": "2025-12-27T15:50:48.815758500-05:00", 3663 + "updated_at": "2025-12-27T17:49:57.630386-05:00", 3664 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90,\"prompt\":\"review and update the .md files thru the project based on current project status.\"}" 3665 + }, 3666 + { 3667 + "id": 334, 3668 + "change_id": "fe108b87-356f-4c02-85cb-7260e175d8ad", 3669 + "node_type": "action", 3670 + "title": "Identifying all project .md files excluding dependencies", 3671 + "description": null, 3672 + "status": "completed", 3673 + "created_at": "2025-12-27T15:51:22.583189100-05:00", 3674 + "updated_at": "2025-12-27T17:49:57.707946400-05:00", 3675 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3676 + }, 3677 + { 3678 + "id": 335, 3679 + "change_id": "3aac85f7-c11c-48f6-b9da-2cd333605fb2", 3680 + "node_type": "observation", 3681 + "title": "Analyzed all project .md files - found outdated information in CONTRIBUTING.md (npm→pnpm), EXTENSION_STATUS.md (debugging→completed), PLAN.md (optimization status), extension README (build commands)", 3682 + "description": null, 3683 + "status": "completed", 3684 + "created_at": "2025-12-27T15:52:06.741629200-05:00", 3685 + "updated_at": "2025-12-27T17:49:57.786343300-05:00", 3686 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3687 + }, 3688 + { 3689 + "id": 336, 3690 + "change_id": "d1a23826-c660-4f2a-bdc0-bcbbce9d0293", 3691 + "node_type": "decision", 3692 + "title": "Choose which .md files to update based on priority and impact", 3693 + "description": null, 3694 + "status": "completed", 3695 + "created_at": "2025-12-27T15:52:30.322805700-05:00", 3696 + "updated_at": "2025-12-27T17:49:57.849977800-05:00", 3697 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 3698 + }, 3699 + { 3700 + "id": 337, 3701 + "change_id": "28eeefda-3813-4777-8006-924a9b030c61", 3702 + "node_type": "outcome", 3703 + "title": "User chose Option B: Complete update of EXTENSION_STATUS.md, CONTRIBUTING.md, PLAN.md, extension README", 3704 + "description": null, 3705 + "status": "completed", 3706 + "created_at": "2025-12-27T15:54:31.514053500-05:00", 3707 + "updated_at": "2025-12-27T15:59:48.206341500-05:00", 3708 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3709 + }, 3710 + { 3711 + "id": 338, 3712 + "change_id": "594942d8-4981-4557-9687-522d51e86ecb", 3713 + "node_type": "action", 3714 + "title": "Updating EXTENSION_STATUS.md with current completion status and recent fixes", 3715 + "description": null, 3716 + "status": "completed", 3717 + "created_at": "2025-12-27T15:54:35.960795700-05:00", 3718 + "updated_at": "2025-12-27T15:55:47.472404200-05:00", 3719 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3720 + }, 3721 + { 3722 + "id": 339, 3723 + "change_id": "4c8c5b0d-468b-4ad6-80e9-02141949aba9", 3724 + "node_type": "action", 3725 + "title": "Updating CONTRIBUTING.md to use pnpm and reflect monorepo structure", 3726 + "description": null, 3727 + "status": "completed", 3728 + "created_at": "2025-12-27T15:55:49.596595900-05:00", 3729 + "updated_at": "2025-12-27T15:57:12.280431-05:00", 3730 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3731 + }, 3732 + { 3733 + "id": 340, 3734 + "change_id": "4e3987a4-538f-4912-b6ce-39c5971e0966", 3735 + "node_type": "action", 3736 + "title": "Reviewing and updating PLAN.md optimization status", 3737 + "description": null, 3738 + "status": "completed", 3739 + "created_at": "2025-12-27T15:57:14.603410600-05:00", 3740 + "updated_at": "2025-12-27T15:58:21.116083200-05:00", 3741 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3742 + }, 3743 + { 3744 + "id": 341, 3745 + "change_id": "42bf8d79-2c24-420f-b8b8-89273fecc30d", 3746 + "node_type": "action", 3747 + "title": "Updating packages/extension/README.md with pnpm commands and current context", 3748 + "description": null, 3749 + "status": "completed", 3750 + "created_at": "2025-12-27T15:58:23.453147600-05:00", 3751 + "updated_at": "2025-12-27T15:59:39.189409100-05:00", 3752 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3753 + }, 3754 + { 3755 + "id": 342, 3756 + "change_id": "a6d1f3fb-650d-4227-b1dc-ddb24810464c", 3757 + "node_type": "outcome", 3758 + "title": "Successfully updated all 4 markdown files with current project status, pnpm commands, monorepo structure, and completion status", 3759 + "description": null, 3760 + "status": "completed", 3761 + "created_at": "2025-12-27T15:59:41.457774700-05:00", 3762 + "updated_at": "2025-12-27T15:59:45.883622500-05:00", 3763 + "metadata_json": "{\"branch\":\"master\",\"confidence\":100}" 3764 + }, 3765 + { 3766 + "id": 343, 3767 + "change_id": "9e0fcead-ea30-4b31-974b-4e07f7fc6787", 3768 + "node_type": "action", 3769 + "title": "Committed all markdown documentation updates", 3770 + "description": null, 3771 + "status": "completed", 3772 + "created_at": "2025-12-27T16:02:13.397776700-05:00", 3773 + "updated_at": "2025-12-27T16:02:56.131931100-05:00", 3774 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"fe29bb3\",\"confidence\":100}" 3775 + }, 3776 + { 3777 + "id": 344, 3778 + "change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 3779 + "node_type": "goal", 3780 + "title": "Add Tailwind CSS to extension for design consistency", 3781 + "description": null, 3782 + "status": "completed", 3783 + "created_at": "2025-12-27T17:59:23.523767600-05:00", 3784 + "updated_at": "2025-12-27T18:07:53.271415-05:00", 3785 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90,\"prompt\":\"yes\"}" 3786 + }, 3787 + { 3788 + "id": 345, 3789 + "change_id": "0ef352ed-538b-4632-8b62-ebb17603f944", 3790 + "node_type": "action", 3791 + "title": "Installing Tailwind CSS and PostCSS dependencies", 3792 + "description": null, 3793 + "status": "completed", 3794 + "created_at": "2025-12-27T18:00:41.652670100-05:00", 3795 + "updated_at": "2025-12-27T18:00:43.901523100-05:00", 3796 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3797 + }, 3798 + { 3799 + "id": 346, 3800 + "change_id": "888e6ad0-5002-4cdb-b35e-f4214ca07dfa", 3801 + "node_type": "action", 3802 + "title": "Creating Tailwind and PostCSS config files", 3803 + "description": null, 3804 + "status": "completed", 3805 + "created_at": "2025-12-27T18:01:27.404433500-05:00", 3806 + "updated_at": "2025-12-27T18:01:29.980132200-05:00", 3807 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3808 + }, 3809 + { 3810 + "id": 347, 3811 + "change_id": "fae7a634-d921-4b6f-9620-0c58d88b863e", 3812 + "node_type": "action", 3813 + "title": "Updating build.js to process CSS with PostCSS + Tailwind", 3814 + "description": null, 3815 + "status": "completed", 3816 + "created_at": "2025-12-27T18:01:50.537140900-05:00", 3817 + "updated_at": "2025-12-27T18:01:53.031316700-05:00", 3818 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3819 + }, 3820 + { 3821 + "id": 348, 3822 + "change_id": "c25a8f4b-8bf1-4a33-bef9-3731dfd83627", 3823 + "node_type": "action", 3824 + "title": "Converting popup.css to use Tailwind directives", 3825 + "description": null, 3826 + "status": "completed", 3827 + "created_at": "2025-12-27T18:02:42.167814700-05:00", 3828 + "updated_at": "2025-12-27T18:02:44.488653900-05:00", 3829 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3830 + }, 3831 + { 3832 + "id": 349, 3833 + "change_id": "c65ee3d9-62a0-47aa-870a-f6422ff2536a", 3834 + "node_type": "action", 3835 + "title": "Converting popup.html to use Tailwind utility classes", 3836 + "description": null, 3837 + "status": "completed", 3838 + "created_at": "2025-12-27T18:03:00.465637900-05:00", 3839 + "updated_at": "2025-12-27T18:03:02.815261100-05:00", 3840 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3841 + }, 3842 + { 3843 + "id": 350, 3844 + "change_id": "8136e615-5baa-4fe5-9a7d-d672ff1a6f85", 3845 + "node_type": "outcome", 3846 + "title": "Successfully integrated Tailwind CSS into extension", 3847 + "description": null, 3848 + "status": "completed", 3849 + "created_at": "2025-12-27T18:07:49.869572400-05:00", 3850 + "updated_at": "2025-12-27T18:07:52.136827400-05:00", 3851 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3852 + }, 3853 + { 3854 + "id": 351, 3855 + "change_id": "9468bcb3-78ec-4dae-8d8f-968ba6f5b3fe", 3856 + "node_type": "outcome", 3857 + "title": "Committed Tailwind CSS integration to git", 3858 + "description": null, 3859 + "status": "completed", 3860 + "created_at": "2025-12-27T18:38:55.689869700-05:00", 3861 + "updated_at": "2025-12-27T18:39:01.013284600-05:00", 3862 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"d07180c\",\"confidence\":95}" 3863 + }, 3864 + { 3865 + "id": 352, 3866 + "change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 3867 + "node_type": "goal", 3868 + "title": "Fix extension dark mode and dev/prod detection issues", 3869 + "description": null, 3870 + "status": "completed", 3871 + "created_at": "2025-12-27T22:05:50.675487800-05:00", 3872 + "updated_at": "2025-12-27T22:09:32.111749500-05:00", 3873 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90,\"prompt\":\"there now seems to be an issue with dark mode not activating, and either an issue with detecting dev vs prod or the copy is just wrong. analyze and fix.\"}" 3874 + }, 3875 + { 3876 + "id": 353, 3877 + "change_id": "eaed6e9b-9f16-4b45-8783-44ea2ea1f2a9", 3878 + "node_type": "observation", 3879 + "title": "Found two issues: 1) darkMode: 'class' requires manual .dark class addition, 2) Dev/prod detection may be incorrect", 3880 + "description": null, 3881 + "status": "completed", 3882 + "created_at": "2025-12-27T22:06:19.509001-05:00", 3883 + "updated_at": "2025-12-27T22:06:23.515277300-05:00", 3884 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3885 + }, 3886 + { 3887 + "id": 354, 3888 + "change_id": "d66fc83e-9737-4047-8ce2-e2ba857aeea9", 3889 + "node_type": "decision", 3890 + "title": "Choose dark mode strategy: media queries vs class-based with JS", 3891 + "description": null, 3892 + "status": "completed", 3893 + "created_at": "2025-12-27T22:07:01.587088200-05:00", 3894 + "updated_at": "2025-12-27T22:07:07.798171700-05:00", 3895 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 3896 + }, 3897 + { 3898 + "id": 355, 3899 + "change_id": "76e2a379-7803-4c82-8013-be6b62f2d360", 3900 + "node_type": "outcome", 3901 + "title": "Chose media queries - simpler and matches original behavior", 3902 + "description": null, 3903 + "status": "completed", 3904 + "created_at": "2025-12-27T22:07:04.660558100-05:00", 3905 + "updated_at": "2025-12-27T22:07:07.897193100-05:00", 3906 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3907 + }, 3908 + { 3909 + "id": 356, 3910 + "change_id": "df681aa8-e470-4ead-a0d2-a4095febfa3d", 3911 + "node_type": "action", 3912 + "title": "Fixing dark mode config to use media queries", 3913 + "description": null, 3914 + "status": "completed", 3915 + "created_at": "2025-12-27T22:07:24.774976300-05:00", 3916 + "updated_at": "2025-12-27T22:07:30.392290200-05:00", 3917 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3918 + }, 3919 + { 3920 + "id": 357, 3921 + "change_id": "57060303-5a30-4f11-a752-a02376df5ea7", 3922 + "node_type": "action", 3923 + "title": "Making server offline message conditional on build mode", 3924 + "description": null, 3925 + "status": "completed", 3926 + "created_at": "2025-12-27T22:07:49.952419800-05:00", 3927 + "updated_at": "2025-12-27T22:09:00.514201500-05:00", 3928 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3929 + }, 3930 + { 3931 + "id": 358, 3932 + "change_id": "fc211ac7-7a1a-4b69-835a-992c354e8237", 3933 + "node_type": "outcome", 3934 + "title": "Successfully fixed dark mode and dev/prod messaging", 3935 + "description": null, 3936 + "status": "completed", 3937 + "created_at": "2025-12-27T22:09:28.843864300-05:00", 3938 + "updated_at": "2025-12-27T22:09:32.017503200-05:00", 3939 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3940 + }, 3941 + { 3942 + "id": 359, 3943 + "change_id": "4a7d5885-1713-4ba7-ad13-bb12b58c9410", 3944 + "node_type": "outcome", 3945 + "title": "Committed fixes to git", 3946 + "description": null, 3947 + "status": "completed", 3948 + "created_at": "2025-12-27T22:10:25.576235500-05:00", 3949 + "updated_at": "2025-12-27T22:10:28.961887300-05:00", 3950 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"bd3aabb\",\"confidence\":95}" 3951 + }, 3952 + { 3953 + "id": 360, 3954 + "change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 3955 + "node_type": "goal", 3956 + "title": "Fix extension not detecting login session despite dev server running", 3957 + "description": null, 3958 + "status": "completed", 3959 + "created_at": "2025-12-27T22:23:13.072419900-05:00", 3960 + "updated_at": "2025-12-27T22:41:49.160848100-05:00", 3961 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90,\"prompt\":\"dark mode is fixed, but the extension in /chrome/ uploaded still is saying login with atlast and dev server is running\"}" 3962 + }, 3963 + { 3964 + "id": 361, 3965 + "change_id": "aecf2327-d20d-4c6c-b6b0-06ccf26a2b27", 3966 + "node_type": "observation", 3967 + "title": "Extension dist/chrome contains production build, not dev build. User ran build:prod last.", 3968 + "description": null, 3969 + "status": "completed", 3970 + "created_at": "2025-12-27T22:23:45.918832500-05:00", 3971 + "updated_at": "2025-12-27T22:23:48.919570500-05:00", 3972 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3973 + }, 3974 + { 3975 + "id": 362, 3976 + "change_id": "e897db97-44d8-4993-b4c3-0d829265b2f8", 3977 + "node_type": "observation", 3978 + "title": "Dev build now deployed. Extension will check session at http://127.0.0.1:8888/.netlify/functions/session with credentials:include", 3979 + "description": null, 3980 + "status": "completed", 3981 + "created_at": "2025-12-27T22:24:17.767230200-05:00", 3982 + "updated_at": "2025-12-27T22:24:20.981953100-05:00", 3983 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 3984 + }, 3985 + { 3986 + "id": 363, 3987 + "change_id": "2c62bfa3-d148-4448-8c2b-d0cf1e94ceb0", 3988 + "node_type": "observation", 3989 + "title": "Found CORS issue: successResponse uses 'Access-Control-Allow-Origin: *' which blocks credentialed requests from extension", 3990 + "description": null, 3991 + "status": "completed", 3992 + "created_at": "2025-12-27T22:24:51.861265800-05:00", 3993 + "updated_at": "2025-12-27T22:24:55.482724500-05:00", 3994 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 3995 + }, 3996 + { 3997 + "id": 364, 3998 + "change_id": "560d6bea-47ec-408d-919b-15ca7198aac9", 3999 + "node_type": "action", 4000 + "title": "Updating CORS headers to support credentialed requests from extension", 4001 + "description": null, 4002 + "status": "completed", 4003 + "created_at": "2025-12-27T22:25:23.035212700-05:00", 4004 + "updated_at": "2025-12-27T22:26:03.046221900-05:00", 4005 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4006 + }, 4007 + { 4008 + "id": 365, 4009 + "change_id": "3ef0c9e9-aa40-4914-a5f4-32bcfaf68d04", 4010 + "node_type": "outcome", 4011 + "title": "Fixed CORS to support credentialed requests from extensions", 4012 + "description": null, 4013 + "status": "completed", 4014 + "created_at": "2025-12-27T22:41:38.430661200-05:00", 4015 + "updated_at": "2025-12-27T22:41:48.981429600-05:00", 4016 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4017 + }, 4018 + { 4019 + "id": 366, 4020 + "change_id": "77b7ed7e-a113-41f6-a677-50d376f3f008", 4021 + "node_type": "outcome", 4022 + "title": "Committed CORS fixes to git", 4023 + "description": null, 4024 + "status": "completed", 4025 + "created_at": "2025-12-27T22:42:49.037783-05:00", 4026 + "updated_at": "2025-12-27T22:42:54.162857-05:00", 4027 + "metadata_json": "{\"branch\":\"master\",\"commit\":\"603cf0a\",\"confidence\":95}" 4028 + }, 4029 + { 4030 + "id": 367, 4031 + "change_id": "df6abf7a-e7a4-45f3-8485-b933319416d9", 4032 + "node_type": "goal", 4033 + "title": "Create Firefox-compatible version of Twitter scraper extension", 4034 + "description": null, 4035 + "status": "completed", 4036 + "created_at": "2025-12-28T18:09:33.241860800-05:00", 4037 + "updated_at": "2025-12-28T19:21:32.412499-05:00", 4038 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85,\"prompt\":\"let's make the extension have a firefox compatible version too.\"}" 4039 + }, 4040 + { 4041 + "id": 368, 4042 + "change_id": "79721edf-aa05-4580-8c28-7d20941ef155", 4043 + "node_type": "observation", 4044 + "title": "Current extension uses Manifest V3 with Chrome-specific APIs", 4045 + "description": null, 4046 + "status": "pending", 4047 + "created_at": "2025-12-28T18:10:08.441348100-05:00", 4048 + "updated_at": "2025-12-28T18:10:08.441348100-05:00", 4049 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4050 + }, 4051 + { 4052 + "id": 369, 4053 + "change_id": "783841d0-c096-48f6-be18-193a9dcc7d4b", 4054 + "node_type": "observation", 4055 + "title": "Firefox compatibility analysis: Extension uses chrome.* APIs (runtime.sendMessage, storage.local, tabs.query/sendMessage), MV3 service worker. Firefox supports MV3 but has differences. Options: 1) Use webextension-polyfill for cross-browser, 2) Dual manifests (MV3 Chrome + MV2 Firefox), 3) Keep MV3 for both with minimal changes. Current build outputs to dist/chrome only.", 4056 + "description": null, 4057 + "status": "pending", 4058 + "created_at": "2025-12-28T18:10:48.087066800-05:00", 4059 + "updated_at": "2025-12-28T18:10:48.087066800-05:00", 4060 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4061 + }, 4062 + { 4063 + "id": 370, 4064 + "change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 4065 + "node_type": "decision", 4066 + "title": "Choose Firefox compatibility approach: webextension-polyfill, dual manifests, or minimal MV3 changes", 4067 + "description": null, 4068 + "status": "pending", 4069 + "created_at": "2025-12-28T18:10:50.375270400-05:00", 4070 + "updated_at": "2025-12-28T18:10:50.375270400-05:00", 4071 + "metadata_json": "{\"branch\":\"master\",\"confidence\":80}" 4072 + }, 4073 + { 4074 + "id": 371, 4075 + "change_id": "159906da-984f-4a1d-a1a6-98e0fc0cf369", 4076 + "node_type": "option", 4077 + "title": "Use webextension-polyfill library for unified cross-browser API", 4078 + "description": null, 4079 + "status": "pending", 4080 + "created_at": "2025-12-28T18:11:05.947924200-05:00", 4081 + "updated_at": "2025-12-28T18:11:05.947924200-05:00", 4082 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 4083 + }, 4084 + { 4085 + "id": 372, 4086 + "change_id": "df5e42e6-53c1-4b30-8b6f-f2385cd9e247", 4087 + "node_type": "option", 4088 + "title": "Dual manifests: MV3 for Chrome, MV2 for Firefox with separate builds", 4089 + "description": null, 4090 + "status": "pending", 4091 + "created_at": "2025-12-28T18:11:08.179938100-05:00", 4092 + "updated_at": "2025-12-28T18:11:08.179938100-05:00", 4093 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 4094 + }, 4095 + { 4096 + "id": 373, 4097 + "change_id": "7bb58202-7a9b-4e8b-8b9e-927e5106bce7", 4098 + "node_type": "option", 4099 + "title": "Keep MV3 for both browsers with minimal manifest tweaks", 4100 + "description": null, 4101 + "status": "pending", 4102 + "created_at": "2025-12-28T18:11:10.370113600-05:00", 4103 + "updated_at": "2025-12-28T18:11:10.370113600-05:00", 4104 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 4105 + }, 4106 + { 4107 + "id": 374, 4108 + "change_id": "d41b29e0-cd48-4dac-a6c8-c6179612702e", 4109 + "node_type": "outcome", 4110 + "title": "Chose webextension-polyfill approach. Provides unified browser.* API, Promise-based, future-proof MV3 for both browsers, +20KB but cleaner codebase", 4111 + "description": null, 4112 + "status": "pending", 4113 + "created_at": "2025-12-28T19:04:24.676770900-05:00", 4114 + "updated_at": "2025-12-28T19:04:24.676770900-05:00", 4115 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4116 + }, 4117 + { 4118 + "id": 375, 4119 + "change_id": "5bb34b8b-aec4-4f84-993e-eb9bf7a2d13f", 4120 + "node_type": "action", 4121 + "title": "Installing webextension-polyfill and updating source files to use browser.* API", 4122 + "description": null, 4123 + "status": "completed", 4124 + "created_at": "2025-12-28T19:08:14.642882400-05:00", 4125 + "updated_at": "2025-12-28T19:21:32.531034800-05:00", 4126 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4127 + }, 4128 + { 4129 + "id": 376, 4130 + "change_id": "644181ee-5a44-4967-9657-e9dd5f648c5e", 4131 + "node_type": "outcome", 4132 + "title": "Successfully implemented Firefox compatibility with webextension-polyfill. Both Chrome and Firefox builds compile successfully. Chrome uses service_worker (MV3), Firefox uses scripts array with browser_specific_settings. All chrome.* API calls replaced with browser.* imports.", 4133 + "description": null, 4134 + "status": "completed", 4135 + "created_at": "2025-12-28T19:14:22.309457600-05:00", 4136 + "updated_at": "2025-12-28T19:21:32.658297400-05:00", 4137 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4138 + }, 4139 + { 4140 + "id": 377, 4141 + "change_id": "1dffa024-413f-4a95-b069-66db350abfaa", 4142 + "node_type": "goal", 4143 + "title": "Fix Firefox extension server detection and login check", 4144 + "description": null, 4145 + "status": "completed", 4146 + "created_at": "2025-12-28T20:14:51.646204800-05:00", 4147 + "updated_at": "2025-12-28T20:32:19.249555-05:00", 4148 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85,\"prompt\":\"The extension works in chrome. In firefox, it's failing to detect that the dev server is running and open + logged in on firefox. There's no right-click to inspect on the popup either.\"}" 4149 + }, 4150 + { 4151 + "id": 378, 4152 + "change_id": "9d5626d2-a9ae-42aa-8fda-be3c7528156f", 4153 + "node_type": "observation", 4154 + "title": "Firefox extension debugging differs from Chrome - need to use about:debugging Inspect button or Browser Console, not right-click popup", 4155 + "description": null, 4156 + "status": "pending", 4157 + "created_at": "2025-12-28T20:15:11.710473-05:00", 4158 + "updated_at": "2025-12-28T20:15:11.710473-05:00", 4159 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4160 + }, 4161 + { 4162 + "id": 379, 4163 + "change_id": "7a5af3fe-8567-4f1c-85cd-e47891704974", 4164 + "node_type": "observation", 4165 + "title": "Potential Firefox issues: 1) CORS with credentials:include may be stricter, 2) Cookie partitioning/third-party cookie blocking, 3) Extension needs explicit host_permissions for cookies to work. Firefox manifest has host_permissions but may need additional cookie permissions.", 4166 + "description": null, 4167 + "status": "pending", 4168 + "created_at": "2025-12-28T20:15:31.278249900-05:00", 4169 + "updated_at": "2025-12-28T20:15:31.278249900-05:00", 4170 + "metadata_json": "{\"branch\":\"master\",\"confidence\":85}" 4171 + }, 4172 + { 4173 + "id": 380, 4174 + "change_id": "9c197aae-18d5-46ae-87e7-82c240c8f313", 4175 + "node_type": "action", 4176 + "title": "Adding cookies permission to Firefox manifest for credentials:include support", 4177 + "description": null, 4178 + "status": "pending", 4179 + "created_at": "2025-12-28T20:16:12.019659700-05:00", 4180 + "updated_at": "2025-12-28T20:16:12.019659700-05:00", 4181 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4182 + }, 4183 + { 4184 + "id": 381, 4185 + "change_id": "485a03b0-8a25-4fdf-a8e2-9d3a25c8edf8", 4186 + "node_type": "outcome", 4187 + "title": "Fixed Firefox cookie issue by adding cookies permission to manifest. Firefox requires explicit permission even with host_permissions. Rebuild successful.", 4188 + "description": null, 4189 + "status": "pending", 4190 + "created_at": "2025-12-28T20:16:41.702322300-05:00", 4191 + "updated_at": "2025-12-28T20:16:41.702322300-05:00", 4192 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4193 + }, 4194 + { 4195 + "id": 382, 4196 + "change_id": "35b13d37-0228-435f-a4bc-c5c42811fec3", 4197 + "node_type": "observation", 4198 + "title": "Firefox blocks extension fetch with CORS error despite host_permissions. Server responds 200 but missing Access-Control-Allow-Origin header. Firefox stricter than Chrome on extension CORS.", 4199 + "description": null, 4200 + "status": "pending", 4201 + "created_at": "2025-12-28T20:17:23.414134300-05:00", 4202 + "updated_at": "2025-12-28T20:17:23.414134300-05:00", 4203 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4204 + }, 4205 + { 4206 + "id": 383, 4207 + "change_id": "adc120cd-e56d-400a-9b3e-8207880378c3", 4208 + "node_type": "action", 4209 + "title": "Adding CORS headers to netlify.toml for extension compatibility - wildcard origin with credentials for dev", 4210 + "description": null, 4211 + "status": "pending", 4212 + "created_at": "2025-12-28T20:18:22.172869600-05:00", 4213 + "updated_at": "2025-12-28T20:18:22.172869600-05:00", 4214 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4215 + }, 4216 + { 4217 + "id": 384, 4218 + "change_id": "0f77bfd9-590f-4f1e-be08-78a9deef6d8a", 4219 + "node_type": "outcome", 4220 + "title": "Added CORS headers to netlify.toml for all paths including root and functions. Headers include Access-Control-Allow-Origin:*, Allow-Credentials:true for dev environment. User needs to restart dev server.", 4221 + "description": null, 4222 + "status": "pending", 4223 + "created_at": "2025-12-28T20:19:54.829093600-05:00", 4224 + "updated_at": "2025-12-28T20:19:54.829093600-05:00", 4225 + "metadata_json": "{\"branch\":\"master\",\"confidence\":90}" 4226 + }, 4227 + { 4228 + "id": 385, 4229 + "change_id": "cc0910f0-2381-4aee-bb5d-397cb0f804d1", 4230 + "node_type": "observation", 4231 + "title": "CORS wildcard (*) incompatible with credentials:include. Browser security prevents wildcard CORS with credentialed requests. Extension origins are dynamic (moz-extension://, chrome-extension://). Need to handle CORS in serverless functions by reflecting request origin.", 4232 + "description": null, 4233 + "status": "pending", 4234 + "created_at": "2025-12-28T20:27:31.848523900-05:00", 4235 + "updated_at": "2025-12-28T20:27:31.848523900-05:00", 4236 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4237 + }, 4238 + { 4239 + "id": 386, 4240 + "change_id": "ad4a5ca7-15d1-4776-8ede-6b615613f6e1", 4241 + "node_type": "action", 4242 + "title": "Adding moz-extension:// origin detection to CORS handler for Firefox extension support", 4243 + "description": null, 4244 + "status": "completed", 4245 + "created_at": "2025-12-28T20:28:31.661326900-05:00", 4246 + "updated_at": "2025-12-28T20:32:19.367968600-05:00", 4247 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4248 + }, 4249 + { 4250 + "id": 387, 4251 + "change_id": "cffdee0f-8535-4d88-83ed-fdf6101f7ac3", 4252 + "node_type": "outcome", 4253 + "title": "Fixed Firefox extension CORS by adding moz-extension:// origin detection to response.utils.ts. Reverted netlify.toml changes as functions handle CORS correctly. User needs to restart dev server.", 4254 + "description": null, 4255 + "status": "completed", 4256 + "created_at": "2025-12-28T20:29:39.856303800-05:00", 4257 + "updated_at": "2025-12-28T20:32:19.494690-05:00", 4258 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4259 + }, 4260 + { 4261 + "id": 388, 4262 + "change_id": "0ada864e-be98-4a2f-a14e-ffd3eea9aaa9", 4263 + "node_type": "observation", 4264 + "title": "Health check uses HEAD request to root URL (Vite server), not a Netlify function. Doesn't get CORS headers from getCorsHeaders. Need dedicated health endpoint or change check to use existing function.", 4265 + "description": null, 4266 + "status": "completed", 4267 + "created_at": "2025-12-28T20:37:22.132717600-05:00", 4268 + "updated_at": "2025-12-28T20:38:41.630020900-05:00", 4269 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4270 + }, 4271 + { 4272 + "id": 389, 4273 + "change_id": "f522d5b2-c325-4f34-9f27-b8ea5c50618d", 4274 + "node_type": "outcome", 4275 + "title": "Created /health function endpoint with CORS support. Updated checkServerHealth to use /.netlify/functions/health instead of root URL. Extension rebuilt successfully.", 4276 + "description": null, 4277 + "status": "completed", 4278 + "created_at": "2025-12-28T20:38:19.981309500-05:00", 4279 + "updated_at": "2025-12-28T20:38:41.780183300-05:00", 4280 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4281 + }, 4282 + { 4283 + "id": 390, 4284 + "change_id": "cfdcf45b-47b3-4239-8053-417bd31957ed", 4285 + "node_type": "observation", 4286 + "title": "Server receives session request but returns CORS wildcard (*) instead of extension origin. No session cookie received. Origin header might not be sent by Firefox extension or not detected correctly.", 4287 + "description": null, 4288 + "status": "pending", 4289 + "created_at": "2025-12-28T20:48:12.770638500-05:00", 4290 + "updated_at": "2025-12-28T20:48:12.770638500-05:00", 4291 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4292 + }, 4293 + { 4294 + "id": 391, 4295 + "change_id": "2b53a419-9a47-4285-9a12-9bdfaeeb9ff0", 4296 + "node_type": "observation", 4297 + "title": "Health endpoint gets CORS headers correctly (moz-extension detected). Session endpoint error middleware doesn't pass event to errorResponse, returns wildcard CORS. Need to fix error middleware to pass event.", 4298 + "description": null, 4299 + "status": "completed", 4300 + "created_at": "2025-12-28T20:55:32.024834200-05:00", 4301 + "updated_at": "2025-12-28T21:38:14.729731500-05:00", 4302 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4303 + }, 4304 + { 4305 + "id": 392, 4306 + "change_id": "c941d136-3405-483d-bf34-7fb011f6d072", 4307 + "node_type": "action", 4308 + "title": "Fixed error middleware to pass event to errorResponse for proper CORS headers on errors", 4309 + "description": null, 4310 + "status": "completed", 4311 + "created_at": "2025-12-28T20:56:38.876266200-05:00", 4312 + "updated_at": "2025-12-28T21:38:14.888627800-05:00", 4313 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4314 + }, 4315 + { 4316 + "id": 393, 4317 + "change_id": "aafd9977-8800-4152-9f7f-b817db6df573", 4318 + "node_type": "outcome", 4319 + "title": "Fixed Firefox extension CORS completely. Error middleware now passes event to errorResponse so Firefox extension origin is properly reflected in error responses with credentials. Debug logging removed.", 4320 + "description": null, 4321 + "status": "completed", 4322 + "created_at": "2025-12-28T21:37:22.780953600-05:00", 4323 + "updated_at": "2025-12-28T21:38:15.071425500-05:00", 4324 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4325 + }, 4326 + { 4327 + "id": 394, 4328 + "change_id": "3b0dea7a-c3cd-45a8-ba1a-f1040aa4e1d9", 4329 + "node_type": "observation", 4330 + "title": "CORS fully working - Firefox extension origin properly reflected with credentials. But cookies not sent from extension despite credentials:include. Cookie set in web context not accessible from extension context due to Firefox cookie partitioning.", 4331 + "description": null, 4332 + "status": "pending", 4333 + "created_at": "2025-12-28T21:46:45.822343200-05:00", 4334 + "updated_at": "2025-12-28T21:46:45.822343200-05:00", 4335 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4336 + }, 4337 + { 4338 + "id": 395, 4339 + "change_id": "8a93413f-a09c-4cc1-8693-4fe90dc055c4", 4340 + "node_type": "action", 4341 + "title": "Updated extension checkSession to read cookie via browser.cookies API and pass as query parameter. Workaround for Firefox SameSite=Lax cookie partitioning.", 4342 + "description": null, 4343 + "status": "pending", 4344 + "created_at": "2025-12-28T21:52:22.059862700-05:00", 4345 + "updated_at": "2025-12-28T21:52:22.059862700-05:00", 4346 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4347 + }, 4348 + { 4349 + "id": 396, 4350 + "change_id": "864dd973-5f15-4e31-a7da-c548dbbe1f0e", 4351 + "node_type": "outcome", 4352 + "title": "Extension now uses browser.cookies.get() API to read session cookie and pass as query parameter. Workaround for Firefox SameSite=Lax cookie partitioning in extensions. Extension rebuilt successfully.", 4353 + "description": null, 4354 + "status": "pending", 4355 + "created_at": "2025-12-28T22:51:31.578965200-05:00", 4356 + "updated_at": "2025-12-28T22:51:31.578965200-05:00", 4357 + "metadata_json": "{\"branch\":\"master\",\"confidence\":95}" 4358 } 4359 ], 4360 "edges": [ ··· 7283 "weight": 1.0, 7284 "rationale": "Fix complete", 7285 "created_at": "2025-12-25T21:59:40.544320600-05:00" 7286 + }, 7287 + { 7288 + "id": 267, 7289 + "from_node_id": 278, 7290 + "to_node_id": 279, 7291 + "from_change_id": "fa11e7d7-ac30-4d0e-bc8a-d2332f724d92", 7292 + "to_change_id": "0710252d-bcf6-4708-b67f-d9615a0dad6e", 7293 + "edge_type": "leads_to", 7294 + "weight": 1.0, 7295 + "rationale": "Root cause identified", 7296 + "created_at": "2025-12-25T22:07:08.406207600-05:00" 7297 + }, 7298 + { 7299 + "id": 268, 7300 + "from_node_id": 279, 7301 + "to_node_id": 280, 7302 + "from_change_id": "0710252d-bcf6-4708-b67f-d9615a0dad6e", 7303 + "to_change_id": "f38929d4-0ad0-43ec-a25c-a9dd6f9ee7fd", 7304 + "edge_type": "leads_to", 7305 + "weight": 1.0, 7306 + "rationale": "Action to fix", 7307 + "created_at": "2025-12-25T22:07:08.525762700-05:00" 7308 + }, 7309 + { 7310 + "id": 269, 7311 + "from_node_id": 280, 7312 + "to_node_id": 281, 7313 + "from_change_id": "f38929d4-0ad0-43ec-a25c-a9dd6f9ee7fd", 7314 + "to_change_id": "0e917ade-9f83-4246-9a66-1aa2dfef7c41", 7315 + "edge_type": "leads_to", 7316 + "weight": 1.0, 7317 + "rationale": "Implementation complete", 7318 + "created_at": "2025-12-25T22:20:23.139445800-05:00" 7319 + }, 7320 + { 7321 + "id": 270, 7322 + "from_node_id": 278, 7323 + "to_node_id": 281, 7324 + "from_change_id": "fa11e7d7-ac30-4d0e-bc8a-d2332f724d92", 7325 + "to_change_id": "0e917ade-9f83-4246-9a66-1aa2dfef7c41", 7326 + "edge_type": "leads_to", 7327 + "weight": 1.0, 7328 + "rationale": "Goal achieved", 7329 + "created_at": "2025-12-25T22:20:23.242682400-05:00" 7330 + }, 7331 + { 7332 + "id": 271, 7333 + "from_node_id": 282, 7334 + "to_node_id": 284, 7335 + "from_change_id": "206347b5-4178-43dd-bb05-657b3788a6b0", 7336 + "to_change_id": "3d9caa98-6f9c-4613-9c05-92566f9ee0d5", 7337 + "edge_type": "leads_to", 7338 + "weight": 1.0, 7339 + "rationale": "Refactor complete", 7340 + "created_at": "2025-12-26T00:18:57.785597400-05:00" 7341 + }, 7342 + { 7343 + "id": 272, 7344 + "from_node_id": 283, 7345 + "to_node_id": 284, 7346 + "from_change_id": "e3adddaf-9126-4bfa-8d75-aa8b94323077", 7347 + "to_change_id": "3d9caa98-6f9c-4613-9c05-92566f9ee0d5", 7348 + "edge_type": "leads_to", 7349 + "weight": 1.0, 7350 + "rationale": "Key observation about flow", 7351 + "created_at": "2025-12-26T00:18:57.901372200-05:00" 7352 + }, 7353 + { 7354 + "id": 273, 7355 + "from_node_id": 284, 7356 + "to_node_id": 285, 7357 + "from_change_id": "3d9caa98-6f9c-4613-9c05-92566f9ee0d5", 7358 + "to_change_id": "f0da412f-562b-4e45-b83d-eba28fc22eea", 7359 + "edge_type": "leads_to", 7360 + "weight": 1.0, 7361 + "rationale": "Build completed after refactoring extension flow", 7362 + "created_at": "2025-12-26T00:24:07.711141900-05:00" 7363 + }, 7364 + { 7365 + "id": 274, 7366 + "from_node_id": 285, 7367 + "to_node_id": 286, 7368 + "from_change_id": "f0da412f-562b-4e45-b83d-eba28fc22eea", 7369 + "to_change_id": "60c9ec75-7e3f-4aa4-b8cf-0691ef92d260", 7370 + "edge_type": "leads_to", 7371 + "weight": 1.0, 7372 + "rationale": "Committed after successful build", 7373 + "created_at": "2025-12-26T00:26:22.985765600-05:00" 7374 + }, 7375 + { 7376 + "id": 275, 7377 + "from_node_id": 286, 7378 + "to_node_id": 287, 7379 + "from_change_id": "60c9ec75-7e3f-4aa4-b8cf-0691ef92d260", 7380 + "to_change_id": "e01c6989-6c0b-42f8-b7c7-60aca059f7c3", 7381 + "edge_type": "leads_to", 7382 + "weight": 1.0, 7383 + "rationale": "Found and fixed bug during testing", 7384 + "created_at": "2025-12-26T00:33:34.834072700-05:00" 7385 + }, 7386 + { 7387 + "id": 276, 7388 + "from_node_id": 287, 7389 + "to_node_id": 288, 7390 + "from_change_id": "e01c6989-6c0b-42f8-b7c7-60aca059f7c3", 7391 + "to_change_id": "5fa82fdc-7796-4263-be72-e1877279881b", 7392 + "edge_type": "leads_to", 7393 + "weight": 1.0, 7394 + "rationale": "Initialized database after fixing parameter bug", 7395 + "created_at": "2025-12-26T00:47:11.206746500-05:00" 7396 + }, 7397 + { 7398 + "id": 277, 7399 + "from_node_id": 288, 7400 + "to_node_id": 289, 7401 + "from_change_id": "5fa82fdc-7796-4263-be72-e1877279881b", 7402 + "to_change_id": "dd2aa029-7ca9-4379-a966-762c9137bcc8", 7403 + "edge_type": "leads_to", 7404 + "weight": 1.0, 7405 + "rationale": "Documented current state after fixes", 7406 + "created_at": "2025-12-26T00:50:58.391390400-05:00" 7407 + }, 7408 + { 7409 + "id": 278, 7410 + "from_node_id": 290, 7411 + "to_node_id": 291, 7412 + "from_change_id": "d73fc969-78c0-4721-8db5-88014cb4a0a6", 7413 + "to_change_id": "1d88fcb9-3f0e-400b-aabd-7b1564064fd9", 7414 + "edge_type": "leads_to", 7415 + "weight": 1.0, 7416 + "rationale": "Initial observation", 7417 + "created_at": "2025-12-26T13:32:22.732622800-05:00" 7418 + }, 7419 + { 7420 + "id": 279, 7421 + "from_node_id": 291, 7422 + "to_node_id": 292, 7423 + "from_change_id": "1d88fcb9-3f0e-400b-aabd-7b1564064fd9", 7424 + "to_change_id": "22c007f9-6e84-4a72-bc6f-462b94655b40", 7425 + "edge_type": "leads_to", 7426 + "weight": 1.0, 7427 + "rationale": "Found root cause", 7428 + "created_at": "2025-12-26T13:32:52.519089400-05:00" 7429 + }, 7430 + { 7431 + "id": 280, 7432 + "from_node_id": 292, 7433 + "to_node_id": 293, 7434 + "from_change_id": "22c007f9-6e84-4a72-bc6f-462b94655b40", 7435 + "to_change_id": "59087762-06cf-4be1-8a15-fb2244070951", 7436 + "edge_type": "leads_to", 7437 + "weight": 1.0, 7438 + "rationale": "Action to fix", 7439 + "created_at": "2025-12-26T13:32:56.783062600-05:00" 7440 + }, 7441 + { 7442 + "id": 281, 7443 + "from_node_id": 293, 7444 + "to_node_id": 294, 7445 + "from_change_id": "59087762-06cf-4be1-8a15-fb2244070951", 7446 + "to_change_id": "6a2f6150-4b32-45ee-b2c7-cd5094fdd8c6", 7447 + "edge_type": "leads_to", 7448 + "weight": 1.0, 7449 + "rationale": "Implementation complete", 7450 + "created_at": "2025-12-26T13:34:11.125730600-05:00" 7451 + }, 7452 + { 7453 + "id": 282, 7454 + "from_node_id": 294, 7455 + "to_node_id": 295, 7456 + "from_change_id": "6a2f6150-4b32-45ee-b2c7-cd5094fdd8c6", 7457 + "to_change_id": "ceaed4fe-5fd0-4542-8f3a-bd4640dfaadf", 7458 + "edge_type": "leads_to", 7459 + "weight": 1.0, 7460 + "rationale": "Committed to repository", 7461 + "created_at": "2025-12-26T13:36:04.808506400-05:00" 7462 + }, 7463 + { 7464 + "id": 283, 7465 + "from_node_id": 290, 7466 + "to_node_id": 295, 7467 + "from_change_id": "d73fc969-78c0-4721-8db5-88014cb4a0a6", 7468 + "to_change_id": "ceaed4fe-5fd0-4542-8f3a-bd4640dfaadf", 7469 + "edge_type": "leads_to", 7470 + "weight": 1.0, 7471 + "rationale": "Goal achieved", 7472 + "created_at": "2025-12-26T13:36:06.860603400-05:00" 7473 + }, 7474 + { 7475 + "id": 284, 7476 + "from_node_id": 295, 7477 + "to_node_id": 296, 7478 + "from_change_id": "ceaed4fe-5fd0-4542-8f3a-bd4640dfaadf", 7479 + "to_change_id": "e2427bfe-84a1-4dee-adf4-28a9c1b739e2", 7480 + "edge_type": "leads_to", 7481 + "weight": 1.0, 7482 + "rationale": "Documentation updated", 7483 + "created_at": "2025-12-26T13:37:37.858859900-05:00" 7484 + }, 7485 + { 7486 + "id": 285, 7487 + "from_node_id": 296, 7488 + "to_node_id": 297, 7489 + "from_change_id": "e2427bfe-84a1-4dee-adf4-28a9c1b739e2", 7490 + "to_change_id": "74ea361f-577c-4058-b833-6666e777ee00", 7491 + "edge_type": "leads_to", 7492 + "weight": 1.0, 7493 + "rationale": "New issues found during testing", 7494 + "created_at": "2025-12-26T13:43:05.419406600-05:00" 7495 + }, 7496 + { 7497 + "id": 286, 7498 + "from_node_id": 297, 7499 + "to_node_id": 298, 7500 + "from_change_id": "74ea361f-577c-4058-b833-6666e777ee00", 7501 + "to_change_id": "c373be70-157a-420d-bc11-4364fe22d091", 7502 + "edge_type": "leads_to", 7503 + "weight": 1.0, 7504 + "rationale": "Root cause analysis", 7505 + "created_at": "2025-12-26T13:43:31.032670900-05:00" 7506 + }, 7507 + { 7508 + "id": 287, 7509 + "from_node_id": 298, 7510 + "to_node_id": 299, 7511 + "from_change_id": "c373be70-157a-420d-bc11-4364fe22d091", 7512 + "to_change_id": "8edd7e11-54b4-4c5b-8379-37b1ec1e7d7d", 7513 + "edge_type": "leads_to", 7514 + "weight": 1.0, 7515 + "rationale": "Action to fix both issues", 7516 + "created_at": "2025-12-26T13:44:30.495551600-05:00" 7517 + }, 7518 + { 7519 + "id": 288, 7520 + "from_node_id": 299, 7521 + "to_node_id": 300, 7522 + "from_change_id": "8edd7e11-54b4-4c5b-8379-37b1ec1e7d7d", 7523 + "to_change_id": "876412ec-a214-4bf7-b48a-b7706c698085", 7524 + "edge_type": "leads_to", 7525 + "weight": 1.0, 7526 + "rationale": "Implementation complete", 7527 + "created_at": "2025-12-26T13:46:00.313229300-05:00" 7528 + }, 7529 + { 7530 + "id": 289, 7531 + "from_node_id": 300, 7532 + "to_node_id": 301, 7533 + "from_change_id": "876412ec-a214-4bf7-b48a-b7706c698085", 7534 + "to_change_id": "b3f870cc-406f-4cf7-8ab4-04d9f76fb2ab", 7535 + "edge_type": "leads_to", 7536 + "weight": 1.0, 7537 + "rationale": "Committed to repository", 7538 + "created_at": "2025-12-26T13:47:50.881789900-05:00" 7539 + }, 7540 + { 7541 + "id": 290, 7542 + "from_node_id": 297, 7543 + "to_node_id": 301, 7544 + "from_change_id": "74ea361f-577c-4058-b833-6666e777ee00", 7545 + "to_change_id": "b3f870cc-406f-4cf7-8ab4-04d9f76fb2ab", 7546 + "edge_type": "leads_to", 7547 + "weight": 1.0, 7548 + "rationale": "Goal achieved", 7549 + "created_at": "2025-12-26T13:47:52.948372300-05:00" 7550 + }, 7551 + { 7552 + "id": 291, 7553 + "from_node_id": 301, 7554 + "to_node_id": 302, 7555 + "from_change_id": "b3f870cc-406f-4cf7-8ab4-04d9f76fb2ab", 7556 + "to_change_id": "e2cf6ed0-c80f-420a-bdd2-98369f58de2a", 7557 + "edge_type": "leads_to", 7558 + "weight": 1.0, 7559 + "rationale": "New error found in testing", 7560 + "created_at": "2025-12-26T13:51:02.588994500-05:00" 7561 + }, 7562 + { 7563 + "id": 292, 7564 + "from_node_id": 302, 7565 + "to_node_id": 303, 7566 + "from_change_id": "e2cf6ed0-c80f-420a-bdd2-98369f58de2a", 7567 + "to_change_id": "7a7a19a6-4abf-4c30-9072-14beaa12b106", 7568 + "edge_type": "leads_to", 7569 + "weight": 1.0, 7570 + "rationale": "Fix identified", 7571 + "created_at": "2025-12-26T13:51:38.127298700-05:00" 7572 + }, 7573 + { 7574 + "id": 293, 7575 + "from_node_id": 303, 7576 + "to_node_id": 304, 7577 + "from_change_id": "7a7a19a6-4abf-4c30-9072-14beaa12b106", 7578 + "to_change_id": "dff4aef7-8732-4aae-a6be-f44fb42b4941", 7579 + "edge_type": "leads_to", 7580 + "weight": 1.0, 7581 + "rationale": "Implementation complete", 7582 + "created_at": "2025-12-26T13:51:54.561857100-05:00" 7583 + }, 7584 + { 7585 + "id": 294, 7586 + "from_node_id": 304, 7587 + "to_node_id": 305, 7588 + "from_change_id": "dff4aef7-8732-4aae-a6be-f44fb42b4941", 7589 + "to_change_id": "8ad6ef53-29a2-442e-b88f-9e0541634950", 7590 + "edge_type": "leads_to", 7591 + "weight": 1.0, 7592 + "rationale": "New issues found in testing", 7593 + "created_at": "2025-12-26T14:05:56.045966300-05:00" 7594 + }, 7595 + { 7596 + "id": 295, 7597 + "from_node_id": 305, 7598 + "to_node_id": 306, 7599 + "from_change_id": "8ad6ef53-29a2-442e-b88f-9e0541634950", 7600 + "to_change_id": "481942f8-5905-4948-a1cb-ee320a98271b", 7601 + "edge_type": "leads_to", 7602 + "weight": 1.0, 7603 + "rationale": "Root cause identified", 7604 + "created_at": "2025-12-26T14:06:20.512128100-05:00" 7605 + }, 7606 + { 7607 + "id": 296, 7608 + "from_node_id": 306, 7609 + "to_node_id": 307, 7610 + "from_change_id": "481942f8-5905-4948-a1cb-ee320a98271b", 7611 + "to_change_id": "ae01acc1-f5ff-481b-823f-de2d4f1843a2", 7612 + "edge_type": "leads_to", 7613 + "weight": 1.0, 7614 + "rationale": "Root cause found", 7615 + "created_at": "2025-12-26T14:09:00.202061-05:00" 7616 + }, 7617 + { 7618 + "id": 297, 7619 + "from_node_id": 307, 7620 + "to_node_id": 308, 7621 + "from_change_id": "ae01acc1-f5ff-481b-823f-de2d4f1843a2", 7622 + "to_change_id": "2368cae0-9ae1-4ca0-9ace-8c3555f9e679", 7623 + "edge_type": "leads_to", 7624 + "weight": 1.0, 7625 + "rationale": "Action to fix", 7626 + "created_at": "2025-12-26T14:09:05.743608600-05:00" 7627 + }, 7628 + { 7629 + "id": 298, 7630 + "from_node_id": 308, 7631 + "to_node_id": 309, 7632 + "from_change_id": "2368cae0-9ae1-4ca0-9ace-8c3555f9e679", 7633 + "to_change_id": "cd9b88e7-fe8d-4ee0-a187-e99eef0b7e64", 7634 + "edge_type": "leads_to", 7635 + "weight": 1.0, 7636 + "rationale": "Implementation complete", 7637 + "created_at": "2025-12-26T14:11:11.543447500-05:00" 7638 + }, 7639 + { 7640 + "id": 299, 7641 + "from_node_id": 309, 7642 + "to_node_id": 310, 7643 + "from_change_id": "cd9b88e7-fe8d-4ee0-a187-e99eef0b7e64", 7644 + "to_change_id": "51369a2c-17ec-4be3-ba4f-240b770d7211", 7645 + "edge_type": "leads_to", 7646 + "weight": 1.0, 7647 + "rationale": "Committed to repository", 7648 + "created_at": "2025-12-26T14:16:10.702697200-05:00" 7649 + }, 7650 + { 7651 + "id": 300, 7652 + "from_node_id": 305, 7653 + "to_node_id": 310, 7654 + "from_change_id": "8ad6ef53-29a2-442e-b88f-9e0541634950", 7655 + "to_change_id": "51369a2c-17ec-4be3-ba4f-240b770d7211", 7656 + "edge_type": "leads_to", 7657 + "weight": 1.0, 7658 + "rationale": "All goals achieved", 7659 + "created_at": "2025-12-26T14:16:12.935280500-05:00" 7660 + }, 7661 + { 7662 + "id": 301, 7663 + "from_node_id": 310, 7664 + "to_node_id": 311, 7665 + "from_change_id": "51369a2c-17ec-4be3-ba4f-240b770d7211", 7666 + "to_change_id": "91d7bad2-a8a3-47c3-8fad-558919b207b0", 7667 + "edge_type": "leads_to", 7668 + "weight": 1.0, 7669 + "rationale": "New error found", 7670 + "created_at": "2025-12-26T16:07:24.117669300-05:00" 7671 + }, 7672 + { 7673 + "id": 302, 7674 + "from_node_id": 311, 7675 + "to_node_id": 312, 7676 + "from_change_id": "91d7bad2-a8a3-47c3-8fad-558919b207b0", 7677 + "to_change_id": "9a95c7e6-6339-475f-9b20-5fa3057e0a9f", 7678 + "edge_type": "leads_to", 7679 + "weight": 1.0, 7680 + "rationale": "Fix applied", 7681 + "created_at": "2025-12-26T16:08:21.431326200-05:00" 7682 + }, 7683 + { 7684 + "id": 303, 7685 + "from_node_id": 312, 7686 + "to_node_id": 313, 7687 + "from_change_id": "9a95c7e6-6339-475f-9b20-5fa3057e0a9f", 7688 + "to_change_id": "5fae9da8-2a31-4f99-9686-7bfb28c443e8", 7689 + "edge_type": "leads_to", 7690 + "weight": 1.0, 7691 + "rationale": "Implementation complete", 7692 + "created_at": "2025-12-26T16:08:26.942822600-05:00" 7693 + }, 7694 + { 7695 + "id": 304, 7696 + "from_node_id": 313, 7697 + "to_node_id": 314, 7698 + "from_change_id": "5fae9da8-2a31-4f99-9686-7bfb28c443e8", 7699 + "to_change_id": "6837403f-1e30-4a71-bcf5-71db0cac6afc", 7700 + "edge_type": "leads_to", 7701 + "weight": 1.0, 7702 + "rationale": "New errors found", 7703 + "created_at": "2025-12-26T20:18:01.626612100-05:00" 7704 + }, 7705 + { 7706 + "id": 305, 7707 + "from_node_id": 314, 7708 + "to_node_id": 315, 7709 + "from_change_id": "6837403f-1e30-4a71-bcf5-71db0cac6afc", 7710 + "to_change_id": "a08d22fc-5970-4a5d-8454-4a1ef2efc7e4", 7711 + "edge_type": "leads_to", 7712 + "weight": 1.0, 7713 + "rationale": "Initial analysis", 7714 + "created_at": "2025-12-26T20:18:45.898518700-05:00" 7715 + }, 7716 + { 7717 + "id": 306, 7718 + "from_node_id": 315, 7719 + "to_node_id": 316, 7720 + "from_change_id": "a08d22fc-5970-4a5d-8454-4a1ef2efc7e4", 7721 + "to_change_id": "58ef0c82-402c-4fff-8421-83c5417475b1", 7722 + "edge_type": "leads_to", 7723 + "weight": 1.0, 7724 + "rationale": "Fix identified", 7725 + "created_at": "2025-12-26T20:19:50.103362300-05:00" 7726 + }, 7727 + { 7728 + "id": 307, 7729 + "from_node_id": 316, 7730 + "to_node_id": 317, 7731 + "from_change_id": "58ef0c82-402c-4fff-8421-83c5417475b1", 7732 + "to_change_id": "3a24a4a2-b4d0-4629-a29b-b33994d50e75", 7733 + "edge_type": "leads_to", 7734 + "weight": 1.0, 7735 + "rationale": "Implementation complete", 7736 + "created_at": "2025-12-26T20:20:24.693529800-05:00" 7737 + }, 7738 + { 7739 + "id": 308, 7740 + "from_node_id": 314, 7741 + "to_node_id": 317, 7742 + "from_change_id": "6837403f-1e30-4a71-bcf5-71db0cac6afc", 7743 + "to_change_id": "3a24a4a2-b4d0-4629-a29b-b33994d50e75", 7744 + "edge_type": "leads_to", 7745 + "weight": 1.0, 7746 + "rationale": "Goal achieved", 7747 + "created_at": "2025-12-26T20:20:26.885283800-05:00" 7748 + }, 7749 + { 7750 + "id": 309, 7751 + "from_node_id": 317, 7752 + "to_node_id": 318, 7753 + "from_change_id": "3a24a4a2-b4d0-4629-a29b-b33994d50e75", 7754 + "to_change_id": "371f788d-46df-4651-b338-f9310f8ae810", 7755 + "edge_type": "leads_to", 7756 + "weight": 1.0, 7757 + "rationale": "New issues found", 7758 + "created_at": "2025-12-26T20:37:06.303637800-05:00" 7759 + }, 7760 + { 7761 + "id": 310, 7762 + "from_node_id": 318, 7763 + "to_node_id": 319, 7764 + "from_change_id": "371f788d-46df-4651-b338-f9310f8ae810", 7765 + "to_change_id": "28681ed9-6d12-476e-a60d-291ee2034952", 7766 + "edge_type": "leads_to", 7767 + "weight": 1.0, 7768 + "rationale": "Root cause found", 7769 + "created_at": "2025-12-26T20:37:37.527168300-05:00" 7770 + }, 7771 + { 7772 + "id": 311, 7773 + "from_node_id": 319, 7774 + "to_node_id": 320, 7775 + "from_change_id": "28681ed9-6d12-476e-a60d-291ee2034952", 7776 + "to_change_id": "04f6a182-c5a1-4844-b186-24605a8e74a9", 7777 + "edge_type": "leads_to", 7778 + "weight": 1.0, 7779 + "rationale": "Action to fix", 7780 + "created_at": "2025-12-26T20:38:48.486046-05:00" 7781 + }, 7782 + { 7783 + "id": 312, 7784 + "from_node_id": 320, 7785 + "to_node_id": 321, 7786 + "from_change_id": "04f6a182-c5a1-4844-b186-24605a8e74a9", 7787 + "to_change_id": "ac843fbc-1953-4b61-8ef3-4c88c98572f5", 7788 + "edge_type": "leads_to", 7789 + "weight": 1.0, 7790 + "rationale": "Implementation complete", 7791 + "created_at": "2025-12-26T20:39:48.757903800-05:00" 7792 + }, 7793 + { 7794 + "id": 313, 7795 + "from_node_id": 321, 7796 + "to_node_id": 322, 7797 + "from_change_id": "ac843fbc-1953-4b61-8ef3-4c88c98572f5", 7798 + "to_change_id": "2e824556-15c7-4656-b771-1b85cc628edc", 7799 + "edge_type": "leads_to", 7800 + "weight": 1.0, 7801 + "rationale": "New UX issue found", 7802 + "created_at": "2025-12-26T20:51:58.153139700-05:00" 7803 + }, 7804 + { 7805 + "id": 314, 7806 + "from_node_id": 322, 7807 + "to_node_id": 323, 7808 + "from_change_id": "2e824556-15c7-4656-b771-1b85cc628edc", 7809 + "to_change_id": "88fc65bc-c2da-4df7-b79e-ba80d93e5b77", 7810 + "edge_type": "leads_to", 7811 + "weight": 1.0, 7812 + "rationale": "Implementation complete", 7813 + "created_at": "2025-12-26T20:55:40.014892600-05:00" 7814 + }, 7815 + { 7816 + "id": 315, 7817 + "from_node_id": 323, 7818 + "to_node_id": 324, 7819 + "from_change_id": "88fc65bc-c2da-4df7-b79e-ba80d93e5b77", 7820 + "to_change_id": "c941c916-0fcb-44d6-9786-dfd53447cebe", 7821 + "edge_type": "leads_to", 7822 + "weight": 1.0, 7823 + "rationale": "Committed to repository", 7824 + "created_at": "2025-12-26T20:58:50.561027500-05:00" 7825 + }, 7826 + { 7827 + "id": 316, 7828 + "from_node_id": 324, 7829 + "to_node_id": 325, 7830 + "from_change_id": "c941c916-0fcb-44d6-9786-dfd53447cebe", 7831 + "to_change_id": "e44f45f8-bac9-4a49-ac68-ac9d7d113226", 7832 + "edge_type": "leads_to", 7833 + "weight": 1.0, 7834 + "rationale": "User reported results showing 'none' before search completes - needed to keep user on loading screen", 7835 + "created_at": "2025-12-26T21:20:53.976836200-05:00" 7836 + }, 7837 + { 7838 + "id": 317, 7839 + "from_node_id": 325, 7840 + "to_node_id": 326, 7841 + "from_change_id": "e44f45f8-bac9-4a49-ac68-ac9d7d113226", 7842 + "to_change_id": "af76ea64-b0b1-4577-b521-4ec21cc555e1", 7843 + "edge_type": "leads_to", 7844 + "weight": 1.0, 7845 + "rationale": "User reported upload times showing 5 hours ahead - timezone offset issue", 7846 + "created_at": "2025-12-26T21:46:24.801578500-05:00" 7847 + }, 7848 + { 7849 + "id": 318, 7850 + "from_node_id": 326, 7851 + "to_node_id": 327, 7852 + "from_change_id": "af76ea64-b0b1-4577-b521-4ec21cc555e1", 7853 + "to_change_id": "ed9ceca3-e53e-430c-8f0f-386b287b0915", 7854 + "edge_type": "leads_to", 7855 + "weight": 1.0, 7856 + "rationale": "User reported slow dev server startup - 4.5s from Vite", 7857 + "created_at": "2025-12-26T21:57:18.723545100-05:00" 7858 + }, 7859 + { 7860 + "id": 319, 7861 + "from_node_id": 305, 7862 + "to_node_id": 325, 7863 + "from_change_id": "8ad6ef53-29a2-442e-b88f-9e0541634950", 7864 + "to_change_id": "e44f45f8-bac9-4a49-ac68-ac9d7d113226", 7865 + "edge_type": "leads_to", 7866 + "weight": 1.0, 7867 + "rationale": "Implemented loading screen for extension upload flow", 7868 + "created_at": "2025-12-27T15:22:53.706223600-05:00" 7869 + }, 7870 + { 7871 + "id": 320, 7872 + "from_node_id": 318, 7873 + "to_node_id": 326, 7874 + "from_change_id": "371f788d-46df-4651-b338-f9310f8ae810", 7875 + "to_change_id": "af76ea64-b0b1-4577-b521-4ec21cc555e1", 7876 + "edge_type": "leads_to", 7877 + "weight": 1.0, 7878 + "rationale": "Fixed timezone issue with TIMESTAMPTZ migration", 7879 + "created_at": "2025-12-27T15:22:56.160485500-05:00" 7880 + }, 7881 + { 7882 + "id": 321, 7883 + "from_node_id": 69, 7884 + "to_node_id": 67, 7885 + "from_change_id": "5754ca49-f09b-489f-a4b0-f412159f4cd4", 7886 + "to_change_id": "6aef16a0-0524-4ad9-a8ff-b335069c860d", 7887 + "edge_type": "leads_to", 7888 + "weight": 1.0, 7889 + "rationale": "Action to understand current duplicate types", 7890 + "created_at": "2025-12-27T15:36:45.647337400-05:00" 7891 + }, 7892 + { 7893 + "id": 322, 7894 + "from_node_id": 110, 7895 + "to_node_id": 117, 7896 + "from_change_id": "22b9c3db-9f95-45d7-a3ed-bdfac54677db", 7897 + "to_change_id": "d78b544a-8897-4149-ac48-4f35f6def985", 7898 + "edge_type": "leads_to", 7899 + "weight": 1.0, 7900 + "rationale": "Cleanup observation during codebase cleanup", 7901 + "created_at": "2025-12-27T15:36:47.932994300-05:00" 7902 + }, 7903 + { 7904 + "id": 323, 7905 + "from_node_id": 110, 7906 + "to_node_id": 183, 7907 + "from_change_id": "22b9c3db-9f95-45d7-a3ed-bdfac54677db", 7908 + "to_change_id": "6e1851e2-134c-4c8f-86af-5487fda7d05c", 7909 + "edge_type": "leads_to", 7910 + "weight": 1.0, 7911 + "rationale": "Removed build artifacts from git history", 7912 + "created_at": "2025-12-27T15:36:50.152456600-05:00" 7913 + }, 7914 + { 7915 + "id": 324, 7916 + "from_node_id": 184, 7917 + "to_node_id": 228, 7918 + "from_change_id": "919c42ef-9fae-473f-b755-ee32d8999204", 7919 + "to_change_id": "7958ec7b-ff18-41d4-b1e1-fc9fa5603a1b", 7920 + "edge_type": "leads_to", 7921 + "weight": 1.0, 7922 + "rationale": "Installing pnpm for monorepo structure", 7923 + "created_at": "2025-12-27T15:36:52.522283200-05:00" 7924 + }, 7925 + { 7926 + "id": 325, 7927 + "from_node_id": 258, 7928 + "to_node_id": 262, 7929 + "from_change_id": "b8c6cd90-7f32-461e-aad5-537cc1cbfafe", 7930 + "to_change_id": "b8097a68-a63f-4cb6-aeac-2ed746e90126", 7931 + "edge_type": "leads_to", 7932 + "weight": 1.0, 7933 + "rationale": "Discovered extension-import endpoint during debugging", 7934 + "created_at": "2025-12-27T15:36:55.150261400-05:00" 7935 + }, 7936 + { 7937 + "id": 326, 7938 + "from_node_id": 258, 7939 + "to_node_id": 263, 7940 + "from_change_id": "b8c6cd90-7f32-461e-aad5-537cc1cbfafe", 7941 + "to_change_id": "b5109344-a5d3-43b3-b743-b06730453514", 7942 + "edge_type": "leads_to", 7943 + "weight": 1.0, 7944 + "rationale": "Discovered routing issue during debugging", 7945 + "created_at": "2025-12-27T15:36:57.690344600-05:00" 7946 + }, 7947 + { 7948 + "id": 327, 7949 + "from_node_id": 270, 7950 + "to_node_id": 275, 7951 + "from_change_id": "8cf80c58-e909-4f0b-85e8-ac15d7cf3640", 7952 + "to_change_id": "dcc9f401-1a68-479e-97de-7a04e5597e00", 7953 + "edge_type": "leads_to", 7954 + "weight": 1.0, 7955 + "rationale": "Discovered CORS blocking health check", 7956 + "created_at": "2025-12-27T15:37:00.388733200-05:00" 7957 + }, 7958 + { 7959 + "id": 328, 7960 + "from_node_id": 278, 7961 + "to_node_id": 282, 7962 + "from_change_id": "fa11e7d7-ac30-4d0e-bc8a-d2332f724d92", 7963 + "to_change_id": "206347b5-4178-43dd-bb05-657b3788a6b0", 7964 + "edge_type": "leads_to", 7965 + "weight": 1.0, 7966 + "rationale": "Refactoring extension flow to match upload behavior", 7967 + "created_at": "2025-12-27T15:37:02.697547600-05:00" 7968 + }, 7969 + { 7970 + "id": 329, 7971 + "from_node_id": 278, 7972 + "to_node_id": 283, 7973 + "from_change_id": "fa11e7d7-ac30-4d0e-bc8a-d2332f724d92", 7974 + "to_change_id": "e3adddaf-9126-4bfa-8d75-aa8b94323077", 7975 + "edge_type": "leads_to", 7976 + "weight": 1.0, 7977 + "rationale": "Observation after implementing auth and upload creation", 7978 + "created_at": "2025-12-27T15:37:04.961909600-05:00" 7979 + }, 7980 + { 7981 + "id": 330, 7982 + "from_node_id": 328, 7983 + "to_node_id": 329, 7984 + "from_change_id": "7823be1a-fca9-4cb5-9e62-dfbc8cb71e55", 7985 + "to_change_id": "c839ec54-b098-4030-8ff4-857549b17363", 7986 + "edge_type": "leads_to", 7987 + "weight": 1.0, 7988 + "rationale": "Analysis of what went wrong during graph maintenance", 7989 + "created_at": "2025-12-27T15:40:25.442264900-05:00" 7990 + }, 7991 + { 7992 + "id": 331, 7993 + "from_node_id": 329, 7994 + "to_node_id": 330, 7995 + "from_change_id": "c839ec54-b098-4030-8ff4-857549b17363", 7996 + "to_change_id": "1f554b87-3775-450b-a3a1-b23eeebc7e38", 7997 + "edge_type": "leads_to", 7998 + "weight": 1.0, 7999 + "rationale": "Action to prevent future graph integrity issues", 8000 + "created_at": "2025-12-27T15:41:06.239618300-05:00" 8001 + }, 8002 + { 8003 + "id": 332, 8004 + "from_node_id": 330, 8005 + "to_node_id": 331, 8006 + "from_change_id": "1f554b87-3775-450b-a3a1-b23eeebc7e38", 8007 + "to_change_id": "8c746dd6-d571-4446-8a53-af6279fc9c21", 8008 + "edge_type": "leads_to", 8009 + "weight": 1.0, 8010 + "rationale": "Successfully completed documentation updates", 8011 + "created_at": "2025-12-27T15:47:51.427087400-05:00" 8012 + }, 8013 + { 8014 + "id": 333, 8015 + "from_node_id": 331, 8016 + "to_node_id": 332, 8017 + "from_change_id": "8c746dd6-d571-4446-8a53-af6279fc9c21", 8018 + "to_change_id": "c4338df4-a22f-4dd5-b60c-84c7cd1c0c5c", 8019 + "edge_type": "leads_to", 8020 + "weight": 1.0, 8021 + "rationale": "Git commit documenting the improvements", 8022 + "created_at": "2025-12-27T15:48:49.907152400-05:00" 8023 + }, 8024 + { 8025 + "id": 334, 8026 + "from_node_id": 328, 8027 + "to_node_id": 333, 8028 + "from_change_id": "7823be1a-fca9-4cb5-9e62-dfbc8cb71e55", 8029 + "to_change_id": "0a0375e9-bcef-4459-b9f1-f5868276e8e4", 8030 + "edge_type": "leads_to", 8031 + "weight": 1.0, 8032 + "rationale": "New goal from user request", 8033 + "created_at": "2025-12-27T15:50:58.493301500-05:00" 8034 + }, 8035 + { 8036 + "id": 335, 8037 + "from_node_id": 333, 8038 + "to_node_id": 334, 8039 + "from_change_id": "0a0375e9-bcef-4459-b9f1-f5868276e8e4", 8040 + "to_change_id": "fe108b87-356f-4c02-85cb-7260e175d8ad", 8041 + "edge_type": "leads_to", 8042 + "weight": 1.0, 8043 + "rationale": "First step to review markdown files", 8044 + "created_at": "2025-12-27T15:51:25.165313400-05:00" 8045 + }, 8046 + { 8047 + "id": 336, 8048 + "from_node_id": 334, 8049 + "to_node_id": 335, 8050 + "from_change_id": "fe108b87-356f-4c02-85cb-7260e175d8ad", 8051 + "to_change_id": "3aac85f7-c11c-48f6-b9da-2cd333605fb2", 8052 + "edge_type": "leads_to", 8053 + "weight": 1.0, 8054 + "rationale": "Analysis complete with findings", 8055 + "created_at": "2025-12-27T15:52:08.782592-05:00" 8056 + }, 8057 + { 8058 + "id": 337, 8059 + "from_node_id": 335, 8060 + "to_node_id": 336, 8061 + "from_change_id": "3aac85f7-c11c-48f6-b9da-2cd333605fb2", 8062 + "to_change_id": "d1a23826-c660-4f2a-bdc0-bcbbce9d0293", 8063 + "edge_type": "leads_to", 8064 + "weight": 1.0, 8065 + "rationale": "Need to decide update approach", 8066 + "created_at": "2025-12-27T15:52:32.515520400-05:00" 8067 + }, 8068 + { 8069 + "id": 338, 8070 + "from_node_id": 336, 8071 + "to_node_id": 337, 8072 + "from_change_id": "d1a23826-c660-4f2a-bdc0-bcbbce9d0293", 8073 + "to_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8074 + "edge_type": "leads_to", 8075 + "weight": 1.0, 8076 + "rationale": "User decision", 8077 + "created_at": "2025-12-27T15:54:33.702061900-05:00" 8078 + }, 8079 + { 8080 + "id": 339, 8081 + "from_node_id": 337, 8082 + "to_node_id": 338, 8083 + "from_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8084 + "to_change_id": "594942d8-4981-4557-9687-522d51e86ecb", 8085 + "edge_type": "leads_to", 8086 + "weight": 1.0, 8087 + "rationale": "First file to update", 8088 + "created_at": "2025-12-27T15:54:38.126450100-05:00" 8089 + }, 8090 + { 8091 + "id": 340, 8092 + "from_node_id": 337, 8093 + "to_node_id": 339, 8094 + "from_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8095 + "to_change_id": "4c8c5b0d-468b-4ad6-80e9-02141949aba9", 8096 + "edge_type": "leads_to", 8097 + "weight": 1.0, 8098 + "rationale": "Second file to update", 8099 + "created_at": "2025-12-27T15:55:51.716239-05:00" 8100 + }, 8101 + { 8102 + "id": 341, 8103 + "from_node_id": 337, 8104 + "to_node_id": 340, 8105 + "from_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8106 + "to_change_id": "4e3987a4-538f-4912-b6ce-39c5971e0966", 8107 + "edge_type": "leads_to", 8108 + "weight": 1.0, 8109 + "rationale": "Third file to update", 8110 + "created_at": "2025-12-27T15:57:16.830452200-05:00" 8111 + }, 8112 + { 8113 + "id": 342, 8114 + "from_node_id": 337, 8115 + "to_node_id": 341, 8116 + "from_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8117 + "to_change_id": "42bf8d79-2c24-420f-b8b8-89273fecc30d", 8118 + "edge_type": "leads_to", 8119 + "weight": 1.0, 8120 + "rationale": "Fourth and final file to update", 8121 + "created_at": "2025-12-27T15:58:25.682627400-05:00" 8122 + }, 8123 + { 8124 + "id": 343, 8125 + "from_node_id": 337, 8126 + "to_node_id": 342, 8127 + "from_change_id": "28eeefda-3813-4777-8006-924a9b030c61", 8128 + "to_change_id": "a6d1f3fb-650d-4227-b1dc-ddb24810464c", 8129 + "edge_type": "leads_to", 8130 + "weight": 1.0, 8131 + "rationale": "All updates completed successfully", 8132 + "created_at": "2025-12-27T15:59:43.630208500-05:00" 8133 + }, 8134 + { 8135 + "id": 344, 8136 + "from_node_id": 342, 8137 + "to_node_id": 343, 8138 + "from_change_id": "a6d1f3fb-650d-4227-b1dc-ddb24810464c", 8139 + "to_change_id": "9e0fcead-ea30-4b31-974b-4e07f7fc6787", 8140 + "edge_type": "leads_to", 8141 + "weight": 1.0, 8142 + "rationale": "Git commit with all documentation updates", 8143 + "created_at": "2025-12-27T16:02:15.712335700-05:00" 8144 + }, 8145 + { 8146 + "id": 345, 8147 + "from_node_id": 344, 8148 + "to_node_id": 345, 8149 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8150 + "to_change_id": "0ef352ed-538b-4632-8b62-ebb17603f944", 8151 + "edge_type": "leads_to", 8152 + "weight": 1.0, 8153 + "rationale": "Installation step for Tailwind integration", 8154 + "created_at": "2025-12-27T18:00:42.787737600-05:00" 8155 + }, 8156 + { 8157 + "id": 346, 8158 + "from_node_id": 344, 8159 + "to_node_id": 346, 8160 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8161 + "to_change_id": "888e6ad0-5002-4cdb-b35e-f4214ca07dfa", 8162 + "edge_type": "leads_to", 8163 + "weight": 1.0, 8164 + "rationale": "Configuration step for Tailwind", 8165 + "created_at": "2025-12-27T18:01:28.695956-05:00" 8166 + }, 8167 + { 8168 + "id": 347, 8169 + "from_node_id": 344, 8170 + "to_node_id": 347, 8171 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8172 + "to_change_id": "fae7a634-d921-4b6f-9620-0c58d88b863e", 8173 + "edge_type": "leads_to", 8174 + "weight": 1.0, 8175 + "rationale": "Build process integration", 8176 + "created_at": "2025-12-27T18:01:51.815468700-05:00" 8177 + }, 8178 + { 8179 + "id": 348, 8180 + "from_node_id": 344, 8181 + "to_node_id": 348, 8182 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8183 + "to_change_id": "c25a8f4b-8bf1-4a33-bef9-3731dfd83627", 8184 + "edge_type": "leads_to", 8185 + "weight": 1.0, 8186 + "rationale": "CSS conversion step", 8187 + "created_at": "2025-12-27T18:02:43.312580-05:00" 8188 + }, 8189 + { 8190 + "id": 349, 8191 + "from_node_id": 344, 8192 + "to_node_id": 349, 8193 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8194 + "to_change_id": "c65ee3d9-62a0-47aa-870a-f6422ff2536a", 8195 + "edge_type": "leads_to", 8196 + "weight": 1.0, 8197 + "rationale": "HTML conversion step", 8198 + "created_at": "2025-12-27T18:03:01.642571400-05:00" 8199 + }, 8200 + { 8201 + "id": 350, 8202 + "from_node_id": 344, 8203 + "to_node_id": 350, 8204 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8205 + "to_change_id": "8136e615-5baa-4fe5-9a7d-d672ff1a6f85", 8206 + "edge_type": "leads_to", 8207 + "weight": 1.0, 8208 + "rationale": "Final outcome of Tailwind integration", 8209 + "created_at": "2025-12-27T18:07:51.011406300-05:00" 8210 + }, 8211 + { 8212 + "id": 351, 8213 + "from_node_id": 344, 8214 + "to_node_id": 351, 8215 + "from_change_id": "2a06900e-ea62-4adf-81d5-7f0cf1a29b31", 8216 + "to_change_id": "9468bcb3-78ec-4dae-8d8f-968ba6f5b3fe", 8217 + "edge_type": "leads_to", 8218 + "weight": 1.0, 8219 + "rationale": "Git commit for Tailwind integration", 8220 + "created_at": "2025-12-27T18:38:58.347778400-05:00" 8221 + }, 8222 + { 8223 + "id": 352, 8224 + "from_node_id": 352, 8225 + "to_node_id": 353, 8226 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8227 + "to_change_id": "eaed6e9b-9f16-4b45-8783-44ea2ea1f2a9", 8228 + "edge_type": "leads_to", 8229 + "weight": 1.0, 8230 + "rationale": "Initial analysis of issues", 8231 + "created_at": "2025-12-27T22:06:21.516165300-05:00" 8232 + }, 8233 + { 8234 + "id": 353, 8235 + "from_node_id": 352, 8236 + "to_node_id": 354, 8237 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8238 + "to_change_id": "d66fc83e-9737-4047-8ce2-e2ba857aeea9", 8239 + "edge_type": "leads_to", 8240 + "weight": 1.0, 8241 + "rationale": "Need to decide dark mode approach", 8242 + "created_at": "2025-12-27T22:07:03.103941500-05:00" 8243 + }, 8244 + { 8245 + "id": 354, 8246 + "from_node_id": 354, 8247 + "to_node_id": 355, 8248 + "from_change_id": "d66fc83e-9737-4047-8ce2-e2ba857aeea9", 8249 + "to_change_id": "76e2a379-7803-4c82-8013-be6b62f2d360", 8250 + "edge_type": "leads_to", 8251 + "weight": 1.0, 8252 + "rationale": "Decision outcome", 8253 + "created_at": "2025-12-27T22:07:06.239151500-05:00" 8254 + }, 8255 + { 8256 + "id": 355, 8257 + "from_node_id": 352, 8258 + "to_node_id": 356, 8259 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8260 + "to_change_id": "df681aa8-e470-4ead-a0d2-a4095febfa3d", 8261 + "edge_type": "leads_to", 8262 + "weight": 1.0, 8263 + "rationale": "Implementation of dark mode fix", 8264 + "created_at": "2025-12-27T22:07:26.713411300-05:00" 8265 + }, 8266 + { 8267 + "id": 356, 8268 + "from_node_id": 352, 8269 + "to_node_id": 357, 8270 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8271 + "to_change_id": "57060303-5a30-4f11-a752-a02376df5ea7", 8272 + "edge_type": "leads_to", 8273 + "weight": 1.0, 8274 + "rationale": "Implementation of server message fix", 8275 + "created_at": "2025-12-27T22:07:51.662925600-05:00" 8276 + }, 8277 + { 8278 + "id": 357, 8279 + "from_node_id": 352, 8280 + "to_node_id": 358, 8281 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8282 + "to_change_id": "fc211ac7-7a1a-4b69-835a-992c354e8237", 8283 + "edge_type": "leads_to", 8284 + "weight": 1.0, 8285 + "rationale": "Final outcome of fixes", 8286 + "created_at": "2025-12-27T22:09:30.425884400-05:00" 8287 + }, 8288 + { 8289 + "id": 358, 8290 + "from_node_id": 352, 8291 + "to_node_id": 359, 8292 + "from_change_id": "b852ce18-1747-4c26-a65e-acfbbed2b1a5", 8293 + "to_change_id": "4a7d5885-1713-4ba7-ad13-bb12b58c9410", 8294 + "edge_type": "leads_to", 8295 + "weight": 1.0, 8296 + "rationale": "Git commit for fixes", 8297 + "created_at": "2025-12-27T22:10:27.225192300-05:00" 8298 + }, 8299 + { 8300 + "id": 359, 8301 + "from_node_id": 360, 8302 + "to_node_id": 361, 8303 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8304 + "to_change_id": "aecf2327-d20d-4c6c-b6b0-06ccf26a2b27", 8305 + "edge_type": "leads_to", 8306 + "weight": 1.0, 8307 + "rationale": "Root cause analysis", 8308 + "created_at": "2025-12-27T22:23:47.445630900-05:00" 8309 + }, 8310 + { 8311 + "id": 360, 8312 + "from_node_id": 360, 8313 + "to_node_id": 362, 8314 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8315 + "to_change_id": "e897db97-44d8-4993-b4c3-0d829265b2f8", 8316 + "edge_type": "leads_to", 8317 + "weight": 1.0, 8318 + "rationale": "Rebuilt dev version", 8319 + "created_at": "2025-12-27T22:24:19.438433600-05:00" 8320 + }, 8321 + { 8322 + "id": 361, 8323 + "from_node_id": 360, 8324 + "to_node_id": 363, 8325 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8326 + "to_change_id": "2c62bfa3-d148-4448-8c2b-d0cf1e94ceb0", 8327 + "edge_type": "leads_to", 8328 + "weight": 1.0, 8329 + "rationale": "Root cause: CORS configuration", 8330 + "created_at": "2025-12-27T22:24:53.741163700-05:00" 8331 + }, 8332 + { 8333 + "id": 362, 8334 + "from_node_id": 360, 8335 + "to_node_id": 364, 8336 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8337 + "to_change_id": "560d6bea-47ec-408d-919b-15ca7198aac9", 8338 + "edge_type": "leads_to", 8339 + "weight": 1.0, 8340 + "rationale": "Implementation of CORS fix", 8341 + "created_at": "2025-12-27T22:25:24.843330900-05:00" 8342 + }, 8343 + { 8344 + "id": 363, 8345 + "from_node_id": 360, 8346 + "to_node_id": 365, 8347 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8348 + "to_change_id": "3ef0c9e9-aa40-4914-a5f4-32bcfaf68d04", 8349 + "edge_type": "leads_to", 8350 + "weight": 1.0, 8351 + "rationale": "CORS fix completed", 8352 + "created_at": "2025-12-27T22:41:44.160528300-05:00" 8353 + }, 8354 + { 8355 + "id": 364, 8356 + "from_node_id": 360, 8357 + "to_node_id": 366, 8358 + "from_change_id": "706d5a7f-08ed-43f7-aee5-0bed28d9402a", 8359 + "to_change_id": "77b7ed7e-a113-41f6-a677-50d376f3f008", 8360 + "edge_type": "leads_to", 8361 + "weight": 1.0, 8362 + "rationale": "Git commit for CORS fixes", 8363 + "created_at": "2025-12-27T22:42:51.663598100-05:00" 8364 + }, 8365 + { 8366 + "id": 365, 8367 + "from_node_id": 367, 8368 + "to_node_id": 368, 8369 + "from_change_id": "df6abf7a-e7a4-45f3-8485-b933319416d9", 8370 + "to_change_id": "79721edf-aa05-4580-8c28-7d20941ef155", 8371 + "edge_type": "leads_to", 8372 + "weight": 1.0, 8373 + "rationale": "Analysis step for Firefox compatibility", 8374 + "created_at": "2025-12-28T18:10:09.484445500-05:00" 8375 + }, 8376 + { 8377 + "id": 366, 8378 + "from_node_id": 368, 8379 + "to_node_id": 369, 8380 + "from_change_id": "79721edf-aa05-4580-8c28-7d20941ef155", 8381 + "to_change_id": "783841d0-c096-48f6-be18-193a9dcc7d4b", 8382 + "edge_type": "leads_to", 8383 + "weight": 1.0, 8384 + "rationale": "Detailed analysis of compatibility issues", 8385 + "created_at": "2025-12-28T18:10:49.163552300-05:00" 8386 + }, 8387 + { 8388 + "id": 367, 8389 + "from_node_id": 369, 8390 + "to_node_id": 370, 8391 + "from_change_id": "783841d0-c096-48f6-be18-193a9dcc7d4b", 8392 + "to_change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 8393 + "edge_type": "leads_to", 8394 + "weight": 1.0, 8395 + "rationale": "Need to decide implementation strategy", 8396 + "created_at": "2025-12-28T18:10:51.434960600-05:00" 8397 + }, 8398 + { 8399 + "id": 368, 8400 + "from_node_id": 370, 8401 + "to_node_id": 371, 8402 + "from_change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 8403 + "to_change_id": "159906da-984f-4a1d-a1a6-98e0fc0cf369", 8404 + "edge_type": "leads_to", 8405 + "weight": 1.0, 8406 + "rationale": "Option A", 8407 + "created_at": "2025-12-28T18:11:07.060637-05:00" 8408 + }, 8409 + { 8410 + "id": 369, 8411 + "from_node_id": 370, 8412 + "to_node_id": 372, 8413 + "from_change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 8414 + "to_change_id": "df5e42e6-53c1-4b30-8b6f-f2385cd9e247", 8415 + "edge_type": "leads_to", 8416 + "weight": 1.0, 8417 + "rationale": "Option B", 8418 + "created_at": "2025-12-28T18:11:09.223792400-05:00" 8419 + }, 8420 + { 8421 + "id": 370, 8422 + "from_node_id": 370, 8423 + "to_node_id": 373, 8424 + "from_change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 8425 + "to_change_id": "7bb58202-7a9b-4e8b-8b9e-927e5106bce7", 8426 + "edge_type": "leads_to", 8427 + "weight": 1.0, 8428 + "rationale": "Option C", 8429 + "created_at": "2025-12-28T18:11:11.439827800-05:00" 8430 + }, 8431 + { 8432 + "id": 371, 8433 + "from_node_id": 370, 8434 + "to_node_id": 374, 8435 + "from_change_id": "fd2d5b63-c26c-4592-89a6-3ccb4234c3c6", 8436 + "to_change_id": "d41b29e0-cd48-4dac-a6c8-c6179612702e", 8437 + "edge_type": "leads_to", 8438 + "weight": 1.0, 8439 + "rationale": "User selected option 1", 8440 + "created_at": "2025-12-28T19:04:26.708742600-05:00" 8441 + }, 8442 + { 8443 + "id": 372, 8444 + "from_node_id": 374, 8445 + "to_node_id": 375, 8446 + "from_change_id": "d41b29e0-cd48-4dac-a6c8-c6179612702e", 8447 + "to_change_id": "5bb34b8b-aec4-4f84-993e-eb9bf7a2d13f", 8448 + "edge_type": "leads_to", 8449 + "weight": 1.0, 8450 + "rationale": "Implementation based on decision", 8451 + "created_at": "2025-12-28T19:08:16.677078600-05:00" 8452 + }, 8453 + { 8454 + "id": 373, 8455 + "from_node_id": 375, 8456 + "to_node_id": 376, 8457 + "from_change_id": "5bb34b8b-aec4-4f84-993e-eb9bf7a2d13f", 8458 + "to_change_id": "644181ee-5a44-4967-9657-e9dd5f648c5e", 8459 + "edge_type": "leads_to", 8460 + "weight": 1.0, 8461 + "rationale": "Implementation completed successfully", 8462 + "created_at": "2025-12-28T19:14:24.961595600-05:00" 8463 + }, 8464 + { 8465 + "id": 374, 8466 + "from_node_id": 377, 8467 + "to_node_id": 378, 8468 + "from_change_id": "1dffa024-413f-4a95-b069-66db350abfaa", 8469 + "to_change_id": "9d5626d2-a9ae-42aa-8fda-be3c7528156f", 8470 + "edge_type": "leads_to", 8471 + "weight": 1.0, 8472 + "rationale": "First observation about debugging", 8473 + "created_at": "2025-12-28T20:15:13.725635900-05:00" 8474 + }, 8475 + { 8476 + "id": 375, 8477 + "from_node_id": 378, 8478 + "to_node_id": 379, 8479 + "from_change_id": "9d5626d2-a9ae-42aa-8fda-be3c7528156f", 8480 + "to_change_id": "7a5af3fe-8567-4f1c-85cd-e47891704974", 8481 + "edge_type": "leads_to", 8482 + "weight": 1.0, 8483 + "rationale": "Hypothesis about root causes", 8484 + "created_at": "2025-12-28T20:15:33.187041700-05:00" 8485 + }, 8486 + { 8487 + "id": 376, 8488 + "from_node_id": 379, 8489 + "to_node_id": 380, 8490 + "from_change_id": "7a5af3fe-8567-4f1c-85cd-e47891704974", 8491 + "to_change_id": "9c197aae-18d5-46ae-87e7-82c240c8f313", 8492 + "edge_type": "leads_to", 8493 + "weight": 1.0, 8494 + "rationale": "Fix based on hypothesis", 8495 + "created_at": "2025-12-28T20:16:14.104406300-05:00" 8496 + }, 8497 + { 8498 + "id": 377, 8499 + "from_node_id": 380, 8500 + "to_node_id": 381, 8501 + "from_change_id": "9c197aae-18d5-46ae-87e7-82c240c8f313", 8502 + "to_change_id": "485a03b0-8a25-4fdf-a8e2-9d3a25c8edf8", 8503 + "edge_type": "leads_to", 8504 + "weight": 1.0, 8505 + "rationale": "Fix implemented and tested", 8506 + "created_at": "2025-12-28T20:16:43.953511400-05:00" 8507 + }, 8508 + { 8509 + "id": 378, 8510 + "from_node_id": 381, 8511 + "to_node_id": 382, 8512 + "from_change_id": "485a03b0-8a25-4fdf-a8e2-9d3a25c8edf8", 8513 + "to_change_id": "35b13d37-0228-435f-a4bc-c5c42811fec3", 8514 + "edge_type": "leads_to", 8515 + "weight": 1.0, 8516 + "rationale": "Root cause identified from error logs", 8517 + "created_at": "2025-12-28T20:17:25.488041200-05:00" 8518 + }, 8519 + { 8520 + "id": 379, 8521 + "from_node_id": 382, 8522 + "to_node_id": 383, 8523 + "from_change_id": "35b13d37-0228-435f-a4bc-c5c42811fec3", 8524 + "to_change_id": "adc120cd-e56d-400a-9b3e-8207880378c3", 8525 + "edge_type": "leads_to", 8526 + "weight": 1.0, 8527 + "rationale": "Fix for CORS issue", 8528 + "created_at": "2025-12-28T20:19:41.484076700-05:00" 8529 + }, 8530 + { 8531 + "id": 380, 8532 + "from_node_id": 383, 8533 + "to_node_id": 384, 8534 + "from_change_id": "adc120cd-e56d-400a-9b3e-8207880378c3", 8535 + "to_change_id": "0f77bfd9-590f-4f1e-be08-78a9deef6d8a", 8536 + "edge_type": "leads_to", 8537 + "weight": 1.0, 8538 + "rationale": "Implementation complete", 8539 + "created_at": "2025-12-28T20:19:56.872404900-05:00" 8540 + }, 8541 + { 8542 + "id": 381, 8543 + "from_node_id": 384, 8544 + "to_node_id": 385, 8545 + "from_change_id": "0f77bfd9-590f-4f1e-be08-78a9deef6d8a", 8546 + "to_change_id": "cc0910f0-2381-4aee-bb5d-397cb0f804d1", 8547 + "edge_type": "leads_to", 8548 + "weight": 1.0, 8549 + "rationale": "New error reveals real issue", 8550 + "created_at": "2025-12-28T20:27:34.035766400-05:00" 8551 + }, 8552 + { 8553 + "id": 382, 8554 + "from_node_id": 385, 8555 + "to_node_id": 386, 8556 + "from_change_id": "cc0910f0-2381-4aee-bb5d-397cb0f804d1", 8557 + "to_change_id": "ad4a5ca7-15d1-4776-8ede-6b615613f6e1", 8558 + "edge_type": "leads_to", 8559 + "weight": 1.0, 8560 + "rationale": "Fix for Firefox extension origin", 8561 + "created_at": "2025-12-28T20:28:33.839045700-05:00" 8562 + }, 8563 + { 8564 + "id": 383, 8565 + "from_node_id": 386, 8566 + "to_node_id": 387, 8567 + "from_change_id": "ad4a5ca7-15d1-4776-8ede-6b615613f6e1", 8568 + "to_change_id": "cffdee0f-8535-4d88-83ed-fdf6101f7ac3", 8569 + "edge_type": "leads_to", 8570 + "weight": 1.0, 8571 + "rationale": "Complete fix implemented", 8572 + "created_at": "2025-12-28T20:30:09.745415200-05:00" 8573 + }, 8574 + { 8575 + "id": 384, 8576 + "from_node_id": 387, 8577 + "to_node_id": 388, 8578 + "from_change_id": "cffdee0f-8535-4d88-83ed-fdf6101f7ac3", 8579 + "to_change_id": "0ada864e-be98-4a2f-a14e-ffd3eea9aaa9", 8580 + "edge_type": "leads_to", 8581 + "weight": 1.0, 8582 + "rationale": "New issue discovered in health check", 8583 + "created_at": "2025-12-28T20:37:24.355885500-05:00" 8584 + }, 8585 + { 8586 + "id": 385, 8587 + "from_node_id": 388, 8588 + "to_node_id": 389, 8589 + "from_change_id": "0ada864e-be98-4a2f-a14e-ffd3eea9aaa9", 8590 + "to_change_id": "f522d5b2-c325-4f34-9f27-b8ea5c50618d", 8591 + "edge_type": "leads_to", 8592 + "weight": 1.0, 8593 + "rationale": "Fix implemented", 8594 + "created_at": "2025-12-28T20:38:22.044029100-05:00" 8595 + }, 8596 + { 8597 + "id": 386, 8598 + "from_node_id": 389, 8599 + "to_node_id": 390, 8600 + "from_change_id": "f522d5b2-c325-4f34-9f27-b8ea5c50618d", 8601 + "to_change_id": "cfdcf45b-47b3-4239-8053-417bd31957ed", 8602 + "edge_type": "leads_to", 8603 + "weight": 1.0, 8604 + "rationale": "Issue persists - need to debug headers", 8605 + "created_at": "2025-12-28T20:48:14.949702100-05:00" 8606 + }, 8607 + { 8608 + "id": 387, 8609 + "from_node_id": 390, 8610 + "to_node_id": 391, 8611 + "from_change_id": "cfdcf45b-47b3-4239-8053-417bd31957ed", 8612 + "to_change_id": "2b53a419-9a47-4285-9a12-9bdfaeeb9ff0", 8613 + "edge_type": "leads_to", 8614 + "weight": 1.0, 8615 + "rationale": "Root cause identified from debug logs", 8616 + "created_at": "2025-12-28T20:55:34.094943700-05:00" 8617 + }, 8618 + { 8619 + "id": 388, 8620 + "from_node_id": 391, 8621 + "to_node_id": 392, 8622 + "from_change_id": "2b53a419-9a47-4285-9a12-9bdfaeeb9ff0", 8623 + "to_change_id": "c941d136-3405-483d-bf34-7fb011f6d072", 8624 + "edge_type": "leads_to", 8625 + "weight": 1.0, 8626 + "rationale": "Fix implemented", 8627 + "created_at": "2025-12-28T20:57:35.872426900-05:00" 8628 + }, 8629 + { 8630 + "id": 389, 8631 + "from_node_id": 392, 8632 + "to_node_id": 393, 8633 + "from_change_id": "c941d136-3405-483d-bf34-7fb011f6d072", 8634 + "to_change_id": "aafd9977-8800-4152-9f7f-b817db6df573", 8635 + "edge_type": "leads_to", 8636 + "weight": 1.0, 8637 + "rationale": "Complete fix with cleanup", 8638 + "created_at": "2025-12-28T21:37:27.704906300-05:00" 8639 + }, 8640 + { 8641 + "id": 390, 8642 + "from_node_id": 393, 8643 + "to_node_id": 394, 8644 + "from_change_id": "aafd9977-8800-4152-9f7f-b817db6df573", 8645 + "to_change_id": "3b0dea7a-c3cd-45a8-ba1a-f1040aa4e1d9", 8646 + "edge_type": "leads_to", 8647 + "weight": 1.0, 8648 + "rationale": "New issue - cookie partitioning", 8649 + "created_at": "2025-12-28T21:46:48.417911400-05:00" 8650 + }, 8651 + { 8652 + "id": 391, 8653 + "from_node_id": 394, 8654 + "to_node_id": 395, 8655 + "from_change_id": "3b0dea7a-c3cd-45a8-ba1a-f1040aa4e1d9", 8656 + "to_change_id": "8a93413f-a09c-4cc1-8693-4fe90dc055c4", 8657 + "edge_type": "leads_to", 8658 + "weight": 1.0, 8659 + "rationale": "Workaround using browser.cookies API", 8660 + "created_at": "2025-12-28T21:52:52.704792400-05:00" 8661 + }, 8662 + { 8663 + "id": 392, 8664 + "from_node_id": 395, 8665 + "to_node_id": 396, 8666 + "from_change_id": "8a93413f-a09c-4cc1-8693-4fe90dc055c4", 8667 + "to_change_id": "864dd973-5f15-4e31-a7da-c548dbbe1f0e", 8668 + "edge_type": "leads_to", 8669 + "weight": 1.0, 8670 + "rationale": "Complete workaround", 8671 + "created_at": "2025-12-28T22:51:33.159870400-05:00" 8672 } 8673 ] 8674 }
+173
packages/extension/FIREFOX.md
···
··· 1 + # Firefox Extension Installation Guide 2 + 3 + The ATlast Importer extension now supports both Chrome and Firefox! 4 + 5 + ## Building for Firefox 6 + 7 + The build system automatically creates both Chrome and Firefox versions: 8 + 9 + ```bash 10 + pnpm run build # Development build for both browsers 11 + pnpm run build:prod # Production build for both browsers 12 + ``` 13 + 14 + Output directories: 15 + - `dist/chrome/` - Chrome/Edge version (Manifest V3 with service worker) 16 + - `dist/firefox/` - Firefox version (Manifest V3 with scripts array) 17 + 18 + ## Installing in Firefox (Development) 19 + 20 + ### Option 1: Temporary Installation (for testing) 21 + 22 + 1. Open Firefox 23 + 2. Navigate to `about:debugging#/runtime/this-firefox` 24 + 3. Click "Load Temporary Add-on..." 25 + 4. Navigate to `packages/extension/dist/firefox/` 26 + 5. Select the `manifest.json` file 27 + 28 + **Note:** Temporary extensions are removed when Firefox restarts. 29 + 30 + ### Option 2: Loading from ZIP (for distribution) 31 + 32 + 1. Build the production version: 33 + ```bash 34 + pnpm run build:prod 35 + pnpm run package:firefox 36 + ``` 37 + 38 + 2. This creates `dist/firefox.zip` 39 + 40 + 3. For testing: 41 + - Go to `about:debugging#/runtime/this-firefox` 42 + - Click "Load Temporary Add-on..." 43 + - Select the `firefox.zip` file 44 + 45 + 4. For publishing: 46 + - Submit `firefox.zip` to [addons.mozilla.org](https://addons.mozilla.org/developers/) 47 + 48 + ## Key Differences from Chrome Version 49 + 50 + ### Manifest Differences 51 + 52 + **Chrome (`manifest.chrome.json`):** 53 + ```json 54 + { 55 + "manifest_version": 3, 56 + "background": { 57 + "service_worker": "background/service-worker.js", 58 + "type": "module" 59 + } 60 + } 61 + ``` 62 + 63 + **Firefox (`manifest.firefox.json`):** 64 + ```json 65 + { 66 + "manifest_version": 3, 67 + "background": { 68 + "scripts": ["background/service-worker.js"], 69 + "type": "module" 70 + }, 71 + "browser_specific_settings": { 72 + "gecko": { 73 + "id": "atlast-importer@byarielm.fyi", 74 + "strict_min_version": "109.0" 75 + } 76 + } 77 + } 78 + ``` 79 + 80 + ### Cross-Browser Compatibility 81 + 82 + - All code uses `webextension-polyfill` library 83 + - Chrome-specific `chrome.*` APIs replaced with unified `browser.*` API 84 + - Promise-based instead of callback-based 85 + - Single codebase works across both browsers 86 + 87 + ### Requirements 88 + 89 + - **Firefox:** Version 109+ (for Manifest V3 support) 90 + - **Chrome/Edge:** Latest version 91 + 92 + ## Testing 93 + 94 + After loading the extension in Firefox: 95 + 96 + 1. Navigate to Twitter/X Following page (e.g., `https://twitter.com/username/following`) 97 + 2. Click the extension icon in the toolbar 98 + 3. The popup should show "Ready to scan" state 99 + 4. Click "Start Scan" to scrape usernames 100 + 5. Click "Open on ATlast" to upload results 101 + 102 + ## Debugging 103 + 104 + ### View Console Logs 105 + 106 + **Background Script:** 107 + - Go to `about:debugging#/runtime/this-firefox` 108 + - Find "ATlast Importer" in the list 109 + - Click "Inspect" 110 + 111 + **Popup:** 112 + - Right-click extension icon → "Inspect Extension" 113 + 114 + **Content Script:** 115 + - Open DevTools on Twitter/X page (F12) 116 + - Look for `[ATlast]` prefixed logs in Console 117 + 118 + ### Common Issues 119 + 120 + 1. **Extension not loading:** 121 + - Check Firefox version is 109+ 122 + - Ensure manifest.json is valid 123 + - Check browser console for errors 124 + 125 + 2. **Scan not starting:** 126 + - Verify you're on Twitter/X Following page 127 + - Check content script is injected (look for console logs) 128 + - Ensure page is fully loaded 129 + 130 + 3. **"Server offline" message:** 131 + - Make sure dev server is running (`netlify dev`) 132 + - Check API URL in extension settings 133 + 134 + ## Packaging for Distribution 135 + 136 + Create production builds for both browsers: 137 + 138 + ```bash 139 + pnpm run package:prod 140 + ``` 141 + 142 + This creates: 143 + - `dist/chrome.zip` - Ready for Chrome Web Store 144 + - `dist/firefox.zip` - Ready for Firefox Add-ons 145 + 146 + ## Development Workflow 147 + 148 + ```bash 149 + # Watch mode (auto-rebuild on changes) 150 + pnpm run dev 151 + 152 + # In Firefox: 153 + # 1. about:debugging → Reload extension after each rebuild 154 + # 2. Or use web-ext for auto-reload: 155 + 156 + npx web-ext run --source-dir=dist/firefox 157 + ``` 158 + 159 + ## Differences You Might Notice 160 + 161 + 1. **Background page persistence:** 162 + - Chrome: Service worker (non-persistent) 163 + - Firefox: Scripts array (similar behavior in MV3) 164 + 165 + 2. **API behavior:** 166 + - Firefox: Native Promise support 167 + - Chrome: Promises via polyfill 168 + 169 + 3. **Extension ID:** 170 + - Chrome: Auto-generated 171 + - Firefox: Explicitly set as `atlast-importer@byarielm.fyi` 172 + 173 + Both versions use the same source code and should behave identically!
+35 -2
packages/extension/README.md
··· 4 5 ## Development 6 7 ### Build Extension 8 9 ```bash 10 cd packages/extension 11 pnpm install 12 - pnpm run build 13 ``` 14 15 The built extension will be in `dist/chrome/`. ··· 23 5. The extension should now appear in your extensions list 24 25 ### Testing the Extension 26 27 #### Step 1: Navigate to Twitter Following Page 28 ··· 89 90 #### Common Issues 91 92 **Issue: Popup shows "Go to x.com/following" even when on following page** 93 94 Possible causes: ··· 120 For production deployment (Chrome Web Store): 121 122 ```bash 123 - pnpm run build 124 cd dist/chrome 125 zip -r ../chrome.zip . 126 ``` 127 128 Upload `dist/chrome.zip` to Chrome Web Store. 129 130 ## Architecture 131
··· 4 5 ## Development 6 7 + **Prerequisites:** 8 + - ATlast dev server must be running at `http://127.0.0.1:8888` 9 + - You must be logged in to ATlast before using the extension 10 + 11 ### Build Extension 12 13 ```bash 14 + # From project root: 15 cd packages/extension 16 pnpm install 17 + pnpm run build # Dev build (uses http://127.0.0.1:8888) 18 + pnpm run build:prod # Production build (uses https://atlast.byarielm.fyi) 19 ``` 20 21 The built extension will be in `dist/chrome/`. ··· 29 5. The extension should now appear in your extensions list 30 31 ### Testing the Extension 32 + 33 + #### Step 0: Start ATlast Dev Server 34 + 35 + ```bash 36 + # From project root: 37 + npx netlify-cli dev --filter @atlast/web 38 + # Server will start at http://127.0.0.1:8888 39 + ``` 40 + 41 + Then open `http://127.0.0.1:8888` and log in with your Bluesky handle. 42 43 #### Step 1: Navigate to Twitter Following Page 44 ··· 105 106 #### Common Issues 107 108 + **Issue: Extension shows "Not logged in to ATlast"** 109 + 110 + Solution: 111 + 1. Open `http://127.0.0.1:8888` in a new tab 112 + 2. Log in with your Bluesky handle 113 + 3. Return to extension and click "Check Again" 114 + 115 + **Issue: Extension shows "ATlast server not running"** 116 + 117 + Solution: 118 + 1. Start dev server: `npx netlify-cli dev --filter @atlast/web` 119 + 2. Wait for server to start at `http://127.0.0.1:8888` 120 + 3. Click "Check Again" in extension 121 + 122 **Issue: Popup shows "Go to x.com/following" even when on following page** 123 124 Possible causes: ··· 150 For production deployment (Chrome Web Store): 151 152 ```bash 153 + cd packages/extension 154 + pnpm run build:prod # Uses production API URL 155 cd dist/chrome 156 zip -r ../chrome.zip . 157 ``` 158 159 Upload `dist/chrome.zip` to Chrome Web Store. 160 + 161 + **Note:** Production build connects to `https://atlast.byarielm.fyi` instead of local dev server. 162 163 ## Architecture 164
+93 -40
packages/extension/build.js
··· 2 import * as fs from 'fs'; 3 import * as path from 'path'; 4 import { fileURLToPath } from 'url'; 5 6 const __dirname = path.dirname(fileURLToPath(import.meta.url)); 7 ··· 18 console.log(`🔗 API URL: ${ATLAST_API_URL}`); 19 20 // Clean dist directory 21 - const distDir = path.join(__dirname, 'dist', 'chrome'); 22 - if (fs.existsSync(distDir)) { 23 - fs.rmSync(distDir, { recursive: true }); 24 } 25 - fs.mkdirSync(distDir, { recursive: true }); 26 27 // Build configuration base 28 const buildConfigBase = { ··· 35 '__ATLAST_API_URL__': JSON.stringify(ATLAST_API_URL), 36 '__BUILD_MODE__': JSON.stringify(mode), 37 }, 38 }; 39 40 - // Build scripts 41 - const scripts = [ 42 - { 43 - ...buildConfigBase, 44 - entryPoints: ['src/content/index.ts'], 45 - outfile: path.join(distDir, 'content', 'index.js'), 46 - }, 47 - { 48 - ...buildConfigBase, 49 - entryPoints: ['src/background/service-worker.ts'], 50 - outfile: path.join(distDir, 'background', 'service-worker.js'), 51 - }, 52 - { 53 - ...buildConfigBase, 54 - entryPoints: ['src/popup/popup.ts'], 55 - outfile: path.join(distDir, 'popup', 'popup.js'), 56 - }, 57 - ]; 58 59 // Build function 60 async function build() { 61 try { 62 - console.log('🔨 Building extension...'); 63 64 - // Build all scripts 65 - for (const config of scripts) { 66 - if (watch) { 67 - const ctx = await esbuild.context(config); 68 - await ctx.watch(); 69 - console.log(`👀 Watching ${path.basename(config.entryPoints[0])}...`); 70 - } else { 71 - await esbuild.build(config); 72 - console.log(`✅ Built ${path.basename(config.entryPoints[0])}`); 73 } 74 } 75 76 - // Copy static files 77 - copyStaticFiles(); 78 - 79 if (!watch) { 80 - console.log('✨ Build complete!'); 81 } 82 } catch (error) { 83 console.error('❌ Build failed:', error); ··· 85 } 86 } 87 88 // Copy static files 89 - function copyStaticFiles() { 90 const filesToCopy = [ 91 - { from: 'manifest.json', to: 'manifest.json' }, 92 { from: 'src/popup/popup.html', to: 'popup/popup.html' }, 93 - { from: 'src/popup/popup.css', to: 'popup/popup.css' }, 94 ]; 95 96 for (const file of filesToCopy) { 97 - const srcPath = path.join(__dirname, file.from); 98 const destPath = path.join(distDir, file.to); 99 100 // Create directory if it doesn't exist
··· 2 import * as fs from 'fs'; 3 import * as path from 'path'; 4 import { fileURLToPath } from 'url'; 5 + import postcss from 'postcss'; 6 + import tailwindcss from 'tailwindcss'; 7 + import autoprefixer from 'autoprefixer'; 8 9 const __dirname = path.dirname(fileURLToPath(import.meta.url)); 10 ··· 21 console.log(`🔗 API URL: ${ATLAST_API_URL}`); 22 23 // Clean dist directory 24 + const distBaseDir = path.join(__dirname, 'dist'); 25 + if (fs.existsSync(distBaseDir)) { 26 + fs.rmSync(distBaseDir, { recursive: true }); 27 } 28 + fs.mkdirSync(distBaseDir, { recursive: true }); 29 30 // Build configuration base 31 const buildConfigBase = { ··· 38 '__ATLAST_API_URL__': JSON.stringify(ATLAST_API_URL), 39 '__BUILD_MODE__': JSON.stringify(mode), 40 }, 41 + // Include webextension-polyfill in the bundle 42 + external: [], 43 }; 44 45 + // Build scripts for a specific browser 46 + function getScripts(browser) { 47 + const distDir = path.join(distBaseDir, browser); 48 + return [ 49 + { 50 + ...buildConfigBase, 51 + entryPoints: ['src/content/index.ts'], 52 + outfile: path.join(distDir, 'content', 'index.js'), 53 + }, 54 + { 55 + ...buildConfigBase, 56 + entryPoints: ['src/background/service-worker.ts'], 57 + outfile: path.join(distDir, 'background', 'service-worker.js'), 58 + }, 59 + { 60 + ...buildConfigBase, 61 + entryPoints: ['src/popup/popup.ts'], 62 + outfile: path.join(distDir, 'popup', 'popup.js'), 63 + }, 64 + ]; 65 + } 66 67 // Build function 68 async function build() { 69 try { 70 + console.log('🔨 Building extension for Chrome and Firefox...'); 71 72 + const browsers = ['chrome', 'firefox']; 73 + 74 + for (const browser of browsers) { 75 + console.log(`\n📦 Building ${browser} version...`); 76 + const scripts = getScripts(browser); 77 + 78 + // Build all scripts 79 + for (const config of scripts) { 80 + if (watch) { 81 + const ctx = await esbuild.context(config); 82 + await ctx.watch(); 83 + console.log(`👀 Watching ${browser}/${path.basename(config.entryPoints[0])}...`); 84 + } else { 85 + await esbuild.build(config); 86 + console.log(`✅ Built ${browser}/${path.basename(config.entryPoints[0])}`); 87 + } 88 } 89 + 90 + // Copy static files 91 + copyStaticFiles(browser); 92 + 93 + // Process CSS with Tailwind 94 + await processCSS(browser); 95 } 96 97 if (!watch) { 98 + console.log('\n✨ Build complete for both browsers!'); 99 } 100 } catch (error) { 101 console.error('❌ Build failed:', error); ··· 103 } 104 } 105 106 + // Process CSS with PostCSS (Tailwind + Autoprefixer) 107 + async function processCSS(browser) { 108 + const cssPath = path.join(__dirname, 'src/popup/popup.css'); 109 + const distDir = path.join(distBaseDir, browser); 110 + const outputPath = path.join(distDir, 'popup/popup.css'); 111 + 112 + const css = fs.readFileSync(cssPath, 'utf8'); 113 + 114 + // Import cssnano dynamically for production minification 115 + const plugins = [tailwindcss, autoprefixer]; 116 + if (isProd) { 117 + const cssnano = (await import('cssnano')).default; 118 + plugins.push(cssnano); 119 + } 120 + 121 + const result = await postcss(plugins).process(css, { 122 + from: cssPath, 123 + to: outputPath, 124 + }); 125 + 126 + // Create directory if it doesn't exist 127 + const destDir = path.dirname(outputPath); 128 + if (!fs.existsSync(destDir)) { 129 + fs.mkdirSync(destDir, { recursive: true }); 130 + } 131 + 132 + fs.writeFileSync(outputPath, result.css); 133 + console.log('🎨 Processed CSS with Tailwind'); 134 + } 135 + 136 // Copy static files 137 + function copyStaticFiles(browser) { 138 + const distDir = path.join(distBaseDir, browser); 139 + 140 const filesToCopy = [ 141 + { from: `manifest.${browser}.json`, to: 'manifest.json', fallback: 'manifest.json' }, 142 { from: 'src/popup/popup.html', to: 'popup/popup.html' }, 143 ]; 144 145 for (const file of filesToCopy) { 146 + // Try to use browser-specific file first, fall back to default 147 + let srcPath = path.join(__dirname, file.from); 148 + if (file.fallback && !fs.existsSync(srcPath)) { 149 + srcPath = path.join(__dirname, file.fallback); 150 + } 151 const destPath = path.join(distDir, file.to); 152 153 // Create directory if it doesn't exist
+44
packages/extension/manifest.chrome.json
···
··· 1 + { 2 + "manifest_version": 3, 3 + "name": "ATlast Importer", 4 + "version": "1.0.0", 5 + "description": "Import your Twitter/X follows to find them on Bluesky", 6 + "permissions": [ 7 + "activeTab", 8 + "storage" 9 + ], 10 + "host_permissions": [ 11 + "https://twitter.com/*", 12 + "https://x.com/*", 13 + "http://127.0.0.1:8888/*", 14 + "http://localhost:8888/*", 15 + "https://atlast.byarielm.fyi/*" 16 + ], 17 + "background": { 18 + "service_worker": "background/service-worker.js", 19 + "type": "module" 20 + }, 21 + "content_scripts": [ 22 + { 23 + "matches": [ 24 + "https://twitter.com/*", 25 + "https://x.com/*" 26 + ], 27 + "js": ["content/index.js"], 28 + "run_at": "document_idle" 29 + } 30 + ], 31 + "action": { 32 + "default_popup": "popup/popup.html", 33 + "default_icon": { 34 + "16": "assets/icon-16.png", 35 + "48": "assets/icon-48.png", 36 + "128": "assets/icon-128.png" 37 + } 38 + }, 39 + "icons": { 40 + "16": "assets/icon-16.png", 41 + "48": "assets/icon-48.png", 42 + "128": "assets/icon-128.png" 43 + } 44 + }
+51
packages/extension/manifest.firefox.json
···
··· 1 + { 2 + "manifest_version": 3, 3 + "name": "ATlast Importer", 4 + "version": "1.0.0", 5 + "description": "Import your Twitter/X follows to find them on Bluesky", 6 + "permissions": [ 7 + "activeTab", 8 + "storage", 9 + "cookies" 10 + ], 11 + "host_permissions": [ 12 + "https://twitter.com/*", 13 + "https://x.com/*", 14 + "http://127.0.0.1:8888/*", 15 + "http://localhost:8888/*", 16 + "https://atlast.byarielm.fyi/*" 17 + ], 18 + "background": { 19 + "scripts": ["background/service-worker.js"], 20 + "type": "module" 21 + }, 22 + "content_scripts": [ 23 + { 24 + "matches": [ 25 + "https://twitter.com/*", 26 + "https://x.com/*" 27 + ], 28 + "js": ["content/index.js"], 29 + "run_at": "document_idle" 30 + } 31 + ], 32 + "action": { 33 + "default_popup": "popup/popup.html", 34 + "default_icon": { 35 + "16": "assets/icon-16.png", 36 + "48": "assets/icon-48.png", 37 + "128": "assets/icon-128.png" 38 + } 39 + }, 40 + "icons": { 41 + "16": "assets/icon-16.png", 42 + "48": "assets/icon-48.png", 43 + "128": "assets/icon-128.png" 44 + }, 45 + "browser_specific_settings": { 46 + "gecko": { 47 + "id": "atlast-importer@byarielm.fyi", 48 + "strict_min_version": "109.0" 49 + } 50 + } 51 + }
+10 -2
packages/extension/package.json
··· 9 "build:prod": "node build.js --prod", 10 "dev": "node build.js --watch", 11 "package:chrome": "cd dist/chrome && zip -r ../chrome.zip .", 12 - "package:prod": "npm run build:prod && npm run package:chrome" 13 }, 14 "dependencies": { 15 - "@atlast/shared": "workspace:*" 16 }, 17 "devDependencies": { 18 "@types/chrome": "^0.0.256", 19 "esbuild": "^0.19.11", 20 "typescript": "^5.3.3" 21 } 22 }
··· 9 "build:prod": "node build.js --prod", 10 "dev": "node build.js --watch", 11 "package:chrome": "cd dist/chrome && zip -r ../chrome.zip .", 12 + "package:firefox": "cd dist/firefox && zip -r ../firefox.zip .", 13 + "package:all": "pnpm run package:chrome && pnpm run package:firefox", 14 + "package:prod": "pnpm run build:prod && pnpm run package:all" 15 }, 16 "dependencies": { 17 + "@atlast/shared": "workspace:*", 18 + "webextension-polyfill": "^0.12.0" 19 }, 20 "devDependencies": { 21 "@types/chrome": "^0.0.256", 22 + "@types/webextension-polyfill": "^0.12.4", 23 + "autoprefixer": "^10.4.23", 24 + "cssnano": "^7.1.2", 25 "esbuild": "^0.19.11", 26 + "postcss": "^8.5.6", 27 + "tailwindcss": "^3.4.19", 28 "typescript": "^5.3.3" 29 } 30 }
+7
packages/extension/postcss.config.js
···
··· 1 + export default { 2 + plugins: { 3 + tailwindcss: {}, 4 + autoprefixer: {}, 5 + ...(process.env.NODE_ENV === 'production' ? { cssnano: {} } : {}), 6 + }, 7 + };
+2 -1
packages/extension/src/background/service-worker.ts
··· 1 import { 2 MessageType, 3 onMessage, ··· 150 /** 151 * Log extension installation 152 */ 153 - chrome.runtime.onInstalled.addListener((details) => { 154 console.log('[Background] Extension installed:', details.reason); 155 156 if (details.reason === 'install') {
··· 1 + import browser from 'webextension-polyfill'; 2 import { 3 MessageType, 4 onMessage, ··· 151 /** 152 * Log extension installation 153 */ 154 + browser.runtime.onInstalled.addListener((details) => { 155 console.log('[Background] Extension installed:', details.reason); 156 157 if (details.reason === 'install') {
+71 -9
packages/extension/src/lib/api-client.ts
··· 2 * ATlast API client for extension 3 */ 4 5 // These are replaced at build time by esbuild 6 declare const __ATLAST_API_URL__: string; 7 declare const __BUILD_MODE__: string; ··· 40 try { 41 const response = await fetch(url, { 42 method: 'POST', 43 headers: { 44 'Content-Type': 'application/json' 45 }, ··· 51 throw new Error(`Upload failed: ${response.status} ${errorText}`); 52 } 53 54 - const data: ExtensionImportResponse = await response.json(); 55 - return data; 56 } catch (error) { 57 console.error('[API Client] Upload error:', error); 58 throw error instanceof Error ··· 65 * Get extension version from manifest 66 */ 67 export function getExtensionVersion(): string { 68 - return chrome.runtime.getManifest().version; 69 } 70 71 /** ··· 74 */ 75 export async function checkServerHealth(): Promise<boolean> { 76 try { 77 - // Try to fetch the root URL with a short timeout 78 const controller = new AbortController(); 79 const timeoutId = setTimeout(() => controller.abort(), 3000); 80 81 - const response = await fetch(ATLAST_API_URL, { 82 - method: 'HEAD', 83 - signal: controller.signal 84 }); 85 86 clearTimeout(timeoutId); 87 88 - // Any response (even 404) means server is running 89 - return true; 90 } catch (error) { 91 console.error('[API Client] Server health check failed:', error); 92 return false; ··· 99 export function getApiUrl(): string { 100 return ATLAST_API_URL; 101 }
··· 2 * ATlast API client for extension 3 */ 4 5 + import browser from 'webextension-polyfill'; 6 + 7 // These are replaced at build time by esbuild 8 declare const __ATLAST_API_URL__: string; 9 declare const __BUILD_MODE__: string; ··· 42 try { 43 const response = await fetch(url, { 44 method: 'POST', 45 + credentials: 'include', // Include cookies for auth 46 headers: { 47 'Content-Type': 'application/json' 48 }, ··· 54 throw new Error(`Upload failed: ${response.status} ${errorText}`); 55 } 56 57 + // Backend wraps response in ApiResponse structure: { success: true, data: {...} } 58 + const apiResponse: { success: boolean; data: ExtensionImportResponse } = await response.json(); 59 + return apiResponse.data; 60 } catch (error) { 61 console.error('[API Client] Upload error:', error); 62 throw error instanceof Error ··· 69 * Get extension version from manifest 70 */ 71 export function getExtensionVersion(): string { 72 + return browser.runtime.getManifest().version; 73 } 74 75 /** ··· 78 */ 79 export async function checkServerHealth(): Promise<boolean> { 80 try { 81 + // Try to fetch the health endpoint with a short timeout 82 const controller = new AbortController(); 83 const timeoutId = setTimeout(() => controller.abort(), 3000); 84 85 + const response = await fetch(`${ATLAST_API_URL}/.netlify/functions/health`, { 86 + method: 'GET', 87 + signal: controller.signal, 88 + credentials: 'include', // Include for CORS 89 }); 90 91 clearTimeout(timeoutId); 92 93 + // Any successful response means server is running 94 + return response.ok; 95 } catch (error) { 96 console.error('[API Client] Server health check failed:', error); 97 return false; ··· 104 export function getApiUrl(): string { 105 return ATLAST_API_URL; 106 } 107 + 108 + /** 109 + * Check if user is logged in to ATlast 110 + * Returns user profile if logged in, null otherwise 111 + */ 112 + export async function checkSession(): Promise<{ 113 + did: string; 114 + handle: string; 115 + displayName?: string; 116 + avatar?: string; 117 + } | null> { 118 + try { 119 + // Try to get session cookie using browser.cookies API 120 + // This works around Firefox's cookie partitioning for extensions 121 + let sessionId: string | null = null; 122 + 123 + try { 124 + const cookieName = __BUILD_MODE__ === 'production' ? 'atlast_session' : 'atlast_session_dev'; 125 + const cookie = await browser.cookies.get({ 126 + url: ATLAST_API_URL, 127 + name: cookieName 128 + }); 129 + 130 + if (cookie) { 131 + sessionId = cookie.value; 132 + console.log('[API Client] Found session cookie:', cookieName); 133 + } 134 + } catch (cookieError) { 135 + console.log('[API Client] Could not read cookie:', cookieError); 136 + } 137 + 138 + // Build URL with session parameter if we have one 139 + const url = sessionId 140 + ? `${ATLAST_API_URL}/.netlify/functions/session?session=${sessionId}` 141 + : `${ATLAST_API_URL}/.netlify/functions/session`; 142 + 143 + const response = await fetch(url, { 144 + method: 'GET', 145 + credentials: 'include', // Include cookies as fallback 146 + headers: { 147 + 'Accept': 'application/json' 148 + } 149 + }); 150 + 151 + if (!response.ok) { 152 + console.log('[API Client] Not logged in'); 153 + return null; 154 + } 155 + 156 + // Backend wraps response in ApiResponse structure: { success: true, data: {...} } 157 + const apiResponse: { success: boolean; data: any } = await response.json(); 158 + return apiResponse.data; 159 + } catch (error) { 160 + console.error('[API Client] Session check failed:', error); 161 + return null; 162 + } 163 + }
+6 -5
packages/extension/src/lib/messaging.ts
··· 1 import type { ScraperProgress, ScraperResult } from '../content/scrapers/base-scraper.js'; 2 3 /** ··· 87 * Send message to background script 88 */ 89 export function sendToBackground<T = any>(message: Message): Promise<T> { 90 - return chrome.runtime.sendMessage(message); 91 } 92 93 /** 94 * Send message to active tab's content script 95 */ 96 export async function sendToContent(message: Message): Promise<any> { 97 - const [tab] = await chrome.tabs.query({ active: true, currentWindow: true }); 98 if (!tab.id) { 99 throw new Error('No active tab found'); 100 } 101 - return chrome.tabs.sendMessage(tab.id, message); 102 } 103 104 /** 105 * Listen for messages 106 */ 107 export function onMessage( 108 - handler: (message: Message, sender: chrome.runtime.MessageSender) => any | Promise<any> 109 ): void { 110 - chrome.runtime.onMessage.addListener((message, sender, sendResponse) => { 111 const result = handler(message, sender); 112 113 // Handle async handlers
··· 1 + import browser from 'webextension-polyfill'; 2 import type { ScraperProgress, ScraperResult } from '../content/scrapers/base-scraper.js'; 3 4 /** ··· 88 * Send message to background script 89 */ 90 export function sendToBackground<T = any>(message: Message): Promise<T> { 91 + return browser.runtime.sendMessage(message); 92 } 93 94 /** 95 * Send message to active tab's content script 96 */ 97 export async function sendToContent(message: Message): Promise<any> { 98 + const [tab] = await browser.tabs.query({ active: true, currentWindow: true }); 99 if (!tab.id) { 100 throw new Error('No active tab found'); 101 } 102 + return browser.tabs.sendMessage(tab.id, message); 103 } 104 105 /** 106 * Listen for messages 107 */ 108 export function onMessage( 109 + handler: (message: Message, sender: browser.Runtime.MessageSender) => any | Promise<any> 110 ): void { 111 + browser.runtime.onMessage.addListener((message, sender, sendResponse) => { 112 const result = handler(message, sender); 113 114 // Handle async handlers
+4 -3
packages/extension/src/lib/storage.ts
··· 1 import type { ExtensionState } from './messaging.js'; 2 3 /** ··· 11 * Get extension state from storage 12 */ 13 export async function getState(): Promise<ExtensionState> { 14 - const result = await chrome.storage.local.get(STORAGE_KEYS.STATE); 15 return result[STORAGE_KEYS.STATE] || { status: 'idle' }; 16 } 17 ··· 19 * Save extension state to storage 20 */ 21 export async function setState(state: ExtensionState): Promise<void> { 22 - await chrome.storage.local.set({ [STORAGE_KEYS.STATE]: state }); 23 } 24 25 /** 26 * Clear extension state 27 */ 28 export async function clearState(): Promise<void> { 29 - await chrome.storage.local.remove(STORAGE_KEYS.STATE); 30 }
··· 1 + import browser from 'webextension-polyfill'; 2 import type { ExtensionState } from './messaging.js'; 3 4 /** ··· 12 * Get extension state from storage 13 */ 14 export async function getState(): Promise<ExtensionState> { 15 + const result = await browser.storage.local.get(STORAGE_KEYS.STATE); 16 return result[STORAGE_KEYS.STATE] || { status: 'idle' }; 17 } 18 ··· 20 * Save extension state to storage 21 */ 22 export async function setState(state: ExtensionState): Promise<void> { 23 + await browser.storage.local.set({ [STORAGE_KEYS.STATE]: state }); 24 } 25 26 /** 27 * Clear extension state 28 */ 29 export async function clearState(): Promise<void> { 30 + await browser.storage.local.remove(STORAGE_KEYS.STATE); 31 }
+16 -283
packages/extension/src/popup/popup.css
··· 1 - * { 2 - margin: 0; 3 - padding: 0; 4 - box-sizing: border-box; 5 - } 6 - 7 - code { 8 - background: rgba(0, 0, 0, 0.1); 9 - padding: 4px 8px; 10 - border-radius: 4px; 11 - font-family: 'Courier New', monospace; 12 - font-size: 11px; 13 - display: inline-block; 14 - margin: 8px 0; 15 - } 16 - 17 - @media (prefers-color-scheme: dark) { 18 - code { 19 - background: rgba(255, 255, 255, 0.1); 20 - } 21 - } 22 - 23 - body { 24 - width: 350px; 25 - min-height: 400px; 26 - font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, 'Helvetica Neue', Arial, sans-serif; 27 - color: #1e293b; 28 - background: linear-gradient(135deg, #faf5ff 0%, #ffffff 50%, #ecfeff 100%); 29 - } 30 - 31 - @media (prefers-color-scheme: dark) { 32 - body { 33 - color: #e0f2fe; 34 - background: linear-gradient(135deg, #0f172a 0%, #1e1b4b 50%, #0c4a6e 100%); 35 - } 36 - } 37 - 38 - .container { 39 - display: flex; 40 - flex-direction: column; 41 - min-height: 400px; 42 - } 43 - 44 - header { 45 - background: linear-gradient(to right, #facc15 0%, #f97316 50%, #ec4899 100%); 46 - color: white; 47 - padding: 20px; 48 - text-align: center; 49 - } 50 - 51 - h1 { 52 - font-size: 20px; 53 - font-weight: 700; 54 - margin-bottom: 4px; 55 - } 56 - 57 - .tagline { 58 - font-size: 13px; 59 - opacity: 0.9; 60 - } 61 - 62 - main { 63 - flex: 1; 64 - padding: 24px 20px; 65 - display: flex; 66 - align-items: center; 67 - justify-content: center; 68 - } 69 - 70 - .state { 71 - width: 100%; 72 - text-align: center; 73 - } 74 - 75 - .state.hidden { 76 - display: none; 77 - } 78 79 - .icon { 80 - font-size: 48px; 81 - margin-bottom: 16px; 82 - } 83 - 84 - .spinner { 85 - animation: spin 2s linear infinite; 86 - } 87 - 88 @keyframes spin { 89 - from { transform: rotate(0deg); } 90 - to { transform: rotate(360deg); } 91 - } 92 - 93 - .message { 94 - font-size: 16px; 95 - font-weight: 600; 96 - margin-bottom: 12px; 97 - color: #334155; 98 - } 99 - 100 - @media (prefers-color-scheme: dark) { 101 - .message { 102 - color: #e0f2fe; 103 } 104 - } 105 - 106 - .hint { 107 - font-size: 13px; 108 - color: #64748b; 109 - margin-top: 8px; 110 - } 111 - 112 - @media (prefers-color-scheme: dark) { 113 - .hint { 114 - color: #94a3b8; 115 } 116 } 117 118 - .btn-primary { 119 - background: #ea580c; 120 - color: white; 121 - border: none; 122 - padding: 12px 24px; 123 - border-radius: 8px; 124 - font-size: 14px; 125 - font-weight: 600; 126 - cursor: pointer; 127 - margin-top: 16px; 128 - width: 100%; 129 - transition: transform 0.2s, box-shadow 0.2s, background-color 0.2s; 130 - } 131 - 132 - .btn-primary:hover { 133 - background: #c2410c; 134 - transform: translateY(-1px); 135 - box-shadow: 0 4px 12px rgba(234, 88, 12, 0.3); 136 - } 137 - 138 - .btn-primary:active { 139 - transform: translateY(0); 140 - } 141 - 142 - .btn-secondary { 143 - background: white; 144 - color: #6b21a8; 145 - border: 2px solid #6b21a8; 146 - padding: 10px 24px; 147 - border-radius: 8px; 148 - font-size: 14px; 149 - font-weight: 600; 150 - cursor: pointer; 151 - margin-top: 16px; 152 - width: 100%; 153 - transition: all 0.2s; 154 - } 155 - 156 - .btn-secondary:hover { 157 - background: #faf5ff; 158 - } 159 - 160 - @media (prefers-color-scheme: dark) { 161 - .btn-secondary { 162 - background: #1e1b4b; 163 - color: #06b6d4; 164 - border-color: #06b6d4; 165 } 166 - 167 - .btn-secondary:hover { 168 - background: #312e81; 169 } 170 } 171 172 - .progress { 173 - margin-top: 20px; 174 - } 175 - 176 - .progress-bar { 177 - width: 100%; 178 - height: 8px; 179 - background: #f0f9ff; 180 - border-radius: 4px; 181 - overflow: hidden; 182 - margin-bottom: 12px; 183 - } 184 - 185 - @media (prefers-color-scheme: dark) { 186 - .progress-bar { 187 - background: #1e293b; 188 - } 189 } 190 191 .progress-fill { 192 - height: 100%; 193 - background: linear-gradient(90deg, #ea580c 0%, #ec4899 100%); 194 - width: 0%; 195 - transition: width 0.3s ease; 196 animation: pulse 2s infinite; 197 } 198 - 199 - @keyframes pulse { 200 - 0%, 100% { opacity: 1; } 201 - 50% { opacity: 0.7; } 202 - } 203 - 204 - .progress-text { 205 - font-size: 16px; 206 - font-weight: 600; 207 - color: #334155; 208 - } 209 - 210 - @media (prefers-color-scheme: dark) { 211 - .progress-text { 212 - color: #e0f2fe; 213 - } 214 - } 215 - 216 - .status-message { 217 - font-size: 13px; 218 - color: #64748b; 219 - margin-top: 8px; 220 - } 221 - 222 - @media (prefers-color-scheme: dark) { 223 - .status-message { 224 - color: #94a3b8; 225 - } 226 - } 227 - 228 - .count-display { 229 - font-size: 14px; 230 - color: #64748b; 231 - margin-top: 8px; 232 - } 233 - 234 - @media (prefers-color-scheme: dark) { 235 - .count-display { 236 - color: #94a3b8; 237 - } 238 - } 239 - 240 - .count-display strong { 241 - color: #ea580c; 242 - font-size: 18px; 243 - } 244 - 245 - @media (prefers-color-scheme: dark) { 246 - .count-display strong { 247 - color: #fb923c; 248 - } 249 - } 250 - 251 - .error-message { 252 - font-size: 13px; 253 - color: #dc2626; 254 - margin-top: 8px; 255 - padding: 12px; 256 - background: #fee2e2; 257 - border-radius: 6px; 258 - border-left: 3px solid #dc2626; 259 - } 260 - 261 - @media (prefers-color-scheme: dark) { 262 - .error-message { 263 - color: #fca5a5; 264 - background: #450a0a; 265 - border-left-color: #ef4444; 266 - } 267 - } 268 - 269 - footer { 270 - padding: 16px; 271 - text-align: center; 272 - border-top: 1px solid #e0e7ff; 273 - background: white; 274 - } 275 - 276 - @media (prefers-color-scheme: dark) { 277 - footer { 278 - border-top-color: #1e293b; 279 - background: #0f172a; 280 - } 281 - } 282 - 283 - footer a { 284 - color: #ea580c; 285 - text-decoration: none; 286 - font-size: 13px; 287 - font-weight: 500; 288 - } 289 - 290 - @media (prefers-color-scheme: dark) { 291 - footer a { 292 - color: #fb923c; 293 - } 294 - } 295 - 296 - footer a:hover { 297 - text-decoration: underline; 298 - }
··· 1 + @tailwind base; 2 + @tailwind components; 3 + @tailwind utilities; 4 5 + /* Custom animations for spinner */ 6 @keyframes spin { 7 + from { 8 + transform: rotate(0deg); 9 } 10 + to { 11 + transform: rotate(360deg); 12 } 13 } 14 15 + @keyframes pulse { 16 + 0%, 17 + 100% { 18 + opacity: 1; 19 } 20 + 50% { 21 + opacity: 0.7; 22 } 23 } 24 25 + .spinner { 26 + animation: spin 2s linear infinite; 27 } 28 29 .progress-fill { 30 animation: pulse 2s infinite; 31 }
+106 -77
packages/extension/src/popup/popup.html
··· 1 - <!DOCTYPE html> 2 <html lang="en"> 3 - <head> 4 - <meta charset="UTF-8"> 5 - <meta name="viewport" content="width=device-width, initial-scale=1.0"> 6 - <title>ATlast Importer</title> 7 - <link rel="stylesheet" href="popup.css"> 8 - </head> 9 - <body> 10 - <div class="container"> 11 - <header> 12 - <h1>ATlast Importer</h1> 13 - <p class="tagline">Find your follows on Bluesky</p> 14 - </header> 15 16 - <main id="app"> 17 - <!-- Idle state --> 18 - <div id="state-idle" class="state hidden"> 19 - <div class="icon">🔍</div> 20 - <p class="message">Go to your Twitter/X Following page to start</p> 21 - <p class="hint">Visit x.com/yourusername/following</p> 22 - </div> 23 24 - <!-- Ready state --> 25 - <div id="state-ready" class="state hidden"> 26 - <div class="icon">✅</div> 27 - <p class="message">Ready to scan <span id="platform-name"></span></p> 28 - <button id="btn-start" class="btn-primary">Start Scan</button> 29 - </div> 30 31 - <!-- Scraping state --> 32 - <div id="state-scraping" class="state hidden"> 33 - <div class="icon spinner">⏳</div> 34 - <p class="message">Scanning...</p> 35 - <div class="progress"> 36 - <div class="progress-bar"> 37 - <div id="progress-fill" class="progress-fill"></div> 38 - </div> 39 - <p class="progress-text"> 40 - Found <span id="count">0</span> users 41 - </p> 42 - <p id="status-message" class="status-message"></p> 43 - </div> 44 - </div> 45 46 - <!-- Complete state --> 47 - <div id="state-complete" class="state hidden"> 48 - <div class="icon">🎉</div> 49 - <p class="message">Scan complete!</p> 50 - <p class="count-display">Found <strong id="final-count">0</strong> users</p> 51 - <button id="btn-upload" class="btn-primary">Open in ATlast</button> 52 - </div> 53 54 - <!-- Uploading state --> 55 - <div id="state-uploading" class="state hidden"> 56 - <div class="icon spinner">📤</div> 57 - <p class="message">Uploading to ATlast...</p> 58 - </div> 59 60 - <!-- Error state --> 61 - <div id="state-error" class="state hidden"> 62 - <div class="icon">⚠️</div> 63 - <p class="message">Error</p> 64 - <p id="error-message" class="error-message"></p> 65 - <button id="btn-retry" class="btn-secondary">Try Again</button> 66 - </div> 67 68 - <!-- Server offline state --> 69 - <div id="state-offline" class="state hidden"> 70 - <div class="icon">🔌</div> 71 - <p class="message">ATlast server not running</p> 72 - <p class="error-message"> 73 - Start the dev server:<br> 74 - <code>npx netlify-cli dev --filter @atlast/web</code> 75 - </p> 76 - <p class="hint" id="server-url"></p> 77 - <button id="btn-check-server" class="btn-primary">Check Again</button> 78 - </div> 79 - </main> 80 81 - <footer> 82 - <a href="https://atlast.byarielm.fyi" target="_blank">atlast.byarielm.fyi</a> 83 - </footer> 84 - </div> 85 86 - <script type="module" src="popup.js"></script> 87 - </body> 88 </html>
··· 1 + <!doctype html> 2 <html lang="en"> 3 + <head> 4 + <meta charset="UTF-8" /> 5 + <meta name="viewport" content="width=device-width, initial-scale=1.0" /> 6 + <title>ATlast Importer</title> 7 + <link rel="stylesheet" href="popup.css" /> 8 + </head> 9 + <body class="w-[350px] min-h-[400px] font-sans text-slate-800 dark:text-cyan-50 bg-gradient-to-br from-purple-50 via-white to-cyan-50 dark:from-slate-900 dark:via-purple-950 dark:to-sky-900"> 10 + <div class="flex flex-col min-h-[400px]"> 11 + <header class="bg-firefly-banner text-white p-5 text-center"> 12 + <h1 class="text-xl font-bold mb-1">ATlast Importer</h1> 13 + <p class="text-[13px] opacity-90">Find your follows in the ATmosphere</p> 14 + </header> 15 16 + <main id="app" class="flex-1 px-5 py-6 flex items-center justify-center"> 17 + <!-- Idle state --> 18 + <div id="state-idle" class="w-full text-center hidden"> 19 + <div class="text-5xl mb-4">🔍</div> 20 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50"> 21 + Go to your Twitter/X Following page to start 22 + </p> 23 + <p class="text-[13px] text-slate-500 dark:text-slate-400 mt-2">Visit x.com/yourusername/following</p> 24 + </div> 25 26 + <!-- Ready state --> 27 + <div id="state-ready" class="w-full text-center hidden"> 28 + <div class="text-5xl mb-4">✅</div> 29 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50"> 30 + Ready to scan <span id="platform-name"></span> 31 + </p> 32 + <button id="btn-start" class="w-full bg-orange-600 hover:bg-orange-700 text-white font-semibold py-3 px-6 rounded-lg mt-4 transition-all duration-200 hover:-translate-y-0.5 hover:shadow-lg hover:shadow-orange-600/30 active:translate-y-0"> 33 + Start Scan 34 + </button> 35 + </div> 36 37 + <!-- Scraping state --> 38 + <div id="state-scraping" class="w-full text-center hidden"> 39 + <div class="text-5xl mb-4 spinner">⏳</div> 40 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Scanning...</p> 41 + <div class="mt-5"> 42 + <div class="w-full h-2 bg-sky-50 dark:bg-slate-800 rounded overflow-hidden mb-3"> 43 + <div id="progress-fill" class="h-full bg-gradient-to-r from-orange-600 to-pink-600 w-0 transition-all duration-300 progress-fill"></div> 44 + </div> 45 + <p class="text-base font-semibold text-slate-700 dark:text-cyan-50"> 46 + Found <span id="count">0</span> users 47 + </p> 48 + <p id="status-message" class="text-[13px] text-slate-500 dark:text-slate-400 mt-2"></p> 49 + </div> 50 + </div> 51 + 52 + <!-- Complete state --> 53 + <div id="state-complete" class="w-full text-center hidden"> 54 + <div class="text-5xl mb-4">🎉</div> 55 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Scan complete!</p> 56 + <p class="text-sm text-slate-500 dark:text-slate-400 mt-2"> 57 + Found <strong id="final-count" class="text-orange-600 dark:text-orange-400 text-lg">0</strong> users 58 + </p> 59 + <button id="btn-upload" class="w-full bg-orange-600 hover:bg-orange-700 text-white font-semibold py-3 px-6 rounded-lg mt-4 transition-all duration-200 hover:-translate-y-0.5 hover:shadow-lg hover:shadow-orange-600/30 active:translate-y-0"> 60 + Open in ATlast 61 + </button> 62 + </div> 63 64 + <!-- Uploading state --> 65 + <div id="state-uploading" class="w-full text-center hidden"> 66 + <div class="text-5xl mb-4 spinner">📤</div> 67 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Uploading to ATlast...</p> 68 + </div> 69 70 + <!-- Error state --> 71 + <div id="state-error" class="w-full text-center hidden"> 72 + <div class="text-5xl mb-4">⚠️</div> 73 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Error</p> 74 + <p id="error-message" class="text-[13px] text-red-600 dark:text-red-400 mt-2 p-3 bg-red-50 dark:bg-red-950/50 rounded border-l-[3px] border-red-600"></p> 75 + <button id="btn-retry" class="w-full bg-white dark:bg-purple-950 text-purple-700 dark:text-cyan-400 border-2 border-purple-700 dark:border-cyan-400 font-semibold py-2.5 px-6 rounded-lg mt-4 transition-all duration-200 hover:bg-purple-50 dark:hover:bg-purple-900"> 76 + Try Again 77 + </button> 78 + </div> 79 80 + <!-- Server offline state --> 81 + <div id="state-offline" class="w-full text-center hidden"> 82 + <div class="text-5xl mb-4">🔌</div> 83 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Server not available</p> 84 + <p id="dev-instructions" class="text-[13px] text-red-600 dark:text-red-400 mt-2 p-3 bg-red-50 dark:bg-red-950/50 rounded border-l-[3px] border-red-600"> 85 + Start the dev server:<br /> 86 + <code class="bg-black/10 dark:bg-white/10 px-2 py-1 rounded font-mono text-[11px] inline-block my-2">npx netlify-cli dev --filter @atlast/web</code> 87 + </p> 88 + <p class="text-[13px] text-slate-500 dark:text-slate-400 mt-2" id="server-url"></p> 89 + <button id="btn-check-server" class="w-full bg-orange-600 hover:bg-orange-700 text-white font-semibold py-3 px-6 rounded-lg mt-4 transition-all duration-200 hover:-translate-y-0.5 hover:shadow-lg hover:shadow-orange-600/30 active:translate-y-0"> 90 + Check Again 91 + </button> 92 + </div> 93 94 + <!-- Not logged in state --> 95 + <div id="state-not-logged-in" class="w-full text-center hidden"> 96 + <div class="text-5xl mb-4">🔐</div> 97 + <p class="text-base font-semibold mb-3 text-slate-700 dark:text-cyan-50">Not logged in to ATlast</p> 98 + <p class="text-[13px] text-red-600 dark:text-red-400 mt-2 p-3 bg-red-50 dark:bg-red-950/50 rounded border-l-[3px] border-red-600"> 99 + Please log in to ATlast first, then return here to scan. 100 + </p> 101 + <button id="btn-open-atlast" class="w-full bg-orange-600 hover:bg-orange-700 text-white font-semibold py-3 px-6 rounded-lg mt-4 transition-all duration-200 hover:-translate-y-0.5 hover:shadow-lg hover:shadow-orange-600/30 active:translate-y-0"> 102 + Open ATlast 103 + </button> 104 + <button id="btn-retry-login" class="w-full bg-white dark:bg-purple-950 text-purple-700 dark:text-cyan-400 border-2 border-purple-700 dark:border-cyan-400 font-semibold py-2.5 px-6 rounded-lg mt-4 transition-all duration-200 hover:bg-purple-50 dark:hover:bg-purple-900"> 105 + Check Again 106 + </button> 107 + </div> 108 + </main> 109 110 + <footer class="p-4 text-center border-t border-purple-200 dark:border-slate-800 bg-white dark:bg-slate-900"> 111 + <a href="https://atlast.byarielm.fyi" target="_blank" class="text-orange-600 dark:text-orange-400 no-underline text-[13px] font-medium hover:underline">atlast.byarielm.fyi</a> 112 + </footer> 113 + </div> 114 115 + <script type="module" src="popup.js"></script> 116 + </body> 117 </html>
+61 -6
packages/extension/src/popup/popup.ts
··· 1 import { 2 MessageType, 3 sendToBackground, 4 sendToContent, 5 type ExtensionState 6 } from '../lib/messaging.js'; 7 8 /** 9 * DOM elements ··· 15 complete: document.getElementById('state-complete')!, 16 uploading: document.getElementById('state-uploading')!, 17 error: document.getElementById('state-error')!, 18 - offline: document.getElementById('state-offline')! 19 }; 20 21 const elements = { ··· 25 statusMessage: document.getElementById('status-message')!, 26 errorMessage: document.getElementById('error-message')!, 27 serverUrl: document.getElementById('server-url')!, 28 progressFill: document.getElementById('progress-fill')! as HTMLElement, 29 btnStart: document.getElementById('btn-start')! as HTMLButtonElement, 30 btnUpload: document.getElementById('btn-upload')! as HTMLButtonElement, 31 btnRetry: document.getElementById('btn-retry')! as HTMLButtonElement, 32 - btnCheckServer: document.getElementById('btn-check-server')! as HTMLButtonElement 33 }; 34 35 /** ··· 157 158 console.log('[Popup] Upload successful:', response.importId); 159 160 - // Open ATlast with import ID 161 - chrome.tabs.create({ url: response.redirectUrl }); 162 163 } catch (error) { 164 console.error('[Popup] Error uploading:', error); ··· 209 if (!isOnline) { 210 console.log('[Popup] ❌ Server is offline'); 211 showState('offline'); 212 - elements.serverUrl.textContent = `Trying to reach: ${getApiUrl()}`; 213 return false; 214 } 215 ··· 248 } 249 } 250 251 // Get current state 252 console.log('[Popup] 📡 Requesting state from background...'); 253 const state = await sendToBackground<ExtensionState>({ ··· 268 }); 269 270 // Listen for storage changes (when background updates state) 271 - chrome.storage.onChanged.addListener((changes, areaName) => { 272 if (areaName === 'local' && changes.extensionState) { 273 const newState = changes.extensionState.newValue; 274 console.log('[Popup] 🔄 Storage changed, new state:', newState);
··· 1 + import browser from 'webextension-polyfill'; 2 import { 3 MessageType, 4 sendToBackground, 5 sendToContent, 6 type ExtensionState 7 } from '../lib/messaging.js'; 8 + 9 + // Build mode injected at build time 10 + declare const __BUILD_MODE__: string; 11 12 /** 13 * DOM elements ··· 19 complete: document.getElementById('state-complete')!, 20 uploading: document.getElementById('state-uploading')!, 21 error: document.getElementById('state-error')!, 22 + offline: document.getElementById('state-offline')!, 23 + notLoggedIn: document.getElementById('state-not-logged-in')! 24 }; 25 26 const elements = { ··· 30 statusMessage: document.getElementById('status-message')!, 31 errorMessage: document.getElementById('error-message')!, 32 serverUrl: document.getElementById('server-url')!, 33 + devInstructions: document.getElementById('dev-instructions')!, 34 progressFill: document.getElementById('progress-fill')! as HTMLElement, 35 btnStart: document.getElementById('btn-start')! as HTMLButtonElement, 36 btnUpload: document.getElementById('btn-upload')! as HTMLButtonElement, 37 btnRetry: document.getElementById('btn-retry')! as HTMLButtonElement, 38 + btnCheckServer: document.getElementById('btn-check-server')! as HTMLButtonElement, 39 + btnOpenAtlast: document.getElementById('btn-open-atlast')! as HTMLButtonElement, 40 + btnRetryLogin: document.getElementById('btn-retry-login')! as HTMLButtonElement 41 }; 42 43 /** ··· 165 166 console.log('[Popup] Upload successful:', response.importId); 167 168 + // Open ATlast at results page with upload data 169 + const { getApiUrl } = await import('../lib/api-client.js'); 170 + const resultsUrl = `${getApiUrl()}${response.redirectUrl}`; 171 + browser.tabs.create({ url: resultsUrl }); 172 173 } catch (error) { 174 console.error('[Popup] Error uploading:', error); ··· 219 if (!isOnline) { 220 console.log('[Popup] ❌ Server is offline'); 221 showState('offline'); 222 + 223 + // Show appropriate message based on build mode 224 + const apiUrl = getApiUrl(); 225 + const isDev = __BUILD_MODE__ === 'development'; 226 + 227 + // Hide dev instructions in production 228 + if (!isDev) { 229 + elements.devInstructions.classList.add('hidden'); 230 + } 231 + 232 + elements.serverUrl.textContent = isDev 233 + ? `Development server at ${apiUrl}` 234 + : `Cannot reach ${apiUrl}`; 235 + 236 return false; 237 } 238 ··· 271 } 272 } 273 274 + // Check if user is logged in to ATlast 275 + console.log('[Popup] 🔐 Checking login status...'); 276 + const { checkSession } = await import('../lib/api-client.js'); 277 + const session = await checkSession(); 278 + 279 + if (!session) { 280 + console.log('[Popup] ❌ Not logged in'); 281 + showState('notLoggedIn'); 282 + 283 + // Set up login buttons 284 + elements.btnOpenAtlast.addEventListener('click', () => { 285 + browser.tabs.create({ url: getApiUrl() }); 286 + }); 287 + 288 + elements.btnRetryLogin.addEventListener('click', async () => { 289 + elements.btnRetryLogin.disabled = true; 290 + elements.btnRetryLogin.textContent = 'Checking...'; 291 + 292 + const newSession = await checkSession(); 293 + if (newSession) { 294 + // User is now logged in, re-initialize 295 + init(); 296 + } else { 297 + elements.btnRetryLogin.disabled = false; 298 + elements.btnRetryLogin.textContent = 'Check Again'; 299 + } 300 + }); 301 + return; 302 + } 303 + 304 + console.log('[Popup] ✅ Logged in as', session.handle); 305 + 306 // Get current state 307 console.log('[Popup] 📡 Requesting state from background...'); 308 const state = await sendToBackground<ExtensionState>({ ··· 323 }); 324 325 // Listen for storage changes (when background updates state) 326 + browser.storage.onChanged.addListener((changes, areaName) => { 327 if (areaName === 'local' && changes.extensionState) { 328 const newState = changes.extensionState.newValue; 329 console.log('[Popup] 🔄 Storage changed, new state:', newState);
+35
packages/extension/tailwind.config.js
···
··· 1 + /** @type {import('tailwindcss').Config} */ 2 + export default { 3 + // Use media query dark mode to automatically respect system preference 4 + darkMode: "media", 5 + 6 + // Scan popup HTML and TypeScript files 7 + content: [ 8 + "./src/popup/**/*.{html,ts}", 9 + "./src/content/**/*.ts", 10 + ], 11 + 12 + // Extend with same custom config as web app 13 + theme: { 14 + extend: { 15 + colors: { 16 + firefly: { 17 + glow: "#FCD34D", 18 + amber: "#F59E0B", 19 + orange: "#F97316", 20 + pink: "#EC4899", 21 + cyan: "#10D2F4", 22 + }, 23 + cyan: { 250: "#72EEFD" }, 24 + purple: { 750: "#6A1DD1" }, 25 + yellow: { 650: "#C56508" }, 26 + orange: { 650: "#DF3F00" }, 27 + pink: { 650: "#CD206A" }, 28 + }, 29 + backgroundImage: ({ theme }) => ({ 30 + "firefly-banner": `linear-gradient(to right, ${theme("colors.yellow.400")}, ${theme("colors.orange.500")}, ${theme("colors.pink.600")})`, 31 + "firefly-banner-dark": `linear-gradient(to right, ${theme("colors.yellow.600")}, ${theme("colors.orange.600")}, ${theme("colors.pink.700")})`, 32 + }), 33 + }, 34 + }, 35 + };
+4 -2
packages/functions/src/core/middleware/error.middleware.ts
··· 21 } 22 23 if (error instanceof ApiError) { 24 - return errorResponse(error.message, error.statusCode, error.details); 25 } 26 27 // Unknown errors ··· 29 "Internal server error", 30 500, 31 error instanceof Error ? error.message : "Unknown error", 32 ); 33 } 34 }; ··· 48 console.error("Authenticated handler error:", error); 49 50 if (error instanceof ApiError) { 51 - return errorResponse(error.message, error.statusCode, error.details); 52 } 53 54 return errorResponse( 55 "Internal server error", 56 500, 57 error instanceof Error ? error.message : "Unknown error", 58 ); 59 } 60 };
··· 21 } 22 23 if (error instanceof ApiError) { 24 + return errorResponse(error.message, error.statusCode, error.details, event); 25 } 26 27 // Unknown errors ··· 29 "Internal server error", 30 500, 31 error instanceof Error ? error.message : "Unknown error", 32 + event, 33 ); 34 } 35 }; ··· 49 console.error("Authenticated handler error:", error); 50 51 if (error instanceof ApiError) { 52 + return errorResponse(error.message, error.statusCode, error.details, event); 53 } 54 55 return errorResponse( 56 "Internal server error", 57 500, 58 error instanceof Error ? error.message : "Unknown error", 59 + event, 60 ); 61 } 62 };
+59 -76
packages/functions/src/extension-import.ts
··· 1 - import type { Handler, HandlerEvent } from '@netlify/functions'; 2 import type { ExtensionImportRequest, ExtensionImportResponse } from '@atlast/shared'; 3 import { z } from 'zod'; 4 - import { storeImport } from './utils/import-store.js'; 5 6 /** 7 * Validation schema for extension import request ··· 20 /** 21 * Extension import endpoint 22 * POST /extension-import 23 */ 24 - export const handler: Handler = async (event: HandlerEvent) => { 25 - // CORS headers 26 - const headers = { 27 - 'Access-Control-Allow-Origin': '*', // TODO: Restrict in production 28 - 'Access-Control-Allow-Headers': 'Content-Type', 29 - 'Access-Control-Allow-Methods': 'POST, OPTIONS', 30 - 'Content-Type': 'application/json', 31 - }; 32 33 - // Handle OPTIONS preflight 34 - if (event.httpMethod === 'OPTIONS') { 35 - return { 36 - statusCode: 204, 37 - headers, 38 - body: '', 39 - }; 40 - } 41 42 - // Only allow POST 43 - if (event.httpMethod !== 'POST') { 44 - return { 45 - statusCode: 405, 46 - headers, 47 - body: JSON.stringify({ error: 'Method not allowed' }), 48 - }; 49 - } 50 51 - try { 52 - // Parse and validate request body 53 - const body = JSON.parse(event.body || '{}'); 54 - const validatedData = ExtensionImportSchema.parse(body); 55 56 - console.log('[extension-import] Received import:', { 57 - platform: validatedData.platform, 58 - usernameCount: validatedData.usernames.length, 59 - pageType: validatedData.metadata.pageType, 60 - extensionVersion: validatedData.metadata.extensionVersion 61 - }); 62 63 - // Store the import data 64 - const importId = storeImport(validatedData); 65 66 - // Get base URL from event (handles local and production) 67 - const baseUrl = event.headers.host?.includes('localhost') || event.headers.host?.includes('127.0.0.1') 68 - ? `http://${event.headers.host}` 69 - : `https://${event.headers.host}`; 70 71 - const redirectUrl = `${baseUrl}/import/${importId}`; 72 73 - // Return response 74 - const response: ExtensionImportResponse = { 75 - importId, 76 - usernameCount: validatedData.usernames.length, 77 - redirectUrl 78 - }; 79 80 - return { 81 - statusCode: 200, 82 - headers, 83 - body: JSON.stringify(response), 84 - }; 85 } catch (error) { 86 - console.error('[extension-import] Error:', error); 87 88 - // Handle validation errors 89 - if (error instanceof z.ZodError) { 90 - return { 91 - statusCode: 400, 92 - headers, 93 - body: JSON.stringify({ 94 - error: 'Validation error', 95 - details: error.errors 96 - }), 97 - }; 98 - } 99 100 - // Handle other errors 101 - return { 102 - statusCode: 500, 103 - headers, 104 - body: JSON.stringify({ 105 - error: 'Internal server error', 106 - message: error instanceof Error ? error.message : 'Unknown error' 107 - }), 108 - }; 109 - } 110 }; 111
··· 1 + import { AuthenticatedHandler } from './core/types'; 2 import type { ExtensionImportRequest, ExtensionImportResponse } from '@atlast/shared'; 3 import { z } from 'zod'; 4 + import crypto from 'crypto'; 5 + import { withAuthErrorHandling } from './core/middleware'; 6 + import { ValidationError } from './core/errors'; 7 + import { UploadRepository, SourceAccountRepository } from './repositories'; 8 + import { normalize } from './utils/string.utils'; 9 + import { successResponse } from './utils'; 10 11 /** 12 * Validation schema for extension import request ··· 25 /** 26 * Extension import endpoint 27 * POST /extension-import 28 + * 29 + * Requires authentication. Creates upload and saves usernames immediately. 30 */ 31 + const extensionImportHandler: AuthenticatedHandler = async (context) => { 32 + const body: ExtensionImportRequest = JSON.parse(context.event.body || '{}'); 33 34 + // Validate request 35 + const validatedData = ExtensionImportSchema.parse(body); 36 37 + console.log('[extension-import] Received import:', { 38 + did: context.did, 39 + platform: validatedData.platform, 40 + usernameCount: validatedData.usernames.length, 41 + pageType: validatedData.metadata.pageType, 42 + extensionVersion: validatedData.metadata.extensionVersion 43 + }); 44 45 + // Generate upload ID 46 + const uploadId = crypto.randomBytes(16).toString('hex'); 47 48 + // Create upload and save source accounts 49 + const uploadRepo = new UploadRepository(); 50 + const sourceAccountRepo = new SourceAccountRepository(); 51 52 + // Create upload record 53 + await uploadRepo.createUpload( 54 + uploadId, 55 + context.did, 56 + validatedData.platform, 57 + validatedData.usernames.length, 58 + 0 // matchedUsers - will be updated after search 59 + ); 60 61 + console.log(`[extension-import] Created upload ${uploadId} for user ${context.did}`); 62 63 + // Save source accounts using bulk insert and link to upload 64 + try { 65 + const sourceAccountIdMap = await sourceAccountRepo.bulkCreate( 66 + validatedData.platform, 67 + validatedData.usernames 68 + ); 69 + console.log(`[extension-import] Saved ${validatedData.usernames.length} source accounts`); 70 71 + // Link source accounts to this upload 72 + const links = Array.from(sourceAccountIdMap.values()).map(sourceAccountId => ({ 73 + sourceAccountId, 74 + sourceDate: validatedData.metadata.scrapedAt 75 + })); 76 77 + await sourceAccountRepo.linkUserToAccounts(uploadId, context.did, links); 78 + console.log(`[extension-import] Linked ${links.length} source accounts to upload`); 79 } catch (error) { 80 + console.error('[extension-import] Error saving source accounts:', error); 81 + // Continue anyway - upload is created, frontend can still search 82 + } 83 84 + // Return upload data for frontend to search 85 + const response: ExtensionImportResponse = { 86 + importId: uploadId, 87 + usernameCount: validatedData.usernames.length, 88 + redirectUrl: `/?uploadId=${uploadId}` // Frontend will load results from uploadId param 89 + }; 90 91 + return successResponse(response); 92 }; 93 94 + export const handler = withAuthErrorHandling(extensionImportHandler);
-88
packages/functions/src/get-extension-import.ts
··· 1 - import type { Handler, HandlerEvent } from '@netlify/functions'; 2 - import type { ExtensionImportRequest } from '@atlast/shared'; 3 - import { getImport } from './utils/import-store.js'; 4 - 5 - /** 6 - * Get extension import by ID 7 - * GET /get-extension-import?importId=xxx 8 - */ 9 - export const handler: Handler = async (event: HandlerEvent) => { 10 - const headers = { 11 - 'Access-Control-Allow-Origin': '*', 12 - 'Access-Control-Allow-Headers': 'Content-Type', 13 - 'Access-Control-Allow-Methods': 'GET, OPTIONS', 14 - 'Content-Type': 'application/json', 15 - }; 16 - 17 - // Handle OPTIONS preflight 18 - if (event.httpMethod === 'OPTIONS') { 19 - return { 20 - statusCode: 204, 21 - headers, 22 - body: '', 23 - }; 24 - } 25 - 26 - // Only allow GET 27 - if (event.httpMethod !== 'GET') { 28 - return { 29 - statusCode: 405, 30 - headers, 31 - body: JSON.stringify({ error: 'Method not allowed' }), 32 - }; 33 - } 34 - 35 - try { 36 - // Get import ID from query params 37 - const importId = event.queryStringParameters?.importId; 38 - 39 - if (!importId) { 40 - return { 41 - statusCode: 400, 42 - headers, 43 - body: JSON.stringify({ error: 'Missing importId parameter' }), 44 - }; 45 - } 46 - 47 - // Get import data from shared store 48 - const importData = getImport(importId); 49 - 50 - if (!importData) { 51 - return { 52 - statusCode: 404, 53 - headers, 54 - body: JSON.stringify({ error: 'Import not found or expired' }), 55 - }; 56 - } 57 - 58 - // Return import data 59 - return { 60 - statusCode: 200, 61 - headers, 62 - body: JSON.stringify(importData), 63 - }; 64 - } catch (error) { 65 - console.error('[get-extension-import] Error:', error); 66 - 67 - return { 68 - statusCode: 500, 69 - headers, 70 - body: JSON.stringify({ 71 - error: 'Internal server error', 72 - message: error instanceof Error ? error.message : 'Unknown error' 73 - }), 74 - }; 75 - } 76 - }; 77 - 78 - /** 79 - * NOTE: This is a temporary implementation using in-memory storage. 80 - * In production, both extension-import.ts and this function would share 81 - * the same database for storing and retrieving imports. 82 - * 83 - * Suggested production implementation: 84 - * - Add extension_imports table to database 85 - * - Store: platform, usernames (JSON), metadata (JSON), created_at, expires_at 86 - * - Index on import_id for fast lookups 87 - * - Auto-expire using database TTL or cron job 88 - */
···
+21
packages/functions/src/health.ts
···
··· 1 + import { SimpleHandler } from "./core/types/api.types"; 2 + import { successResponse } from "./utils"; 3 + import { withErrorHandling } from "./core/middleware"; 4 + 5 + /** 6 + * Health check endpoint 7 + * Returns 200 OK with server status 8 + */ 9 + const healthHandler: SimpleHandler = async (event) => { 10 + return successResponse( 11 + { 12 + status: "ok", 13 + timestamp: new Date().toISOString(), 14 + }, 15 + 200, 16 + {}, 17 + event 18 + ); 19 + }; 20 + 21 + export const handler = withErrorHandling(healthHandler);
+21 -21
packages/functions/src/infrastructure/database/DatabaseService.ts
··· 34 CREATE TABLE IF NOT EXISTS oauth_states ( 35 key TEXT PRIMARY KEY, 36 data JSONB NOT NULL, 37 - created_at TIMESTAMP DEFAULT NOW(), 38 - expires_at TIMESTAMP NOT NULL 39 ) 40 `; 41 ··· 43 CREATE TABLE IF NOT EXISTS oauth_sessions ( 44 key TEXT PRIMARY KEY, 45 data JSONB NOT NULL, 46 - created_at TIMESTAMP DEFAULT NOW(), 47 - expires_at TIMESTAMP NOT NULL 48 ) 49 `; 50 ··· 53 session_id TEXT PRIMARY KEY, 54 did TEXT NOT NULL, 55 fingerprint JSONB, 56 - created_at TIMESTAMP DEFAULT NOW(), 57 - expires_at TIMESTAMP NOT NULL 58 ) 59 `; 60 ··· 63 upload_id TEXT PRIMARY KEY, 64 did TEXT NOT NULL, 65 source_platform TEXT NOT NULL, 66 - created_at TIMESTAMP DEFAULT NOW(), 67 - last_checked TIMESTAMP, 68 total_users INTEGER NOT NULL, 69 matched_users INTEGER DEFAULT 0, 70 unmatched_users INTEGER DEFAULT 0 ··· 77 source_platform TEXT NOT NULL, 78 source_username TEXT NOT NULL, 79 normalized_username TEXT NOT NULL, 80 - last_checked TIMESTAMP, 81 match_found BOOLEAN DEFAULT FALSE, 82 - match_found_at TIMESTAMP, 83 - created_at TIMESTAMP DEFAULT NOW(), 84 UNIQUE(source_platform, normalized_username) 85 ) 86 `; ··· 92 did TEXT NOT NULL, 93 source_account_id INTEGER NOT NULL REFERENCES source_accounts(id) ON DELETE CASCADE, 94 source_date TEXT, 95 - created_at TIMESTAMP DEFAULT NOW(), 96 UNIQUE(upload_id, source_account_id) 97 ) 98 `; ··· 109 post_count INTEGER, 110 follower_count INTEGER, 111 match_score INTEGER NOT NULL, 112 - found_at TIMESTAMP DEFAULT NOW(), 113 - last_verified TIMESTAMP, 114 is_active BOOLEAN DEFAULT TRUE, 115 follow_status JSONB DEFAULT '{}', 116 - last_follow_check TIMESTAMP, 117 UNIQUE(source_account_id, atproto_did) 118 ) 119 `; ··· 125 atproto_match_id INTEGER NOT NULL REFERENCES atproto_matches(id) ON DELETE CASCADE, 126 source_account_id INTEGER NOT NULL REFERENCES source_accounts(id) ON DELETE CASCADE, 127 notified BOOLEAN DEFAULT FALSE, 128 - notified_at TIMESTAMP, 129 viewed BOOLEAN DEFAULT FALSE, 130 - viewed_at TIMESTAMP, 131 followed BOOLEAN DEFAULT FALSE, 132 - followed_at TIMESTAMP, 133 dismissed BOOLEAN DEFAULT FALSE, 134 - dismissed_at TIMESTAMP, 135 UNIQUE(did, atproto_match_id) 136 ) 137 `; ··· 141 id SERIAL PRIMARY KEY, 142 did TEXT NOT NULL, 143 new_matches_count INTEGER NOT NULL, 144 - created_at TIMESTAMP DEFAULT NOW(), 145 sent BOOLEAN DEFAULT FALSE, 146 - sent_at TIMESTAMP, 147 retry_count INTEGER DEFAULT 0, 148 last_error TEXT 149 )
··· 34 CREATE TABLE IF NOT EXISTS oauth_states ( 35 key TEXT PRIMARY KEY, 36 data JSONB NOT NULL, 37 + created_at TIMESTAMPTZ DEFAULT NOW(), 38 + expires_at TIMESTAMPTZ NOT NULL 39 ) 40 `; 41 ··· 43 CREATE TABLE IF NOT EXISTS oauth_sessions ( 44 key TEXT PRIMARY KEY, 45 data JSONB NOT NULL, 46 + created_at TIMESTAMPTZ DEFAULT NOW(), 47 + expires_at TIMESTAMPTZ NOT NULL 48 ) 49 `; 50 ··· 53 session_id TEXT PRIMARY KEY, 54 did TEXT NOT NULL, 55 fingerprint JSONB, 56 + created_at TIMESTAMPTZ DEFAULT NOW(), 57 + expires_at TIMESTAMPTZ NOT NULL 58 ) 59 `; 60 ··· 63 upload_id TEXT PRIMARY KEY, 64 did TEXT NOT NULL, 65 source_platform TEXT NOT NULL, 66 + created_at TIMESTAMPTZ DEFAULT NOW(), 67 + last_checked TIMESTAMPTZ, 68 total_users INTEGER NOT NULL, 69 matched_users INTEGER DEFAULT 0, 70 unmatched_users INTEGER DEFAULT 0 ··· 77 source_platform TEXT NOT NULL, 78 source_username TEXT NOT NULL, 79 normalized_username TEXT NOT NULL, 80 + last_checked TIMESTAMPTZ, 81 match_found BOOLEAN DEFAULT FALSE, 82 + match_found_at TIMESTAMPTZ, 83 + created_at TIMESTAMPTZ DEFAULT NOW(), 84 UNIQUE(source_platform, normalized_username) 85 ) 86 `; ··· 92 did TEXT NOT NULL, 93 source_account_id INTEGER NOT NULL REFERENCES source_accounts(id) ON DELETE CASCADE, 94 source_date TEXT, 95 + created_at TIMESTAMPTZ DEFAULT NOW(), 96 UNIQUE(upload_id, source_account_id) 97 ) 98 `; ··· 109 post_count INTEGER, 110 follower_count INTEGER, 111 match_score INTEGER NOT NULL, 112 + found_at TIMESTAMPTZ DEFAULT NOW(), 113 + last_verified TIMESTAMPTZ, 114 is_active BOOLEAN DEFAULT TRUE, 115 follow_status JSONB DEFAULT '{}', 116 + last_follow_check TIMESTAMPTZ, 117 UNIQUE(source_account_id, atproto_did) 118 ) 119 `; ··· 125 atproto_match_id INTEGER NOT NULL REFERENCES atproto_matches(id) ON DELETE CASCADE, 126 source_account_id INTEGER NOT NULL REFERENCES source_accounts(id) ON DELETE CASCADE, 127 notified BOOLEAN DEFAULT FALSE, 128 + notified_at TIMESTAMPTZ, 129 viewed BOOLEAN DEFAULT FALSE, 130 + viewed_at TIMESTAMPTZ, 131 followed BOOLEAN DEFAULT FALSE, 132 + followed_at TIMESTAMPTZ, 133 dismissed BOOLEAN DEFAULT FALSE, 134 + dismissed_at TIMESTAMPTZ, 135 UNIQUE(did, atproto_match_id) 136 ) 137 `; ··· 141 id SERIAL PRIMARY KEY, 142 did TEXT NOT NULL, 143 new_matches_count INTEGER NOT NULL, 144 + created_at TIMESTAMPTZ DEFAULT NOW(), 145 sent BOOLEAN DEFAULT FALSE, 146 + sent_at TIMESTAMPTZ, 147 retry_count INTEGER DEFAULT 0, 148 last_error TEXT 149 )
+14 -16
packages/functions/src/save-results.ts
··· 66 const matchRepo = new MatchRepository(); 67 let matchedCount = 0; 68 69 - const hasRecent = await uploadRepo.hasRecentUpload(context.did); 70 - if (hasRecent) { 71 - console.log( 72 - `User ${context.did} already saved within 5 seconds, skipping duplicate`, 73 ); 74 - return successResponse({ 75 - success: true, 76 - message: "Recently saved", 77 - }); 78 } 79 - 80 - await uploadRepo.createUpload( 81 - uploadId, 82 - context.did, 83 - sourcePlatform, 84 - results.length, 85 - 0, 86 - ); 87 88 const allUsernames = results.map((r) => r.sourceUser.username); 89 const sourceAccountIdMap = await sourceAccountRepo.bulkCreate(
··· 66 const matchRepo = new MatchRepository(); 67 let matchedCount = 0; 68 69 + // Check if this specific upload already exists 70 + const existingUpload = await uploadRepo.getUpload(uploadId, context.did); 71 + 72 + if (!existingUpload) { 73 + // Upload doesn't exist - create it (file upload flow) 74 + await uploadRepo.createUpload( 75 + uploadId, 76 + context.did, 77 + sourcePlatform, 78 + results.length, 79 + 0, 80 ); 81 + } else { 82 + // Upload exists (extension flow) - just update it with matches 83 + console.log(`[save-results] Updating existing upload ${uploadId} with matches`); 84 } 85 86 const allUsernames = results.map((r) => r.sourceUser.username); 87 const sourceAccountIdMap = await sourceAccountRepo.bulkCreate(
+2 -2
packages/functions/src/session.ts
··· 30 return successResponse(cached, 200, { 31 "Cache-Control": "private, max-age=300", 32 "X-Cache-Status": "HIT", 33 - }); 34 } 35 36 const { agent } = await SessionService.getAgentForSession(sessionId, event); ··· 50 return successResponse(profileData, 200, { 51 "Cache-Control": "private, max-age=300", 52 "X-Cache-Status": "MISS", 53 - }); 54 }; 55 56 export const handler = withErrorHandling(sessionHandler);
··· 30 return successResponse(cached, 200, { 31 "Cache-Control": "private, max-age=300", 32 "X-Cache-Status": "HIT", 33 + }, event); 34 } 35 36 const { agent } = await SessionService.getAgentForSession(sessionId, event); ··· 50 return successResponse(profileData, 200, { 51 "Cache-Control": "private, max-age=300", 52 "X-Cache-Status": "MISS", 53 + }, event); 54 }; 55 56 export const handler = withErrorHandling(sessionHandler);
-70
packages/functions/src/utils/import-store.ts
··· 1 - import type { ExtensionImportRequest } from '@atlast/shared'; 2 - import crypto from 'crypto'; 3 - 4 - /** 5 - * Shared in-memory store for extension imports 6 - * This is shared between extension-import.ts and get-extension-import.ts 7 - * 8 - * NOTE: In-memory storage works for development but will NOT work reliably 9 - * in production serverless environments where functions are stateless and 10 - * can run on different instances. 11 - * 12 - * For production, replace this with: 13 - * - Database (PostgreSQL/Neon) 14 - * - Redis/Upstash 15 - * - Netlify Blobs 16 - */ 17 - const importStore = new Map<string, ExtensionImportRequest>(); 18 - 19 - /** 20 - * Generate a random import ID 21 - */ 22 - export function generateImportId(): string { 23 - return crypto.randomBytes(16).toString('hex'); 24 - } 25 - 26 - /** 27 - * Store import data and return import ID 28 - */ 29 - export function storeImport(data: ExtensionImportRequest): string { 30 - const importId = generateImportId(); 31 - importStore.set(importId, data); 32 - 33 - console.log(`[ImportStore] Stored import ${importId} with ${data.usernames.length} usernames`); 34 - 35 - // Auto-expire after 1 hour 36 - setTimeout(() => { 37 - importStore.delete(importId); 38 - console.log(`[ImportStore] Expired import ${importId}`); 39 - }, 60 * 60 * 1000); 40 - 41 - return importId; 42 - } 43 - 44 - /** 45 - * Get import data by ID 46 - */ 47 - export function getImport(importId: string): ExtensionImportRequest | null { 48 - const data = importStore.get(importId) || null; 49 - console.log(`[ImportStore] Get import ${importId}: ${data ? 'found' : 'not found'}`); 50 - return data; 51 - } 52 - 53 - /** 54 - * Delete import data by ID 55 - */ 56 - export function deleteImport(importId: string): boolean { 57 - const result = importStore.delete(importId); 58 - console.log(`[ImportStore] Delete import ${importId}: ${result ? 'success' : 'not found'}`); 59 - return result; 60 - } 61 - 62 - /** 63 - * Get store stats (for debugging) 64 - */ 65 - export function getStoreStats(): { count: number; ids: string[] } { 66 - return { 67 - count: importStore.size, 68 - ids: Array.from(importStore.keys()) 69 - }; 70 - }
···
+42 -3
packages/functions/src/utils/response.utils.ts
··· 1 - import { HandlerResponse } from "@netlify/functions"; 2 import { ApiResponse } from "../core/types"; 3 4 export function successResponse<T>( 5 data: T, 6 statusCode: number = 200, 7 additionalHeaders: Record<string, string> = {}, 8 ): HandlerResponse { 9 const response: ApiResponse<T> = { 10 success: true, ··· 15 statusCode, 16 headers: { 17 "Content-Type": "application/json", 18 - "Access-Control-Allow-Origin": "*", 19 ...additionalHeaders, 20 }, 21 body: JSON.stringify(response), ··· 26 error: string, 27 statusCode: number = 500, 28 details?: string, 29 ): HandlerResponse { 30 const response: ApiResponse = { 31 success: false, ··· 37 statusCode, 38 headers: { 39 "Content-Type": "application/json", 40 - "Access-Control-Allow-Origin": "*", 41 }, 42 body: JSON.stringify(response), 43 };
··· 1 + import { HandlerResponse, HandlerEvent } from "@netlify/functions"; 2 import { ApiResponse } from "../core/types"; 3 4 + /** 5 + * Get CORS headers based on request origin 6 + * Supports credentialed requests from extensions and localhost 7 + */ 8 + function getCorsHeaders(event?: HandlerEvent): Record<string, string> { 9 + const origin = event?.headers?.origin || event?.headers?.Origin; 10 + 11 + // Allow all origins for non-credentialed requests (backward compatibility) 12 + if (!origin) { 13 + return { 14 + "Access-Control-Allow-Origin": "*", 15 + }; 16 + } 17 + 18 + // Check if origin is allowed for credentialed requests 19 + const allowedOrigins = [ 20 + 'http://localhost:8888', 21 + 'http://127.0.0.1:8888', 22 + 'https://atlast.byarielm.fyi', 23 + ]; 24 + 25 + const isExtension = origin.startsWith('chrome-extension://') || origin.startsWith('moz-extension://'); 26 + const isAllowedOrigin = allowedOrigins.includes(origin); 27 + 28 + if (isExtension || isAllowedOrigin) { 29 + return { 30 + "Access-Control-Allow-Origin": origin, 31 + "Access-Control-Allow-Credentials": "true", 32 + }; 33 + } 34 + 35 + // Default to wildcard for unknown origins 36 + return { 37 + "Access-Control-Allow-Origin": "*", 38 + }; 39 + } 40 + 41 export function successResponse<T>( 42 data: T, 43 statusCode: number = 200, 44 additionalHeaders: Record<string, string> = {}, 45 + event?: HandlerEvent, 46 ): HandlerResponse { 47 const response: ApiResponse<T> = { 48 success: true, ··· 53 statusCode, 54 headers: { 55 "Content-Type": "application/json", 56 + ...getCorsHeaders(event), 57 ...additionalHeaders, 58 }, 59 body: JSON.stringify(response), ··· 64 error: string, 65 statusCode: number = 500, 66 details?: string, 67 + event?: HandlerEvent, 68 ): HandlerResponse { 69 const response: ApiResponse = { 70 success: false, ··· 76 statusCode, 77 headers: { 78 "Content-Type": "application/json", 79 + ...getCorsHeaders(event), 80 }, 81 body: JSON.stringify(response), 82 };
+56 -24
packages/web/src/App.tsx
··· 139 searchAllUsers( 140 initialResults, 141 setStatusMessage, 142 - () => { 143 setCurrentStep("results"); 144 145 // Save results after search completes 146 - setTimeout(() => { 147 - setSearchResults((currentResults) => { 148 - if (currentResults.length > 0) { 149 - saveResults(uploadId, platform, currentResults); 150 - } 151 - return currentResults; 152 - }); 153 - }, 1000); 154 }, 155 followLexicon, 156 ); ··· 177 return; 178 } 179 180 - const platform = "tiktok"; 181 setCurrentPlatform(platform); 182 183 const loadedResults: SearchResult[] = data.results.map((result) => ({ 184 - ...result, 185 sourcePlatform: platform, 186 - isSearching: false, 187 selectedMatches: new Set<string>( 188 - result.atprotoMatches 189 .filter( 190 (match) => 191 !match.followStatus || ··· 197 })); 198 199 setSearchResults(loadedResults); 200 - setCurrentStep("results"); 201 // Announce to screen readers only - visual feedback is navigation to results page 202 setAriaAnnouncement( 203 `Loaded ${loadedResults.length} results from previous upload`, ··· 208 setCurrentStep("home"); 209 } 210 }, 211 - [setStatusMessage, setCurrentStep, setSearchResults, setAriaAnnouncement, error], 212 ); 213 214 // Login handler ··· 291 await searchAllUsers( 292 initialResults, 293 setStatusMessage, 294 - () => { 295 setCurrentStep('results'); 296 297 // Save results after search completes 298 - setTimeout(() => { 299 - setSearchResults((currentResults) => { 300 - if (currentResults.length > 0) { 301 - saveResults(uploadId, platform, currentResults); 302 - } 303 - return currentResults; 304 - }); 305 - }, 1000); 306 307 // Clear import ID from URL 308 const newUrl = new URL(window.location.href); ··· 325 326 handleExtensionImport(importId); 327 }, [session, currentDestinationAppId, setStatusMessage, setCurrentStep, setSearchResults, searchAllUsers, saveResults, error]); 328 329 return ( 330 <ErrorBoundary>
··· 139 searchAllUsers( 140 initialResults, 141 setStatusMessage, 142 + (finalResults) => { 143 setCurrentStep("results"); 144 145 // Save results after search completes 146 + if (finalResults.length > 0) { 147 + saveResults(uploadId, platform, finalResults); 148 + } 149 }, 150 followLexicon, 151 ); ··· 172 return; 173 } 174 175 + // Detect platform from first result's username or default to twitter for extension imports 176 + const platform = "twitter"; // Extension imports are always from Twitter for now 177 setCurrentPlatform(platform); 178 179 + // Check if this is a new upload with no matches yet 180 + const hasMatches = data.results.some(r => r.atprotoMatches.length > 0); 181 + 182 const loadedResults: SearchResult[] = data.results.map((result) => ({ 183 + sourceUser: result.sourceUser, // SourceUser object { username, date } 184 sourcePlatform: platform, 185 + isSearching: !hasMatches, // Search if no matches exist yet 186 + atprotoMatches: result.atprotoMatches || [], 187 selectedMatches: new Set<string>( 188 + (result.atprotoMatches || []) 189 .filter( 190 (match) => 191 !match.followStatus || ··· 197 })); 198 199 setSearchResults(loadedResults); 200 + 201 + // If no matches yet, trigger search BEFORE navigating to results 202 + if (!hasMatches) { 203 + const followLexicon = ATPROTO_APPS[currentDestinationAppId]?.followLexicon; 204 + 205 + await searchAllUsers( 206 + loadedResults, 207 + (message) => setStatusMessage(message), 208 + async (finalResults) => { 209 + // Search complete - save results and navigate to results page 210 + await saveResults(uploadId, platform, finalResults); 211 + setCurrentStep("results"); 212 + }, 213 + followLexicon 214 + ); 215 + } else { 216 + // Already has matches, navigate to results immediately 217 + setCurrentStep("results"); 218 + } 219 + 220 // Announce to screen readers only - visual feedback is navigation to results page 221 setAriaAnnouncement( 222 `Loaded ${loadedResults.length} results from previous upload`, ··· 227 setCurrentStep("home"); 228 } 229 }, 230 + [setStatusMessage, setCurrentStep, setSearchResults, setAriaAnnouncement, error, currentDestinationAppId, searchAllUsers, saveResults], 231 ); 232 233 // Login handler ··· 310 await searchAllUsers( 311 initialResults, 312 setStatusMessage, 313 + (finalResults) => { 314 setCurrentStep('results'); 315 316 // Save results after search completes 317 + if (finalResults.length > 0) { 318 + saveResults(uploadId, platform, finalResults); 319 + } 320 321 // Clear import ID from URL 322 const newUrl = new URL(window.location.href); ··· 339 340 handleExtensionImport(importId); 341 }, [session, currentDestinationAppId, setStatusMessage, setCurrentStep, setSearchResults, searchAllUsers, saveResults, error]); 342 + 343 + // Load results from uploadId URL parameter 344 + useEffect(() => { 345 + const urlParams = new URLSearchParams(window.location.search); 346 + const uploadId = urlParams.get('uploadId'); 347 + 348 + if (!uploadId || !session) { 349 + return; 350 + } 351 + 352 + // Load results for this upload 353 + handleLoadUpload(uploadId); 354 + 355 + // Clean up URL parameter after loading 356 + const newUrl = new URL(window.location.href); 357 + newUrl.searchParams.delete('uploadId'); 358 + window.history.replaceState({}, '', newUrl); 359 + }, [session, handleLoadUpload]); 360 361 return ( 362 <ErrorBoundary>
-4
packages/web/src/Router.tsx
··· 1 import { BrowserRouter, Routes, Route } from 'react-router-dom'; 2 import App from './App'; 3 - import ExtensionImport from './pages/ExtensionImport'; 4 5 /** 6 * Application Router ··· 12 <Routes> 13 {/* Main app route */} 14 <Route path="/" element={<App />} /> 15 - 16 - {/* Extension import route */} 17 - <Route path="/import/:importId" element={<ExtensionImport />} /> 18 </Routes> 19 </BrowserRouter> 20 );
··· 1 import { BrowserRouter, Routes, Route } from 'react-router-dom'; 2 import App from './App'; 3 4 /** 5 * Application Router ··· 11 <Routes> 12 {/* Main app route */} 13 <Route path="/" element={<App />} /> 14 </Routes> 15 </BrowserRouter> 16 );
+1 -1
packages/web/src/components/HistoryTab.tsx
··· 148 {upload.totalUsers === 1 ? "user found" : "users found"} 149 </Badge> 150 <Badge variant="info"> 151 - Uploaded {formatRelativeTime(upload.createdAt)} 152 </Badge> 153 </> 154 }
··· 148 {upload.totalUsers === 1 ? "user found" : "users found"} 149 </Badge> 150 <Badge variant="info"> 151 + {formatRelativeTime(upload.createdAt)} 152 </Badge> 153 </> 154 }
+7 -2
packages/web/src/hooks/useSearch.ts
··· 18 const searchAllUsers = useCallback(async ( 19 resultsToSearch: SearchResult[], 20 onProgressUpdate: (message: string) => void, 21 - onComplete: () => void, 22 followLexicon?: string, 23 ) => { 24 if (!session || resultsToSearch.length === 0) return; ··· 132 onProgressUpdate( 133 `Search complete! Found ${totalFound} matches out of ${totalSearched} users searched.`, 134 ); 135 - onComplete(); 136 }, [session]); 137 138 const toggleMatchSelection = useCallback((resultIndex: number, did: string) => {
··· 18 const searchAllUsers = useCallback(async ( 19 resultsToSearch: SearchResult[], 20 onProgressUpdate: (message: string) => void, 21 + onComplete: (finalResults: SearchResult[]) => void, 22 followLexicon?: string, 23 ) => { 24 if (!session || resultsToSearch.length === 0) return; ··· 132 onProgressUpdate( 133 `Search complete! Found ${totalFound} matches out of ${totalSearched} users searched.`, 134 ); 135 + 136 + // Get current results from state to pass to onComplete 137 + setSearchResults((currentResults) => { 138 + onComplete(currentResults); 139 + return currentResults; 140 + }); 141 }, [session]); 142 143 const toggleMatchSelection = useCallback((resultIndex: number, did: string) => {
-138
packages/web/src/pages/ExtensionImport.tsx
··· 1 - import { useEffect, useState } from 'react'; 2 - import { useParams, useNavigate } from 'react-router-dom'; 3 - import type { ExtensionImportRequest } from '@atlast/shared'; 4 - import { apiClient } from '../lib/api/client'; 5 - 6 - /** 7 - * Extension Import page 8 - * Receives data from browser extension and processes it 9 - */ 10 - export default function ExtensionImport() { 11 - const { importId } = useParams<{ importId: string }>(); 12 - const navigate = useNavigate(); 13 - 14 - const [loading, setLoading] = useState(true); 15 - const [error, setError] = useState<string | null>(null); 16 - const [importData, setImportData] = useState<ExtensionImportRequest | null>(null); 17 - 18 - useEffect(() => { 19 - if (!importId) { 20 - setError('No import ID provided'); 21 - setLoading(false); 22 - return; 23 - } 24 - 25 - fetchImportData(importId); 26 - }, [importId]); 27 - 28 - async function fetchImportData(id: string) { 29 - try { 30 - setLoading(true); 31 - setError(null); 32 - 33 - const response = await fetch( 34 - `/.netlify/functions/get-extension-import?importId=${id}` 35 - ); 36 - 37 - if (!response.ok) { 38 - if (response.status === 404) { 39 - throw new Error('Import not found or expired. Please try scanning again.'); 40 - } 41 - throw new Error('Failed to load import data'); 42 - } 43 - 44 - const data: ExtensionImportRequest = await response.json(); 45 - setImportData(data); 46 - 47 - // Automatically start the search process 48 - startSearch(data); 49 - } catch (err) { 50 - console.error('[ExtensionImport] Error:', err); 51 - setError(err instanceof Error ? err.message : 'Unknown error'); 52 - setLoading(false); 53 - } 54 - } 55 - 56 - async function startSearch(data: ExtensionImportRequest) { 57 - try { 58 - // Navigate to results page with the extension data 59 - // The results page will handle the search 60 - navigate('/results', { 61 - state: { 62 - usernames: data.usernames, 63 - platform: data.platform, 64 - source: 'extension' 65 - } 66 - }); 67 - } catch (err) { 68 - console.error('[ExtensionImport] Search error:', err); 69 - setError('Failed to start search. Please try again.'); 70 - setLoading(false); 71 - } 72 - } 73 - 74 - if (loading && !error) { 75 - return ( 76 - <div className="min-h-screen bg-gradient-to-br from-purple-50 via-white to-cyan-50 dark:from-slate-900 dark:via-slate-900 dark:to-slate-900"> 77 - <div className="container mx-auto px-4 py-16"> 78 - <div className="max-w-md mx-auto text-center"> 79 - <div className="mb-8"> 80 - <div className="inline-block animate-spin rounded-full h-16 w-16 border-b-2 border-purple-600 dark:border-cyan-400"></div> 81 - </div> 82 - <h1 className="text-2xl font-bold text-purple-900 dark:text-cyan-50 mb-4"> 83 - Loading your import... 84 - </h1> 85 - <p className="text-purple-700 dark:text-cyan-200"> 86 - Processing data from the extension 87 - </p> 88 - </div> 89 - </div> 90 - </div> 91 - ); 92 - } 93 - 94 - if (error) { 95 - return ( 96 - <div className="min-h-screen bg-gradient-to-br from-purple-50 via-white to-cyan-50 dark:from-slate-900 dark:via-slate-900 dark:to-slate-900"> 97 - <div className="container mx-auto px-4 py-16"> 98 - <div className="max-w-md mx-auto text-center"> 99 - <div className="mb-8 text-6xl">⚠️</div> 100 - <h1 className="text-2xl font-bold text-purple-900 dark:text-cyan-50 mb-4"> 101 - Import Error 102 - </h1> 103 - <p className="text-purple-700 dark:text-cyan-200 mb-8"> 104 - {error} 105 - </p> 106 - <button 107 - onClick={() => navigate('/')} 108 - className="px-6 py-3 bg-purple-600 hover:bg-purple-700 dark:bg-cyan-600 dark:hover:bg-cyan-700 text-white rounded-lg font-medium transition-colors" 109 - > 110 - Go Home 111 - </button> 112 - </div> 113 - </div> 114 - </div> 115 - ); 116 - } 117 - 118 - // This shouldn't be reached since we navigate away on success 119 - return ( 120 - <div className="min-h-screen bg-gradient-to-br from-purple-50 via-white to-cyan-50 dark:from-slate-900 dark:via-slate-900 dark:to-slate-900"> 121 - <div className="container mx-auto px-4 py-16"> 122 - <div className="max-w-md mx-auto text-center"> 123 - <div className="mb-8"> 124 - <div className="inline-block animate-spin rounded-full h-16 w-16 border-b-2 border-purple-600 dark:border-cyan-400"></div> 125 - </div> 126 - <h1 className="text-2xl font-bold text-purple-900 dark:text-cyan-50 mb-4"> 127 - Starting search... 128 - </h1> 129 - {importData && ( 130 - <p className="text-purple-700 dark:text-cyan-200"> 131 - Searching for {importData.usernames.length} users from {importData.platform} 132 - </p> 133 - )} 134 - </div> 135 - </div> 136 - </div> 137 - ); 138 - }
···
+19
packages/web/vite.config.ts
··· 5 export default defineConfig({ 6 base: "/", 7 plugins: [react(), svgr()], 8 });
··· 5 export default defineConfig({ 6 base: "/", 7 plugins: [react(), svgr()], 8 + optimizeDeps: { 9 + include: [ 10 + "react", 11 + "react-dom", 12 + "react-router-dom", 13 + "@icons-pack/react-simple-icons", 14 + "lucide-react", 15 + "date-fns", 16 + "jszip", 17 + "zustand", 18 + "@tanstack/react-virtual", 19 + ], 20 + }, 21 + server: { 22 + fs: { 23 + // Allow serving files from the monorepo root 24 + allow: ["../.."], 25 + }, 26 + }, 27 });
+618
pnpm-lock.yaml
··· 114 '@atlast/shared': 115 specifier: workspace:* 116 version: link:../shared 117 devDependencies: 118 '@types/chrome': 119 specifier: ^0.0.256 120 version: 0.0.256 121 esbuild: 122 specifier: ^0.19.11 123 version: 0.19.12 124 typescript: 125 specifier: ^5.3.3 126 version: 5.9.3 ··· 202 react-dom: 203 specifier: ^18.3.1 204 version: 18.3.1(react@18.3.1) 205 zustand: 206 specifier: ^5.0.9 207 version: 5.0.9(@types/react@19.2.7)(react@18.3.1) ··· 1230 '@types/triple-beam@1.3.5': 1231 resolution: {integrity: sha512-6WaYesThRMCl19iryMYP7/x2OVgCtbIVflDGFpWnb9irXI3UjYE4AzmYuiUKY1AJstGijoY+MgUszMgRxIYTYw==} 1232 1233 '@types/yauzl@2.10.3': 1234 resolution: {integrity: sha512-oJoftv0LSuaDZE3Le4DbKX+KS9G36NzOeSap90UIK0yMA/NhKJhqlSGtNDORNRaIbQfzjXDrQa0ytJ6mNRGz/Q==} 1235 ··· 1428 bindings@1.5.0: 1429 resolution: {integrity: sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==} 1430 1431 brace-expansion@2.0.2: 1432 resolution: {integrity: sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==} 1433 ··· 1468 resolution: {integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==} 1469 engines: {node: '>=10'} 1470 1471 caniuse-lite@1.0.30001761: 1472 resolution: {integrity: sha512-JF9ptu1vP2coz98+5051jZ4PwQgd2ni8A+gYSN7EA7dPKIMf0pDlSUxhdmVOaV3/fYK5uWBkgSXJaRLr4+3A6g==} 1473 ··· 1510 resolution: {integrity: sha512-ezmVcLR3xAVp8kYOm4GS45ZLLgIE6SPAFoduLr6hTDajwb3KZ2F46gulK3XpcwRFb5KKGCSezCBAY4Dw4HsyXA==} 1511 engines: {node: '>=18'} 1512 1513 commander@10.0.1: 1514 resolution: {integrity: sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==} 1515 engines: {node: '>=14'} 1516 1517 commander@12.1.0: 1518 resolution: {integrity: sha512-Vw8qHK3bZM9y/P10u3Vib8o/DdkvA2OtPtZvD871QKjy74Wj1WSKFILMPRPSdUSx5RFK1arlJzEtA4PkFgnbuA==} ··· 1583 resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==} 1584 engines: {node: '>= 8'} 1585 1586 cssesc@3.0.0: 1587 resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==} 1588 engines: {node: '>=4'} 1589 hasBin: true 1590 1591 csstype@3.2.3: 1592 resolution: {integrity: sha512-z1HGKcYy2xA8AGQfwrn0PAy+PB7X/GSj3UVJW9qKyn43xWa+gl5nXmU4qqLMRzWVLFC8KusUX8T/0kCiOYpAIQ==} 1593 ··· 1665 1666 dlv@1.1.3: 1667 resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==} 1668 1669 dot-case@3.0.4: 1670 resolution: {integrity: sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==} ··· 2118 resolution: {integrity: sha512-gvVijfZvn7R+2qyPX8mAuKcFGDf6Nc61GdvGafQsHL0sBIxfKzA+usWn4GFC/bk+QdwPUD4kWFJLhElipq+0VA==} 2119 engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 2120 2121 lodash@4.17.21: 2122 resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==} 2123 ··· 2153 make-dir@3.1.0: 2154 resolution: {integrity: sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==} 2155 engines: {node: '>=8'} 2156 2157 merge-options@3.0.4: 2158 resolution: {integrity: sha512-2Sug1+knBjkaMsMgf1ctR1Ujx+Ayku4EdJN4Z+C2+JzoeF7A3OZ9KM2GY0CpQS51NR61LTurMJrRKPhSs3ZRTQ==} ··· 2255 resolution: {integrity: sha512-ppwTtiJZq0O/ai0z7yfudtBpWIoxM8yE6nHi1X47eFR2EWORqfbu6CnPlNsjeN683eT0qG6H/Pyf9fCcvjnnnQ==} 2256 engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 2257 2258 object-assign@4.1.1: 2259 resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==} 2260 engines: {node: '>=0.10.0'} ··· 2391 resolution: {integrity: sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==} 2392 engines: {node: '>=8'} 2393 2394 postcss-import@15.1.0: 2395 resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==} 2396 engines: {node: '>=14.0.0'} ··· 2421 yaml: 2422 optional: true 2423 2424 postcss-nested@6.2.0: 2425 resolution: {integrity: sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==} 2426 engines: {node: '>=12.0'} 2427 peerDependencies: 2428 postcss: ^8.2.14 2429 2430 postcss-selector-parser@6.1.2: 2431 resolution: {integrity: sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==} 2432 engines: {node: '>=4'} 2433 2434 postcss-value-parser@4.2.0: 2435 resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} 2436 ··· 2490 resolution: {integrity: sha512-z6F7K9bV85EfseRCp2bzrpyQ0Gkw1uLoCel9XBVWPg/TjRj94SkJzUTGfOa4bs7iJvBWtQG0Wq7wnI0syw3EBQ==} 2491 engines: {node: '>=0.10.0'} 2492 2493 react@18.3.1: 2494 resolution: {integrity: sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==} 2495 engines: {node: '>=0.10.0'} ··· 2576 resolution: {integrity: sha512-b3rppTKm9T+PsVCBEOUR46GWI7fdOs00VKZ1+9c1EWDaDMvjQc6tUwuFyIprgGgTcWoVHSKrU8H31ZHA2e0RHA==} 2577 engines: {node: '>=10'} 2578 2579 scheduler@0.23.2: 2580 resolution: {integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==} 2581 ··· 2588 engines: {node: '>=10'} 2589 hasBin: true 2590 2591 setimmediate@1.0.5: 2592 resolution: {integrity: sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA==} 2593 ··· 2669 resolution: {integrity: sha512-k55yxKHwaXnpYGsOzg4Vl8+tDrWylxDEpknGjhTiZB8dFRU5rTo9CAzeycivxV3s+zlTKwrs6WxMxR95n26kwg==} 2670 engines: {node: '>=0.10.0'} 2671 2672 sucrase@3.35.1: 2673 resolution: {integrity: sha512-DhuTmvZWux4H1UOnWMB3sk0sbaCVOoQZjv8u1rDoTV0HTdGem9hkAZtl4JZy8P2z4Bg0nT+YMeOFyVr4zcG5Tw==} 2674 engines: {node: '>=16 || 14 >=14.17'} ··· 2680 2681 svg-parser@2.0.4: 2682 resolution: {integrity: sha512-e4hG1hRwoOdRb37cIMSgzNsxyzKfayW6VOflrwvR+/bzrkyxY/31WkbgnQpgtrNp1SdpJvpUAGTa/ZoiPNDuRQ==} 2683 2684 tailwindcss@3.4.19: 2685 resolution: {integrity: sha512-3ofp+LL8E+pK/JuPLPggVAIaEuhvIz4qNcf3nA1Xn2o/7fb7s/TYpHhwGDv1ZU3PkBluUVaF8PyCHcm48cKLWQ==} ··· 2846 terser: 2847 optional: true 2848 2849 webidl-conversions@3.0.1: 2850 resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} 2851 ··· 3873 3874 '@types/triple-beam@1.3.5': {} 3875 3876 '@types/yauzl@2.10.3': 3877 dependencies: 3878 '@types/node': 24.10.4 ··· 4102 dependencies: 4103 file-uri-to-path: 1.0.0 4104 4105 brace-expansion@2.0.2: 4106 dependencies: 4107 balanced-match: 1.0.2 ··· 4136 camelcase-css@2.0.1: {} 4137 4138 camelcase@6.3.0: {} 4139 4140 caniuse-lite@1.0.30001761: {} 4141 ··· 4184 color-convert: 3.1.3 4185 color-string: 2.1.4 4186 4187 commander@10.0.1: {} 4188 4189 commander@12.1.0: {} 4190 ··· 4244 path-key: 3.1.1 4245 shebang-command: 2.0.0 4246 which: 2.0.2 4247 4248 cssesc@3.0.0: {} 4249 4250 csstype@3.2.3: {} 4251 4252 date-fns@4.1.0: {} ··· 4326 path-type: 4.0.0 4327 4328 dlv@1.1.3: {} 4329 4330 dot-case@3.0.4: 4331 dependencies: ··· 4794 dependencies: 4795 p-locate: 6.0.0 4796 4797 lodash@4.17.21: {} 4798 4799 logform@2.7.0: ··· 4832 make-dir@3.1.0: 4833 dependencies: 4834 semver: 6.3.1 4835 4836 merge-options@3.0.4: 4837 dependencies: ··· 4917 npm-run-path@5.3.0: 4918 dependencies: 4919 path-key: 4.0.0 4920 4921 object-assign@4.1.1: {} 4922 ··· 5028 dependencies: 5029 find-up: 4.1.0 5030 5031 postcss-import@15.1.0(postcss@8.5.6): 5032 dependencies: 5033 postcss: 8.5.6 ··· 5047 jiti: 1.21.7 5048 postcss: 8.5.6 5049 5050 postcss-nested@6.2.0(postcss@8.5.6): 5051 dependencies: 5052 postcss: 8.5.6 5053 postcss-selector-parser: 6.1.2 5054 5055 postcss-selector-parser@6.1.2: 5056 dependencies: 5057 cssesc: 3.0.0 5058 util-deprecate: 1.0.2 5059 5060 postcss-value-parser@4.2.0: {} 5061 5062 postcss-values-parser@6.0.2(postcss@8.5.6): ··· 5122 scheduler: 0.23.2 5123 5124 react-refresh@0.17.0: {} 5125 5126 react@18.3.1: 5127 dependencies: ··· 5241 5242 safe-stable-stringify@2.5.0: {} 5243 5244 scheduler@0.23.2: 5245 dependencies: 5246 loose-envify: 1.4.0 ··· 5249 5250 semver@7.7.3: {} 5251 5252 setimmediate@1.0.5: {} 5253 5254 shebang-command@2.0.0: ··· 5334 dependencies: 5335 escape-string-regexp: 1.0.5 5336 5337 sucrase@3.35.1: 5338 dependencies: 5339 '@jridgewell/gen-mapping': 0.3.13 ··· 5347 supports-preserve-symlinks-flag@1.0.0: {} 5348 5349 svg-parser@2.0.4: {} 5350 5351 tailwindcss@3.4.19: 5352 dependencies: ··· 5506 optionalDependencies: 5507 '@types/node': 24.10.4 5508 fsevents: 2.3.3 5509 5510 webidl-conversions@3.0.1: {} 5511
··· 114 '@atlast/shared': 115 specifier: workspace:* 116 version: link:../shared 117 + webextension-polyfill: 118 + specifier: ^0.12.0 119 + version: 0.12.0 120 devDependencies: 121 '@types/chrome': 122 specifier: ^0.0.256 123 version: 0.0.256 124 + '@types/webextension-polyfill': 125 + specifier: ^0.12.4 126 + version: 0.12.4 127 + autoprefixer: 128 + specifier: ^10.4.23 129 + version: 10.4.23(postcss@8.5.6) 130 + cssnano: 131 + specifier: ^7.1.2 132 + version: 7.1.2(postcss@8.5.6) 133 esbuild: 134 specifier: ^0.19.11 135 version: 0.19.12 136 + postcss: 137 + specifier: ^8.5.6 138 + version: 8.5.6 139 + tailwindcss: 140 + specifier: ^3.4.19 141 + version: 3.4.19 142 typescript: 143 specifier: ^5.3.3 144 version: 5.9.3 ··· 220 react-dom: 221 specifier: ^18.3.1 222 version: 18.3.1(react@18.3.1) 223 + react-router-dom: 224 + specifier: ^7.11.0 225 + version: 7.11.0(react-dom@18.3.1(react@18.3.1))(react@18.3.1) 226 zustand: 227 specifier: ^5.0.9 228 version: 5.0.9(@types/react@19.2.7)(react@18.3.1) ··· 1251 '@types/triple-beam@1.3.5': 1252 resolution: {integrity: sha512-6WaYesThRMCl19iryMYP7/x2OVgCtbIVflDGFpWnb9irXI3UjYE4AzmYuiUKY1AJstGijoY+MgUszMgRxIYTYw==} 1253 1254 + '@types/webextension-polyfill@0.12.4': 1255 + resolution: {integrity: sha512-wK8YdSI0pDiaehSLDIvtvonYmLwUUivg4Z6JCJO8rkyssMAG82cFJgwPK/V7NO61mJBLg/tXeoXQL8AFzpXZmQ==} 1256 + 1257 '@types/yauzl@2.10.3': 1258 resolution: {integrity: sha512-oJoftv0LSuaDZE3Le4DbKX+KS9G36NzOeSap90UIK0yMA/NhKJhqlSGtNDORNRaIbQfzjXDrQa0ytJ6mNRGz/Q==} 1259 ··· 1452 bindings@1.5.0: 1453 resolution: {integrity: sha512-p2q/t/mhvuOj/UeLlV6566GD/guowlr0hHxClI0W9m7MWYkL1F0hLo+0Aexs9HSPCtR1SXQ0TD3MMKrXZajbiQ==} 1454 1455 + boolbase@1.0.0: 1456 + resolution: {integrity: sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==} 1457 + 1458 brace-expansion@2.0.2: 1459 resolution: {integrity: sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ==} 1460 ··· 1495 resolution: {integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==} 1496 engines: {node: '>=10'} 1497 1498 + caniuse-api@3.0.0: 1499 + resolution: {integrity: sha512-bsTwuIg/BZZK/vreVTYYbSWoe2F+71P7K5QGEX+pT250DZbfU1MQ5prOKpPR+LL6uWKK3KMwMCAS74QB3Um1uw==} 1500 + 1501 caniuse-lite@1.0.30001761: 1502 resolution: {integrity: sha512-JF9ptu1vP2coz98+5051jZ4PwQgd2ni8A+gYSN7EA7dPKIMf0pDlSUxhdmVOaV3/fYK5uWBkgSXJaRLr4+3A6g==} 1503 ··· 1540 resolution: {integrity: sha512-ezmVcLR3xAVp8kYOm4GS45ZLLgIE6SPAFoduLr6hTDajwb3KZ2F46gulK3XpcwRFb5KKGCSezCBAY4Dw4HsyXA==} 1541 engines: {node: '>=18'} 1542 1543 + colord@2.9.3: 1544 + resolution: {integrity: sha512-jeC1axXpnb0/2nn/Y1LPuLdgXBLH7aDcHu4KEKfqw3CUhX7ZpfBSlPKyqXE6btIgEzfWtrX3/tyBCaCvXvMkOw==} 1545 + 1546 commander@10.0.1: 1547 resolution: {integrity: sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==} 1548 engines: {node: '>=14'} 1549 + 1550 + commander@11.1.0: 1551 + resolution: {integrity: sha512-yPVavfyCcRhmorC7rWlkHn15b4wDVgVmBA7kV4QVBsF7kv/9TKJAbAXVTxvTnwP8HHKjRCJDClKbciiYS7p0DQ==} 1552 + engines: {node: '>=16'} 1553 1554 commander@12.1.0: 1555 resolution: {integrity: sha512-Vw8qHK3bZM9y/P10u3Vib8o/DdkvA2OtPtZvD871QKjy74Wj1WSKFILMPRPSdUSx5RFK1arlJzEtA4PkFgnbuA==} ··· 1620 resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==} 1621 engines: {node: '>= 8'} 1622 1623 + css-declaration-sorter@7.3.0: 1624 + resolution: {integrity: sha512-LQF6N/3vkAMYF4xoHLJfG718HRJh34Z8BnNhd6bosOMIVjMlhuZK5++oZa3uYAgrI5+7x2o27gUqTR2U/KjUOQ==} 1625 + engines: {node: ^14 || ^16 || >=18} 1626 + peerDependencies: 1627 + postcss: ^8.0.9 1628 + 1629 + css-select@5.2.2: 1630 + resolution: {integrity: sha512-TizTzUddG/xYLA3NXodFM0fSbNizXjOKhqiQQwvhlspadZokn1KDy0NZFS0wuEubIYAV5/c1/lAr0TaaFXEXzw==} 1631 + 1632 + css-tree@2.2.1: 1633 + resolution: {integrity: sha512-OA0mILzGc1kCOCSJerOeqDxDQ4HOh+G8NbOJFOTgOCzpw7fCBubk0fEyxp8AgOL/jvLgYA/uV0cMbe43ElF1JA==} 1634 + engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0, npm: '>=7.0.0'} 1635 + 1636 + css-tree@3.1.0: 1637 + resolution: {integrity: sha512-0eW44TGN5SQXU1mWSkKwFstI/22X2bG1nYzZTYMAWjylYURhse752YgbE4Cx46AC+bAvI+/dYTPRk1LqSUnu6w==} 1638 + engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0} 1639 + 1640 + css-what@6.2.2: 1641 + resolution: {integrity: sha512-u/O3vwbptzhMs3L1fQE82ZSLHQQfto5gyZzwteVIEyeaY5Fc7R4dapF/BvRoSYFeqfBk4m0V1Vafq5Pjv25wvA==} 1642 + engines: {node: '>= 6'} 1643 + 1644 cssesc@3.0.0: 1645 resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==} 1646 engines: {node: '>=4'} 1647 hasBin: true 1648 1649 + cssnano-preset-default@7.0.10: 1650 + resolution: {integrity: sha512-6ZBjW0Lf1K1Z+0OKUAUpEN62tSXmYChXWi2NAA0afxEVsj9a+MbcB1l5qel6BHJHmULai2fCGRthCeKSFbScpA==} 1651 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 1652 + peerDependencies: 1653 + postcss: ^8.4.32 1654 + 1655 + cssnano-utils@5.0.1: 1656 + resolution: {integrity: sha512-ZIP71eQgG9JwjVZsTPSqhc6GHgEr53uJ7tK5///VfyWj6Xp2DBmixWHqJgPno+PqATzn48pL42ww9x5SSGmhZg==} 1657 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 1658 + peerDependencies: 1659 + postcss: ^8.4.32 1660 + 1661 + cssnano@7.1.2: 1662 + resolution: {integrity: sha512-HYOPBsNvoiFeR1eghKD5C3ASm64v9YVyJB4Ivnl2gqKoQYvjjN/G0rztvKQq8OxocUtC6sjqY8jwYngIB4AByA==} 1663 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 1664 + peerDependencies: 1665 + postcss: ^8.4.32 1666 + 1667 + csso@5.0.5: 1668 + resolution: {integrity: sha512-0LrrStPOdJj+SPCCrGhzryycLjwcgUSHBtxNA8aIDxf0GLsRh1cKYhB00Gd1lDOS4yGH69+SNn13+TWbVHETFQ==} 1669 + engines: {node: ^10 || ^12.20.0 || ^14.13.0 || >=15.0.0, npm: '>=7.0.0'} 1670 + 1671 csstype@3.2.3: 1672 resolution: {integrity: sha512-z1HGKcYy2xA8AGQfwrn0PAy+PB7X/GSj3UVJW9qKyn43xWa+gl5nXmU4qqLMRzWVLFC8KusUX8T/0kCiOYpAIQ==} 1673 ··· 1745 1746 dlv@1.1.3: 1747 resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==} 1748 + 1749 + dom-serializer@2.0.0: 1750 + resolution: {integrity: sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==} 1751 + 1752 + domelementtype@2.3.0: 1753 + resolution: {integrity: sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==} 1754 + 1755 + domhandler@5.0.3: 1756 + resolution: {integrity: sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==} 1757 + engines: {node: '>= 4'} 1758 + 1759 + domutils@3.2.2: 1760 + resolution: {integrity: sha512-6kZKyUajlDuqlHKVX1w7gyslj9MPIXzIFiz/rGu35uC1wMi+kMhQwGhl4lt9unC9Vb9INnY9Z3/ZA3+FhASLaw==} 1761 1762 dot-case@3.0.4: 1763 resolution: {integrity: sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==} ··· 2211 resolution: {integrity: sha512-gvVijfZvn7R+2qyPX8mAuKcFGDf6Nc61GdvGafQsHL0sBIxfKzA+usWn4GFC/bk+QdwPUD4kWFJLhElipq+0VA==} 2212 engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 2213 2214 + lodash.memoize@4.1.2: 2215 + resolution: {integrity: sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag==} 2216 + 2217 + lodash.uniq@4.5.0: 2218 + resolution: {integrity: sha512-xfBaXQd9ryd9dlSDvnvI0lvxfLJlYAZzXomUYzLKtUeOQvOP5piqAWuGtrhWeqaXK9hhoM/iyJc5AV+XfsX3HQ==} 2219 + 2220 lodash@4.17.21: 2221 resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==} 2222 ··· 2252 make-dir@3.1.0: 2253 resolution: {integrity: sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==} 2254 engines: {node: '>=8'} 2255 + 2256 + mdn-data@2.0.28: 2257 + resolution: {integrity: sha512-aylIc7Z9y4yzHYAJNuESG3hfhC+0Ibp/MAMiaOZgNv4pmEdFyfZhhhny4MNiAfWdBQ1RQ2mfDWmM1x8SvGyp8g==} 2258 + 2259 + mdn-data@2.12.2: 2260 + resolution: {integrity: sha512-IEn+pegP1aManZuckezWCO+XZQDplx1366JoVhTpMpBB1sPey/SbveZQUosKiKiGYjg1wH4pMlNgXbCiYgihQA==} 2261 2262 merge-options@3.0.4: 2263 resolution: {integrity: sha512-2Sug1+knBjkaMsMgf1ctR1Ujx+Ayku4EdJN4Z+C2+JzoeF7A3OZ9KM2GY0CpQS51NR61LTurMJrRKPhSs3ZRTQ==} ··· 2360 resolution: {integrity: sha512-ppwTtiJZq0O/ai0z7yfudtBpWIoxM8yE6nHi1X47eFR2EWORqfbu6CnPlNsjeN683eT0qG6H/Pyf9fCcvjnnnQ==} 2361 engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} 2362 2363 + nth-check@2.1.1: 2364 + resolution: {integrity: sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==} 2365 + 2366 object-assign@4.1.1: 2367 resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==} 2368 engines: {node: '>=0.10.0'} ··· 2499 resolution: {integrity: sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==} 2500 engines: {node: '>=8'} 2501 2502 + postcss-calc@10.1.1: 2503 + resolution: {integrity: sha512-NYEsLHh8DgG/PRH2+G9BTuUdtf9ViS+vdoQ0YA5OQdGsfN4ztiwtDWNtBl9EKeqNMFnIu8IKZ0cLxEQ5r5KVMw==} 2504 + engines: {node: ^18.12 || ^20.9 || >=22.0} 2505 + peerDependencies: 2506 + postcss: ^8.4.38 2507 + 2508 + postcss-colormin@7.0.5: 2509 + resolution: {integrity: sha512-ekIBP/nwzRWhEMmIxHHbXHcMdzd1HIUzBECaj5KEdLz9DVP2HzT065sEhvOx1dkLjYW7jyD0CngThx6bpFi2fA==} 2510 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2511 + peerDependencies: 2512 + postcss: ^8.4.32 2513 + 2514 + postcss-convert-values@7.0.8: 2515 + resolution: {integrity: sha512-+XNKuPfkHTCEo499VzLMYn94TiL3r9YqRE3Ty+jP7UX4qjewUONey1t7CG21lrlTLN07GtGM8MqFVp86D4uKJg==} 2516 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2517 + peerDependencies: 2518 + postcss: ^8.4.32 2519 + 2520 + postcss-discard-comments@7.0.5: 2521 + resolution: {integrity: sha512-IR2Eja8WfYgN5n32vEGSctVQ1+JARfu4UH8M7bgGh1bC+xI/obsPJXaBpQF7MAByvgwZinhpHpdrmXtvVVlKcQ==} 2522 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2523 + peerDependencies: 2524 + postcss: ^8.4.32 2525 + 2526 + postcss-discard-duplicates@7.0.2: 2527 + resolution: {integrity: sha512-eTonaQvPZ/3i1ASDHOKkYwAybiM45zFIc7KXils4mQmHLqIswXD9XNOKEVxtTFnsmwYzF66u4LMgSr0abDlh5w==} 2528 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2529 + peerDependencies: 2530 + postcss: ^8.4.32 2531 + 2532 + postcss-discard-empty@7.0.1: 2533 + resolution: {integrity: sha512-cFrJKZvcg/uxB6Ijr4l6qmn3pXQBna9zyrPC+sK0zjbkDUZew+6xDltSF7OeB7rAtzaaMVYSdbod+sZOCWnMOg==} 2534 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2535 + peerDependencies: 2536 + postcss: ^8.4.32 2537 + 2538 + postcss-discard-overridden@7.0.1: 2539 + resolution: {integrity: sha512-7c3MMjjSZ/qYrx3uc1940GSOzN1Iqjtlqe8uoSg+qdVPYyRb0TILSqqmtlSFuE4mTDECwsm397Ya7iXGzfF7lg==} 2540 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2541 + peerDependencies: 2542 + postcss: ^8.4.32 2543 + 2544 postcss-import@15.1.0: 2545 resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==} 2546 engines: {node: '>=14.0.0'} ··· 2571 yaml: 2572 optional: true 2573 2574 + postcss-merge-longhand@7.0.5: 2575 + resolution: {integrity: sha512-Kpu5v4Ys6QI59FxmxtNB/iHUVDn9Y9sYw66D6+SZoIk4QTz1prC4aYkhIESu+ieG1iylod1f8MILMs1Em3mmIw==} 2576 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2577 + peerDependencies: 2578 + postcss: ^8.4.32 2579 + 2580 + postcss-merge-rules@7.0.7: 2581 + resolution: {integrity: sha512-njWJrd/Ms6XViwowaaCc+/vqhPG3SmXn725AGrnl+BgTuRPEacjiLEaGq16J6XirMJbtKkTwnt67SS+e2WGoew==} 2582 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2583 + peerDependencies: 2584 + postcss: ^8.4.32 2585 + 2586 + postcss-minify-font-values@7.0.1: 2587 + resolution: {integrity: sha512-2m1uiuJeTplll+tq4ENOQSzB8LRnSUChBv7oSyFLsJRtUgAAJGP6LLz0/8lkinTgxrmJSPOEhgY1bMXOQ4ZXhQ==} 2588 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2589 + peerDependencies: 2590 + postcss: ^8.4.32 2591 + 2592 + postcss-minify-gradients@7.0.1: 2593 + resolution: {integrity: sha512-X9JjaysZJwlqNkJbUDgOclyG3jZEpAMOfof6PUZjPnPrePnPG62pS17CjdM32uT1Uq1jFvNSff9l7kNbmMSL2A==} 2594 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2595 + peerDependencies: 2596 + postcss: ^8.4.32 2597 + 2598 + postcss-minify-params@7.0.5: 2599 + resolution: {integrity: sha512-FGK9ky02h6Ighn3UihsyeAH5XmLEE2MSGH5Tc4tXMFtEDx7B+zTG6hD/+/cT+fbF7PbYojsmmWjyTwFwW1JKQQ==} 2600 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2601 + peerDependencies: 2602 + postcss: ^8.4.32 2603 + 2604 + postcss-minify-selectors@7.0.5: 2605 + resolution: {integrity: sha512-x2/IvofHcdIrAm9Q+p06ZD1h6FPcQ32WtCRVodJLDR+WMn8EVHI1kvLxZuGKz/9EY5nAmI6lIQIrpo4tBy5+ug==} 2606 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2607 + peerDependencies: 2608 + postcss: ^8.4.32 2609 + 2610 postcss-nested@6.2.0: 2611 resolution: {integrity: sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==} 2612 engines: {node: '>=12.0'} 2613 peerDependencies: 2614 postcss: ^8.2.14 2615 2616 + postcss-normalize-charset@7.0.1: 2617 + resolution: {integrity: sha512-sn413ofhSQHlZFae//m9FTOfkmiZ+YQXsbosqOWRiVQncU2BA3daX3n0VF3cG6rGLSFVc5Di/yns0dFfh8NFgQ==} 2618 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2619 + peerDependencies: 2620 + postcss: ^8.4.32 2621 + 2622 + postcss-normalize-display-values@7.0.1: 2623 + resolution: {integrity: sha512-E5nnB26XjSYz/mGITm6JgiDpAbVuAkzXwLzRZtts19jHDUBFxZ0BkXAehy0uimrOjYJbocby4FVswA/5noOxrQ==} 2624 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2625 + peerDependencies: 2626 + postcss: ^8.4.32 2627 + 2628 + postcss-normalize-positions@7.0.1: 2629 + resolution: {integrity: sha512-pB/SzrIP2l50ZIYu+yQZyMNmnAcwyYb9R1fVWPRxm4zcUFCY2ign7rcntGFuMXDdd9L2pPNUgoODDk91PzRZuQ==} 2630 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2631 + peerDependencies: 2632 + postcss: ^8.4.32 2633 + 2634 + postcss-normalize-repeat-style@7.0.1: 2635 + resolution: {integrity: sha512-NsSQJ8zj8TIDiF0ig44Byo3Jk9e4gNt9x2VIlJudnQQ5DhWAHJPF4Tr1ITwyHio2BUi/I6Iv0HRO7beHYOloYQ==} 2636 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2637 + peerDependencies: 2638 + postcss: ^8.4.32 2639 + 2640 + postcss-normalize-string@7.0.1: 2641 + resolution: {integrity: sha512-QByrI7hAhsoze992kpbMlJSbZ8FuCEc1OT9EFbZ6HldXNpsdpZr+YXC5di3UEv0+jeZlHbZcoCADgb7a+lPmmQ==} 2642 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2643 + peerDependencies: 2644 + postcss: ^8.4.32 2645 + 2646 + postcss-normalize-timing-functions@7.0.1: 2647 + resolution: {integrity: sha512-bHifyuuSNdKKsnNJ0s8fmfLMlvsQwYVxIoUBnowIVl2ZAdrkYQNGVB4RxjfpvkMjipqvbz0u7feBZybkl/6NJg==} 2648 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2649 + peerDependencies: 2650 + postcss: ^8.4.32 2651 + 2652 + postcss-normalize-unicode@7.0.5: 2653 + resolution: {integrity: sha512-X6BBwiRxVaFHrb2WyBMddIeB5HBjJcAaUHyhLrM2FsxSq5TFqcHSsK7Zu1otag+o0ZphQGJewGH1tAyrD0zX1Q==} 2654 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2655 + peerDependencies: 2656 + postcss: ^8.4.32 2657 + 2658 + postcss-normalize-url@7.0.1: 2659 + resolution: {integrity: sha512-sUcD2cWtyK1AOL/82Fwy1aIVm/wwj5SdZkgZ3QiUzSzQQofrbq15jWJ3BA7Z+yVRwamCjJgZJN0I9IS7c6tgeQ==} 2660 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2661 + peerDependencies: 2662 + postcss: ^8.4.32 2663 + 2664 + postcss-normalize-whitespace@7.0.1: 2665 + resolution: {integrity: sha512-vsbgFHMFQrJBJKrUFJNZ2pgBeBkC2IvvoHjz1to0/0Xk7sII24T0qFOiJzG6Fu3zJoq/0yI4rKWi7WhApW+EFA==} 2666 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2667 + peerDependencies: 2668 + postcss: ^8.4.32 2669 + 2670 + postcss-ordered-values@7.0.2: 2671 + resolution: {integrity: sha512-AMJjt1ECBffF7CEON/Y0rekRLS6KsePU6PRP08UqYW4UGFRnTXNrByUzYK1h8AC7UWTZdQ9O3Oq9kFIhm0SFEw==} 2672 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2673 + peerDependencies: 2674 + postcss: ^8.4.32 2675 + 2676 + postcss-reduce-initial@7.0.5: 2677 + resolution: {integrity: sha512-RHagHLidG8hTZcnr4FpyMB2jtgd/OcyAazjMhoy5qmWJOx1uxKh4ntk0Pb46ajKM0rkf32lRH4C8c9qQiPR6IA==} 2678 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2679 + peerDependencies: 2680 + postcss: ^8.4.32 2681 + 2682 + postcss-reduce-transforms@7.0.1: 2683 + resolution: {integrity: sha512-MhyEbfrm+Mlp/36hvZ9mT9DaO7dbncU0CvWI8V93LRkY6IYlu38OPg3FObnuKTUxJ4qA8HpurdQOo5CyqqO76g==} 2684 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2685 + peerDependencies: 2686 + postcss: ^8.4.32 2687 + 2688 postcss-selector-parser@6.1.2: 2689 resolution: {integrity: sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==} 2690 engines: {node: '>=4'} 2691 2692 + postcss-selector-parser@7.1.1: 2693 + resolution: {integrity: sha512-orRsuYpJVw8LdAwqqLykBj9ecS5/cRHlI5+nvTo8LcCKmzDmqVORXtOIYEEQuL9D4BxtA1lm5isAqzQZCoQ6Eg==} 2694 + engines: {node: '>=4'} 2695 + 2696 + postcss-svgo@7.1.0: 2697 + resolution: {integrity: sha512-KnAlfmhtoLz6IuU3Sij2ycusNs4jPW+QoFE5kuuUOK8awR6tMxZQrs5Ey3BUz7nFCzT3eqyFgqkyrHiaU2xx3w==} 2698 + engines: {node: ^18.12.0 || ^20.9.0 || >= 18} 2699 + peerDependencies: 2700 + postcss: ^8.4.32 2701 + 2702 + postcss-unique-selectors@7.0.4: 2703 + resolution: {integrity: sha512-pmlZjsmEAG7cHd7uK3ZiNSW6otSZ13RHuZ/4cDN/bVglS5EpF2r2oxY99SuOHa8m7AWoBCelTS3JPpzsIs8skQ==} 2704 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2705 + peerDependencies: 2706 + postcss: ^8.4.32 2707 + 2708 postcss-value-parser@4.2.0: 2709 resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} 2710 ··· 2764 resolution: {integrity: sha512-z6F7K9bV85EfseRCp2bzrpyQ0Gkw1uLoCel9XBVWPg/TjRj94SkJzUTGfOa4bs7iJvBWtQG0Wq7wnI0syw3EBQ==} 2765 engines: {node: '>=0.10.0'} 2766 2767 + react-router-dom@7.11.0: 2768 + resolution: {integrity: sha512-e49Ir/kMGRzFOOrYQBdoitq3ULigw4lKbAyKusnvtDu2t4dBX4AGYPrzNvorXmVuOyeakai6FUPW5MmibvVG8g==} 2769 + engines: {node: '>=20.0.0'} 2770 + peerDependencies: 2771 + react: '>=18' 2772 + react-dom: '>=18' 2773 + 2774 + react-router@7.11.0: 2775 + resolution: {integrity: sha512-uI4JkMmjbWCZc01WVP2cH7ZfSzH91JAZUDd7/nIprDgWxBV1TkkmLToFh7EbMTcMak8URFRa2YoBL/W8GWnCTQ==} 2776 + engines: {node: '>=20.0.0'} 2777 + peerDependencies: 2778 + react: '>=18' 2779 + react-dom: '>=18' 2780 + peerDependenciesMeta: 2781 + react-dom: 2782 + optional: true 2783 + 2784 react@18.3.1: 2785 resolution: {integrity: sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==} 2786 engines: {node: '>=0.10.0'} ··· 2867 resolution: {integrity: sha512-b3rppTKm9T+PsVCBEOUR46GWI7fdOs00VKZ1+9c1EWDaDMvjQc6tUwuFyIprgGgTcWoVHSKrU8H31ZHA2e0RHA==} 2868 engines: {node: '>=10'} 2869 2870 + sax@1.4.3: 2871 + resolution: {integrity: sha512-yqYn1JhPczigF94DMS+shiDMjDowYO6y9+wB/4WgO0Y19jWYk0lQ4tuG5KI7kj4FTp1wxPj5IFfcrz/s1c3jjQ==} 2872 + 2873 scheduler@0.23.2: 2874 resolution: {integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==} 2875 ··· 2882 engines: {node: '>=10'} 2883 hasBin: true 2884 2885 + set-cookie-parser@2.7.2: 2886 + resolution: {integrity: sha512-oeM1lpU/UvhTxw+g3cIfxXHyJRc/uidd3yK1P242gzHds0udQBYzs3y8j4gCCW+ZJ7ad0yctld8RYO+bdurlvw==} 2887 + 2888 setimmediate@1.0.5: 2889 resolution: {integrity: sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA==} 2890 ··· 2966 resolution: {integrity: sha512-k55yxKHwaXnpYGsOzg4Vl8+tDrWylxDEpknGjhTiZB8dFRU5rTo9CAzeycivxV3s+zlTKwrs6WxMxR95n26kwg==} 2967 engines: {node: '>=0.10.0'} 2968 2969 + stylehacks@7.0.7: 2970 + resolution: {integrity: sha512-bJkD0JkEtbRrMFtwgpJyBbFIwfDDONQ1Ov3sDLZQP8HuJ73kBOyx66H4bOcAbVWmnfLdvQ0AJwXxOMkpujcO6g==} 2971 + engines: {node: ^18.12.0 || ^20.9.0 || >=22.0} 2972 + peerDependencies: 2973 + postcss: ^8.4.32 2974 + 2975 sucrase@3.35.1: 2976 resolution: {integrity: sha512-DhuTmvZWux4H1UOnWMB3sk0sbaCVOoQZjv8u1rDoTV0HTdGem9hkAZtl4JZy8P2z4Bg0nT+YMeOFyVr4zcG5Tw==} 2977 engines: {node: '>=16 || 14 >=14.17'} ··· 2983 2984 svg-parser@2.0.4: 2985 resolution: {integrity: sha512-e4hG1hRwoOdRb37cIMSgzNsxyzKfayW6VOflrwvR+/bzrkyxY/31WkbgnQpgtrNp1SdpJvpUAGTa/ZoiPNDuRQ==} 2986 + 2987 + svgo@4.0.0: 2988 + resolution: {integrity: sha512-VvrHQ+9uniE+Mvx3+C9IEe/lWasXCU0nXMY2kZeLrHNICuRiC8uMPyM14UEaMOFA5mhyQqEkB02VoQ16n3DLaw==} 2989 + engines: {node: '>=16'} 2990 + hasBin: true 2991 2992 tailwindcss@3.4.19: 2993 resolution: {integrity: sha512-3ofp+LL8E+pK/JuPLPggVAIaEuhvIz4qNcf3nA1Xn2o/7fb7s/TYpHhwGDv1ZU3PkBluUVaF8PyCHcm48cKLWQ==} ··· 3154 terser: 3155 optional: true 3156 3157 + webextension-polyfill@0.12.0: 3158 + resolution: {integrity: sha512-97TBmpoWJEE+3nFBQ4VocyCdLKfw54rFaJ6EVQYLBCXqCIpLSZkwGgASpv4oPt9gdKCJ80RJlcmNzNn008Ag6Q==} 3159 + 3160 webidl-conversions@3.0.1: 3161 resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} 3162 ··· 4184 4185 '@types/triple-beam@1.3.5': {} 4186 4187 + '@types/webextension-polyfill@0.12.4': {} 4188 + 4189 '@types/yauzl@2.10.3': 4190 dependencies: 4191 '@types/node': 24.10.4 ··· 4415 dependencies: 4416 file-uri-to-path: 1.0.0 4417 4418 + boolbase@1.0.0: {} 4419 + 4420 brace-expansion@2.0.2: 4421 dependencies: 4422 balanced-match: 1.0.2 ··· 4451 camelcase-css@2.0.1: {} 4452 4453 camelcase@6.3.0: {} 4454 + 4455 + caniuse-api@3.0.0: 4456 + dependencies: 4457 + browserslist: 4.28.1 4458 + caniuse-lite: 1.0.30001761 4459 + lodash.memoize: 4.1.2 4460 + lodash.uniq: 4.5.0 4461 4462 caniuse-lite@1.0.30001761: {} 4463 ··· 4506 color-convert: 3.1.3 4507 color-string: 2.1.4 4508 4509 + colord@2.9.3: {} 4510 + 4511 commander@10.0.1: {} 4512 + 4513 + commander@11.1.0: {} 4514 4515 commander@12.1.0: {} 4516 ··· 4570 path-key: 3.1.1 4571 shebang-command: 2.0.0 4572 which: 2.0.2 4573 + 4574 + css-declaration-sorter@7.3.0(postcss@8.5.6): 4575 + dependencies: 4576 + postcss: 8.5.6 4577 + 4578 + css-select@5.2.2: 4579 + dependencies: 4580 + boolbase: 1.0.0 4581 + css-what: 6.2.2 4582 + domhandler: 5.0.3 4583 + domutils: 3.2.2 4584 + nth-check: 2.1.1 4585 + 4586 + css-tree@2.2.1: 4587 + dependencies: 4588 + mdn-data: 2.0.28 4589 + source-map-js: 1.2.1 4590 + 4591 + css-tree@3.1.0: 4592 + dependencies: 4593 + mdn-data: 2.12.2 4594 + source-map-js: 1.2.1 4595 + 4596 + css-what@6.2.2: {} 4597 4598 cssesc@3.0.0: {} 4599 4600 + cssnano-preset-default@7.0.10(postcss@8.5.6): 4601 + dependencies: 4602 + browserslist: 4.28.1 4603 + css-declaration-sorter: 7.3.0(postcss@8.5.6) 4604 + cssnano-utils: 5.0.1(postcss@8.5.6) 4605 + postcss: 8.5.6 4606 + postcss-calc: 10.1.1(postcss@8.5.6) 4607 + postcss-colormin: 7.0.5(postcss@8.5.6) 4608 + postcss-convert-values: 7.0.8(postcss@8.5.6) 4609 + postcss-discard-comments: 7.0.5(postcss@8.5.6) 4610 + postcss-discard-duplicates: 7.0.2(postcss@8.5.6) 4611 + postcss-discard-empty: 7.0.1(postcss@8.5.6) 4612 + postcss-discard-overridden: 7.0.1(postcss@8.5.6) 4613 + postcss-merge-longhand: 7.0.5(postcss@8.5.6) 4614 + postcss-merge-rules: 7.0.7(postcss@8.5.6) 4615 + postcss-minify-font-values: 7.0.1(postcss@8.5.6) 4616 + postcss-minify-gradients: 7.0.1(postcss@8.5.6) 4617 + postcss-minify-params: 7.0.5(postcss@8.5.6) 4618 + postcss-minify-selectors: 7.0.5(postcss@8.5.6) 4619 + postcss-normalize-charset: 7.0.1(postcss@8.5.6) 4620 + postcss-normalize-display-values: 7.0.1(postcss@8.5.6) 4621 + postcss-normalize-positions: 7.0.1(postcss@8.5.6) 4622 + postcss-normalize-repeat-style: 7.0.1(postcss@8.5.6) 4623 + postcss-normalize-string: 7.0.1(postcss@8.5.6) 4624 + postcss-normalize-timing-functions: 7.0.1(postcss@8.5.6) 4625 + postcss-normalize-unicode: 7.0.5(postcss@8.5.6) 4626 + postcss-normalize-url: 7.0.1(postcss@8.5.6) 4627 + postcss-normalize-whitespace: 7.0.1(postcss@8.5.6) 4628 + postcss-ordered-values: 7.0.2(postcss@8.5.6) 4629 + postcss-reduce-initial: 7.0.5(postcss@8.5.6) 4630 + postcss-reduce-transforms: 7.0.1(postcss@8.5.6) 4631 + postcss-svgo: 7.1.0(postcss@8.5.6) 4632 + postcss-unique-selectors: 7.0.4(postcss@8.5.6) 4633 + 4634 + cssnano-utils@5.0.1(postcss@8.5.6): 4635 + dependencies: 4636 + postcss: 8.5.6 4637 + 4638 + cssnano@7.1.2(postcss@8.5.6): 4639 + dependencies: 4640 + cssnano-preset-default: 7.0.10(postcss@8.5.6) 4641 + lilconfig: 3.1.3 4642 + postcss: 8.5.6 4643 + 4644 + csso@5.0.5: 4645 + dependencies: 4646 + css-tree: 2.2.1 4647 + 4648 csstype@3.2.3: {} 4649 4650 date-fns@4.1.0: {} ··· 4724 path-type: 4.0.0 4725 4726 dlv@1.1.3: {} 4727 + 4728 + dom-serializer@2.0.0: 4729 + dependencies: 4730 + domelementtype: 2.3.0 4731 + domhandler: 5.0.3 4732 + entities: 4.5.0 4733 + 4734 + domelementtype@2.3.0: {} 4735 + 4736 + domhandler@5.0.3: 4737 + dependencies: 4738 + domelementtype: 2.3.0 4739 + 4740 + domutils@3.2.2: 4741 + dependencies: 4742 + dom-serializer: 2.0.0 4743 + domelementtype: 2.3.0 4744 + domhandler: 5.0.3 4745 4746 dot-case@3.0.4: 4747 dependencies: ··· 5210 dependencies: 5211 p-locate: 6.0.0 5212 5213 + lodash.memoize@4.1.2: {} 5214 + 5215 + lodash.uniq@4.5.0: {} 5216 + 5217 lodash@4.17.21: {} 5218 5219 logform@2.7.0: ··· 5252 make-dir@3.1.0: 5253 dependencies: 5254 semver: 6.3.1 5255 + 5256 + mdn-data@2.0.28: {} 5257 + 5258 + mdn-data@2.12.2: {} 5259 5260 merge-options@3.0.4: 5261 dependencies: ··· 5341 npm-run-path@5.3.0: 5342 dependencies: 5343 path-key: 4.0.0 5344 + 5345 + nth-check@2.1.1: 5346 + dependencies: 5347 + boolbase: 1.0.0 5348 5349 object-assign@4.1.1: {} 5350 ··· 5456 dependencies: 5457 find-up: 4.1.0 5458 5459 + postcss-calc@10.1.1(postcss@8.5.6): 5460 + dependencies: 5461 + postcss: 8.5.6 5462 + postcss-selector-parser: 7.1.1 5463 + postcss-value-parser: 4.2.0 5464 + 5465 + postcss-colormin@7.0.5(postcss@8.5.6): 5466 + dependencies: 5467 + browserslist: 4.28.1 5468 + caniuse-api: 3.0.0 5469 + colord: 2.9.3 5470 + postcss: 8.5.6 5471 + postcss-value-parser: 4.2.0 5472 + 5473 + postcss-convert-values@7.0.8(postcss@8.5.6): 5474 + dependencies: 5475 + browserslist: 4.28.1 5476 + postcss: 8.5.6 5477 + postcss-value-parser: 4.2.0 5478 + 5479 + postcss-discard-comments@7.0.5(postcss@8.5.6): 5480 + dependencies: 5481 + postcss: 8.5.6 5482 + postcss-selector-parser: 7.1.1 5483 + 5484 + postcss-discard-duplicates@7.0.2(postcss@8.5.6): 5485 + dependencies: 5486 + postcss: 8.5.6 5487 + 5488 + postcss-discard-empty@7.0.1(postcss@8.5.6): 5489 + dependencies: 5490 + postcss: 8.5.6 5491 + 5492 + postcss-discard-overridden@7.0.1(postcss@8.5.6): 5493 + dependencies: 5494 + postcss: 8.5.6 5495 + 5496 postcss-import@15.1.0(postcss@8.5.6): 5497 dependencies: 5498 postcss: 8.5.6 ··· 5512 jiti: 1.21.7 5513 postcss: 8.5.6 5514 5515 + postcss-merge-longhand@7.0.5(postcss@8.5.6): 5516 + dependencies: 5517 + postcss: 8.5.6 5518 + postcss-value-parser: 4.2.0 5519 + stylehacks: 7.0.7(postcss@8.5.6) 5520 + 5521 + postcss-merge-rules@7.0.7(postcss@8.5.6): 5522 + dependencies: 5523 + browserslist: 4.28.1 5524 + caniuse-api: 3.0.0 5525 + cssnano-utils: 5.0.1(postcss@8.5.6) 5526 + postcss: 8.5.6 5527 + postcss-selector-parser: 7.1.1 5528 + 5529 + postcss-minify-font-values@7.0.1(postcss@8.5.6): 5530 + dependencies: 5531 + postcss: 8.5.6 5532 + postcss-value-parser: 4.2.0 5533 + 5534 + postcss-minify-gradients@7.0.1(postcss@8.5.6): 5535 + dependencies: 5536 + colord: 2.9.3 5537 + cssnano-utils: 5.0.1(postcss@8.5.6) 5538 + postcss: 8.5.6 5539 + postcss-value-parser: 4.2.0 5540 + 5541 + postcss-minify-params@7.0.5(postcss@8.5.6): 5542 + dependencies: 5543 + browserslist: 4.28.1 5544 + cssnano-utils: 5.0.1(postcss@8.5.6) 5545 + postcss: 8.5.6 5546 + postcss-value-parser: 4.2.0 5547 + 5548 + postcss-minify-selectors@7.0.5(postcss@8.5.6): 5549 + dependencies: 5550 + cssesc: 3.0.0 5551 + postcss: 8.5.6 5552 + postcss-selector-parser: 7.1.1 5553 + 5554 postcss-nested@6.2.0(postcss@8.5.6): 5555 dependencies: 5556 postcss: 8.5.6 5557 postcss-selector-parser: 6.1.2 5558 5559 + postcss-normalize-charset@7.0.1(postcss@8.5.6): 5560 + dependencies: 5561 + postcss: 8.5.6 5562 + 5563 + postcss-normalize-display-values@7.0.1(postcss@8.5.6): 5564 + dependencies: 5565 + postcss: 8.5.6 5566 + postcss-value-parser: 4.2.0 5567 + 5568 + postcss-normalize-positions@7.0.1(postcss@8.5.6): 5569 + dependencies: 5570 + postcss: 8.5.6 5571 + postcss-value-parser: 4.2.0 5572 + 5573 + postcss-normalize-repeat-style@7.0.1(postcss@8.5.6): 5574 + dependencies: 5575 + postcss: 8.5.6 5576 + postcss-value-parser: 4.2.0 5577 + 5578 + postcss-normalize-string@7.0.1(postcss@8.5.6): 5579 + dependencies: 5580 + postcss: 8.5.6 5581 + postcss-value-parser: 4.2.0 5582 + 5583 + postcss-normalize-timing-functions@7.0.1(postcss@8.5.6): 5584 + dependencies: 5585 + postcss: 8.5.6 5586 + postcss-value-parser: 4.2.0 5587 + 5588 + postcss-normalize-unicode@7.0.5(postcss@8.5.6): 5589 + dependencies: 5590 + browserslist: 4.28.1 5591 + postcss: 8.5.6 5592 + postcss-value-parser: 4.2.0 5593 + 5594 + postcss-normalize-url@7.0.1(postcss@8.5.6): 5595 + dependencies: 5596 + postcss: 8.5.6 5597 + postcss-value-parser: 4.2.0 5598 + 5599 + postcss-normalize-whitespace@7.0.1(postcss@8.5.6): 5600 + dependencies: 5601 + postcss: 8.5.6 5602 + postcss-value-parser: 4.2.0 5603 + 5604 + postcss-ordered-values@7.0.2(postcss@8.5.6): 5605 + dependencies: 5606 + cssnano-utils: 5.0.1(postcss@8.5.6) 5607 + postcss: 8.5.6 5608 + postcss-value-parser: 4.2.0 5609 + 5610 + postcss-reduce-initial@7.0.5(postcss@8.5.6): 5611 + dependencies: 5612 + browserslist: 4.28.1 5613 + caniuse-api: 3.0.0 5614 + postcss: 8.5.6 5615 + 5616 + postcss-reduce-transforms@7.0.1(postcss@8.5.6): 5617 + dependencies: 5618 + postcss: 8.5.6 5619 + postcss-value-parser: 4.2.0 5620 + 5621 postcss-selector-parser@6.1.2: 5622 dependencies: 5623 cssesc: 3.0.0 5624 util-deprecate: 1.0.2 5625 5626 + postcss-selector-parser@7.1.1: 5627 + dependencies: 5628 + cssesc: 3.0.0 5629 + util-deprecate: 1.0.2 5630 + 5631 + postcss-svgo@7.1.0(postcss@8.5.6): 5632 + dependencies: 5633 + postcss: 8.5.6 5634 + postcss-value-parser: 4.2.0 5635 + svgo: 4.0.0 5636 + 5637 + postcss-unique-selectors@7.0.4(postcss@8.5.6): 5638 + dependencies: 5639 + postcss: 8.5.6 5640 + postcss-selector-parser: 7.1.1 5641 + 5642 postcss-value-parser@4.2.0: {} 5643 5644 postcss-values-parser@6.0.2(postcss@8.5.6): ··· 5704 scheduler: 0.23.2 5705 5706 react-refresh@0.17.0: {} 5707 + 5708 + react-router-dom@7.11.0(react-dom@18.3.1(react@18.3.1))(react@18.3.1): 5709 + dependencies: 5710 + react: 18.3.1 5711 + react-dom: 18.3.1(react@18.3.1) 5712 + react-router: 7.11.0(react-dom@18.3.1(react@18.3.1))(react@18.3.1) 5713 + 5714 + react-router@7.11.0(react-dom@18.3.1(react@18.3.1))(react@18.3.1): 5715 + dependencies: 5716 + cookie: 1.1.1 5717 + react: 18.3.1 5718 + set-cookie-parser: 2.7.2 5719 + optionalDependencies: 5720 + react-dom: 18.3.1(react@18.3.1) 5721 5722 react@18.3.1: 5723 dependencies: ··· 5837 5838 safe-stable-stringify@2.5.0: {} 5839 5840 + sax@1.4.3: {} 5841 + 5842 scheduler@0.23.2: 5843 dependencies: 5844 loose-envify: 1.4.0 ··· 5847 5848 semver@7.7.3: {} 5849 5850 + set-cookie-parser@2.7.2: {} 5851 + 5852 setimmediate@1.0.5: {} 5853 5854 shebang-command@2.0.0: ··· 5934 dependencies: 5935 escape-string-regexp: 1.0.5 5936 5937 + stylehacks@7.0.7(postcss@8.5.6): 5938 + dependencies: 5939 + browserslist: 4.28.1 5940 + postcss: 8.5.6 5941 + postcss-selector-parser: 7.1.1 5942 + 5943 sucrase@3.35.1: 5944 dependencies: 5945 '@jridgewell/gen-mapping': 0.3.13 ··· 5953 supports-preserve-symlinks-flag@1.0.0: {} 5954 5955 svg-parser@2.0.4: {} 5956 + 5957 + svgo@4.0.0: 5958 + dependencies: 5959 + commander: 11.1.0 5960 + css-select: 5.2.2 5961 + css-tree: 3.1.0 5962 + css-what: 6.2.2 5963 + csso: 5.0.5 5964 + picocolors: 1.1.1 5965 + sax: 1.4.3 5966 5967 tailwindcss@3.4.19: 5968 dependencies: ··· 6122 optionalDependencies: 6123 '@types/node': 24.10.4 6124 fsevents: 2.3.3 6125 + 6126 + webextension-polyfill@0.12.0: {} 6127 6128 webidl-conversions@3.0.1: {} 6129