docs: add AI content generation feature with OpenAI integration
This commit is contained in:
		
							parent
							
								
									35aabcd3d3
								
							
						
					
					
						commit
						3fee0d1acb
					
				
							
								
								
									
										319
									
								
								AI_GENERATION_FEATURE.md
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										319
									
								
								AI_GENERATION_FEATURE.md
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,319 @@ | ||||
| # AI Generation Feature Documentation | ||||
| 
 | ||||
| ## Overview | ||||
| 
 | ||||
| The AI Generation feature uses OpenAI's GPT-4 to automatically generate production-ready blog articles based on: | ||||
| - Audio transcriptions from recorded clips | ||||
| - Selected images from the media library | ||||
| - User-provided AI prompts | ||||
| 
 | ||||
| ## Features | ||||
| 
 | ||||
| ### 1. **Intelligent Content Generation** | ||||
| - Uses GPT-4o model with internet access capability | ||||
| - Generates semantic HTML5 content ready for Ghost CMS | ||||
| - Automatically inserts image placeholders where images should appear | ||||
| - Respects user instructions and context from audio/images | ||||
| 
 | ||||
| ### 2. **Image Placeholder System** | ||||
| - AI generates placeholders in format: `{{IMAGE:description_of_image}}` | ||||
| - Placeholders use snake_case descriptive names | ||||
| - System tracks all placeholders for later replacement | ||||
| - Placeholders are displayed to user for review | ||||
| 
 | ||||
| ### 3. **Draft Persistence** | ||||
| - Generated drafts are automatically saved to the post | ||||
| - Drafts persist across sessions | ||||
| - Users can manually edit generated content | ||||
| - Re-generation is supported (overwrites previous draft) | ||||
| 
 | ||||
| ### 4. **System Prompt Configuration** | ||||
| - Default system prompt defines output format and requirements | ||||
| - Can be overridden via API for custom generation rules | ||||
| - Ensures consistent, production-ready HTML output | ||||
| 
 | ||||
| ## Architecture | ||||
| 
 | ||||
| ### Backend Components | ||||
| 
 | ||||
| #### 1. AI Generation API (`apps/api/src/ai-generate.ts`) | ||||
| **Endpoints:** | ||||
| - `POST /api/ai/generate` - Generate article content | ||||
| - `GET /api/ai/system-prompt` - Get default system prompt | ||||
| 
 | ||||
| **Request Payload:** | ||||
| ```typescript | ||||
| { | ||||
|   prompt: string;                    // User's generation instructions | ||||
|   audioTranscriptions?: string[];    // Transcribed audio clips | ||||
|   selectedImageUrls?: string[];      // URLs of selected images | ||||
|   systemPromptOverride?: string;     // Optional custom system prompt | ||||
| } | ||||
| ``` | ||||
| 
 | ||||
| **Response:** | ||||
| ```typescript | ||||
| { | ||||
|   content: string;                   // Generated HTML content | ||||
|   imagePlaceholders: string[];       // Array of placeholder descriptions | ||||
|   tokensUsed: number;                // OpenAI tokens consumed | ||||
|   model: string;                     // Model used (gpt-4o) | ||||
| } | ||||
| ``` | ||||
| 
 | ||||
| #### 2. Database Schema Updates | ||||
| **New Fields in `posts` table:** | ||||
| - `generated_draft` (TEXT) - Stores the AI-generated HTML content | ||||
| - `image_placeholders` (TEXT) - JSON array of image placeholder descriptions | ||||
| 
 | ||||
| **Migration:** `apps/api/drizzle/0002_soft_star_brand.sql` | ||||
| 
 | ||||
| #### 3. Posts API Updates | ||||
| - GET `/api/posts/:id` now returns `generatedDraft` and `imagePlaceholders` | ||||
| - POST `/api/posts` accepts and saves these fields | ||||
| - JSON serialization/deserialization handled automatically | ||||
| 
 | ||||
| ### Frontend Components | ||||
| 
 | ||||
| #### 1. AI Service (`apps/admin/src/services/ai.ts`) | ||||
| ```typescript | ||||
| generateDraft(payload) => Promise<{ | ||||
|   content: string; | ||||
|   imagePlaceholders: string[]; | ||||
|   tokensUsed: number; | ||||
|   model: string; | ||||
| }> | ||||
| 
 | ||||
| getSystemPrompt() => Promise<{ systemPrompt: string }> | ||||
| ``` | ||||
| 
 | ||||
| #### 2. StepGenerate Component | ||||
| **Features:** | ||||
| - Display audio transcriptions in chronological order | ||||
| - Show selected images | ||||
| - AI prompt input field with placeholder example | ||||
| - "Generate Draft" button (becomes "Re-generate Draft" after first use) | ||||
| - Loading state with spinner during generation | ||||
| - Error handling and display | ||||
| - Generated content preview with HTML rendering | ||||
| - Image placeholder detection and display | ||||
| - Auto-save on generation | ||||
| 
 | ||||
| **Props:** | ||||
| ```typescript | ||||
| { | ||||
|   postClips: Clip[]; | ||||
|   genImageKeys: string[]; | ||||
|   onToggleGenImage: (key: string) => void; | ||||
|   promptText: string; | ||||
|   onChangePrompt: (v: string) => void; | ||||
|   generatedDraft: string; | ||||
|   imagePlaceholders: string[]; | ||||
|   onGeneratedDraft: (content: string) => void; | ||||
|   onImagePlaceholders: (placeholders: string[]) => void; | ||||
| } | ||||
| ``` | ||||
| 
 | ||||
| #### 3. usePostEditor Hook Updates | ||||
| **New State:** | ||||
| - `generatedDraft` - Current generated content | ||||
| - `imagePlaceholders` - Array of placeholder descriptions | ||||
| 
 | ||||
| **New Setters:** | ||||
| - `setGeneratedDraft` | ||||
| - `setImagePlaceholders` | ||||
| 
 | ||||
| **Persistence:** | ||||
| - Loads from backend on post open | ||||
| - Saves to backend when updated | ||||
| - Included in savePost payload | ||||
| 
 | ||||
| ## System Prompt | ||||
| 
 | ||||
| The default system prompt ensures: | ||||
| 1. Production-ready HTML output | ||||
| 2. Semantic HTML5 tags only | ||||
| 3. Consistent image placeholder format | ||||
| 4. No markdown or wrapper tags | ||||
| 5. SEO-friendly structure | ||||
| 6. Proper heading hierarchy | ||||
| 7. Valid, properly closed HTML | ||||
| 
 | ||||
| **Image Placeholder Format:** | ||||
| ``` | ||||
| {{IMAGE:description_of_image}} | ||||
| ``` | ||||
| 
 | ||||
| Examples: | ||||
| - `{{IMAGE:screenshot_of_dashboard}}` | ||||
| - `{{IMAGE:team_photo_at_conference}}` | ||||
| - `{{IMAGE:architecture_diagram}}` | ||||
| 
 | ||||
| ## Usage Flow | ||||
| 
 | ||||
| 1. **User records audio** in Step 1 (Assets) | ||||
|    - Audio auto-uploads | ||||
|    - User transcribes clips | ||||
| 
 | ||||
| 2. **User selects images** in Step 1 (Assets) | ||||
|    - Images marked for generation | ||||
|    - Selection persists with post | ||||
| 
 | ||||
| 3. **User writes AI prompt** in Step 2 (AI Prompt) | ||||
|    - Describes article goals, audience, tone | ||||
|    - References transcriptions and images | ||||
| 
 | ||||
| 4. **User generates draft** in Step 3 (Generate) | ||||
|    - Clicks "Generate Draft" | ||||
|    - System sends prompt + transcriptions + image info to OpenAI | ||||
|    - AI generates HTML with image placeholders | ||||
|    - Draft auto-saves to post | ||||
|    - Placeholders displayed for review | ||||
| 
 | ||||
| 5. **User reviews/edits** in Step 4 (Edit) | ||||
|    - Can manually edit generated content | ||||
|    - Or return to Step 3 to re-generate | ||||
| 
 | ||||
| 6. **Future: Image Replacement** (Next Step) | ||||
|    - Replace placeholders with actual images | ||||
|    - Match placeholder descriptions to selected images | ||||
|    - Or allow manual image selection per placeholder | ||||
| 
 | ||||
| ## Environment Variables Required | ||||
| 
 | ||||
| ```bash | ||||
| # .env file | ||||
| OPENAI_API_KEY=sk-...your-key-here... | ||||
| ``` | ||||
| 
 | ||||
| ## Installation | ||||
| 
 | ||||
| ### 1. Install OpenAI Package | ||||
| ```bash | ||||
| cd apps/api | ||||
| pnpm add openai | ||||
| ``` | ||||
| 
 | ||||
| ### 2. Run Database Migration | ||||
| ```bash | ||||
| cd apps/api | ||||
| pnpm drizzle:migrate | ||||
| ``` | ||||
| 
 | ||||
| ### 3. Set Environment Variable | ||||
| Add `OPENAI_API_KEY` to your `.env` file in the project root. | ||||
| 
 | ||||
| ### 4. Restart API Server | ||||
| ```bash | ||||
| cd apps/api | ||||
| pnpm run dev | ||||
| ``` | ||||
| 
 | ||||
| ## API Rate Limits & Costs | ||||
| 
 | ||||
| - Model: GPT-4o | ||||
| - Typical article: ~2000-4000 tokens | ||||
| - Cost: ~$0.01-0.04 per generation | ||||
| - Rate limits: Per OpenAI account tier | ||||
| 
 | ||||
| ## Error Handling | ||||
| 
 | ||||
| **Frontend:** | ||||
| - Validates prompt is not empty | ||||
| - Shows loading spinner during generation | ||||
| - Displays error messages in Alert component | ||||
| - Gracefully handles API failures | ||||
| 
 | ||||
| **Backend:** | ||||
| - Validates required fields | ||||
| - Checks for OpenAI API key | ||||
| - Catches and logs OpenAI errors | ||||
| - Returns descriptive error messages | ||||
| 
 | ||||
| ## Future Enhancements | ||||
| 
 | ||||
| 1. **Image Placeholder Replacement Step** | ||||
|    - New step between Generate and Edit | ||||
|    - Match placeholders to selected images | ||||
|    - AI-assisted matching based on descriptions | ||||
|    - Manual override capability | ||||
| 
 | ||||
| 2. **System Prompt Customization** | ||||
|    - UI for editing system prompt | ||||
|    - Save custom prompts per user | ||||
|    - Prompt templates library | ||||
| 
 | ||||
| 3. **Generation History** | ||||
|    - Save multiple generated versions | ||||
|    - Compare versions side-by-side | ||||
|    - Rollback to previous generation | ||||
| 
 | ||||
| 4. **Advanced AI Features** | ||||
|    - SEO optimization suggestions | ||||
|    - Readability scoring | ||||
|    - Tone adjustment | ||||
|    - Length targeting | ||||
| 
 | ||||
| 5. **Multi-Model Support** | ||||
|    - Support for Claude, Gemini | ||||
|    - Model selection in UI | ||||
|    - Cost comparison | ||||
| 
 | ||||
| ## Testing | ||||
| 
 | ||||
| ### Manual Testing Checklist | ||||
| - [ ] Generate draft with audio transcriptions | ||||
| - [ ] Generate draft with selected images | ||||
| - [ ] Generate draft with both audio and images | ||||
| - [ ] Verify image placeholders are detected | ||||
| - [ ] Verify draft persists after save | ||||
| - [ ] Test re-generation (overwrites previous) | ||||
| - [ ] Test error handling (invalid API key, network error) | ||||
| - [ ] Verify HTML output is valid | ||||
| - [ ] Test with empty prompt (should show error) | ||||
| - [ ] Test with very long prompt | ||||
| 
 | ||||
| ### Example Prompts | ||||
| 
 | ||||
| **Basic Article:** | ||||
| ``` | ||||
| Write a 1000-word technical article about building a modern blog platform with React and Ghost CMS. Include sections on architecture, key features, and deployment. Target audience: developers with React experience. | ||||
| ``` | ||||
| 
 | ||||
| **With Context:** | ||||
| ``` | ||||
| Based on the audio transcriptions provided, write a comprehensive guide about the topics discussed. Structure it as a tutorial with clear steps. Include code examples where mentioned in the transcriptions. Use the selected images to illustrate key concepts. | ||||
| ``` | ||||
| 
 | ||||
| **SEO-Focused:** | ||||
| ``` | ||||
| Write an SEO-optimized article about [topic]. Include an engaging introduction, 5-7 main sections with H2 headings, bullet points for key takeaways, and a strong conclusion with a call-to-action. Target keyword: [keyword]. Word count: 1500-2000 words. | ||||
| ``` | ||||
| 
 | ||||
| ## Troubleshooting | ||||
| 
 | ||||
| **Issue: "OpenAI API key not configured"** | ||||
| - Solution: Add `OPENAI_API_KEY` to `.env` file | ||||
| 
 | ||||
| **Issue: Generation takes too long** | ||||
| - Cause: Large prompts or transcriptions | ||||
| - Solution: Reduce input size or increase timeout | ||||
| 
 | ||||
| **Issue: Invalid HTML output** | ||||
| - Cause: System prompt not followed | ||||
| - Solution: Review and adjust system prompt | ||||
| 
 | ||||
| **Issue: No image placeholders generated** | ||||
| - Cause: Prompt doesn't mention images | ||||
| - Solution: Explicitly request image placement in prompt | ||||
| 
 | ||||
| ## Summary | ||||
| 
 | ||||
| The AI Generation feature provides a powerful, automated way to create production-ready blog content from audio recordings and images. The system is designed to be: | ||||
| - **Reliable**: Robust error handling and validation | ||||
| - **Flexible**: Customizable prompts and system configuration | ||||
| - **Persistent**: All generated content is saved | ||||
| - **User-Friendly**: Clear UI with loading states and error messages | ||||
| - **Production-Ready**: Generates valid HTML for direct Ghost publishing | ||||
| 
 | ||||
| All components are implemented and ready for use. The next logical enhancement is the image placeholder replacement step. | ||||
| @ -2,6 +2,7 @@ import { useEffect, useState } from 'react'; | ||||
| import AuthGate from './components/AuthGate'; | ||||
| import EditorShell from './components/EditorShell'; | ||||
| import PostsList from './components/PostsList'; | ||||
| import Settings from './components/Settings'; | ||||
| import AdminTopBar from './components/layout/AdminTopBar'; | ||||
| import { Box } from '@mui/material'; | ||||
| import './App.css'; | ||||
| @ -9,6 +10,7 @@ import './App.css'; | ||||
| function App() { | ||||
|   const [authenticated, setAuthenticated] = useState(false); | ||||
|   const [selectedPostId, setSelectedPostId] = useState<string | null>(null); | ||||
|   const [showSettings, setShowSettings] = useState(false); | ||||
| 
 | ||||
|   useEffect(() => { | ||||
|     const flag = localStorage.getItem('voxblog_authed'); | ||||
| @ -48,12 +50,20 @@ function App() { | ||||
|         <Box sx={{ display: 'grid', gridTemplateRows: 'auto 1fr', minHeight: '100dvh', width: '100%' }}> | ||||
|           <AdminTopBar | ||||
|             userName={undefined} | ||||
|             onGoPosts={() => setSelectedPostId(null)} | ||||
|             onSettings={undefined} | ||||
|             onGoPosts={() => { | ||||
|               setSelectedPostId(null); | ||||
|               setShowSettings(false); | ||||
|             }} | ||||
|             onSettings={() => { | ||||
|               setSelectedPostId(null); | ||||
|               setShowSettings(true); | ||||
|             }} | ||||
|             onLogout={handleLogout} | ||||
|           /> | ||||
|           <Box sx={{ minHeight: 0, overflow: 'hidden', width: '100%' }}> | ||||
|             {selectedPostId ? ( | ||||
|             {showSettings ? ( | ||||
|               <Settings onBack={() => setShowSettings(false)} /> | ||||
|             ) : selectedPostId ? ( | ||||
|               <EditorShell | ||||
|                 onLogout={handleLogout} | ||||
|                 initialPostId={selectedPostId} | ||||
|  | ||||
| @ -1,4 +1,5 @@ | ||||
| import { Box, Snackbar, Alert, Stepper, Step, StepLabel, StepButton, Stack, Button } from '@mui/material'; | ||||
| import { useEffect, useRef } from 'react'; | ||||
| import { Box, Stepper, Step, StepButton, StepLabel, Snackbar, Alert } from '@mui/material'; | ||||
| import type { RichEditorHandle } from './RichEditor'; | ||||
| import StepAssets from './steps/StepAssets'; | ||||
| import StepAiPrompt from './steps/StepAiPrompt'; | ||||
| @ -8,7 +9,6 @@ import StepMetadata from './steps/StepMetadata'; | ||||
| import StepPublish from './steps/StepPublish'; | ||||
| import StepContainer from './steps/StepContainer'; | ||||
| import { usePostEditor } from '../hooks/usePostEditor'; | ||||
| import { useRef, useEffect } from 'react'; | ||||
| import PageContainer from './layout/PageContainer'; | ||||
| import PostSidebar from './layout/PostSidebar'; | ||||
| import StepNavigation from './layout/StepNavigation'; | ||||
| @ -29,6 +29,8 @@ export default function EditorShell({ onLogout: _onLogout, initialPostId, onBack | ||||
|     previewLoading, | ||||
|     previewError, | ||||
|     genImageKeys, | ||||
|     generatedDraft, | ||||
|     imagePlaceholders, | ||||
|     // setters
 | ||||
|     setDraft, | ||||
|     setMeta, | ||||
| @ -36,6 +38,8 @@ export default function EditorShell({ onLogout: _onLogout, initialPostId, onBack | ||||
|     setPromptText, | ||||
|     setToast, | ||||
|     setActiveStep, | ||||
|     setGeneratedDraft, | ||||
|     setImagePlaceholders, | ||||
|     // actions
 | ||||
|     savePost, | ||||
|     deletePost, | ||||
| @ -142,16 +146,30 @@ export default function EditorShell({ onLogout: _onLogout, initialPostId, onBack | ||||
|                 onToggleGenImage={toggleGenImage} | ||||
|                 promptText={promptText} | ||||
|                 onChangePrompt={setPromptText} | ||||
|                 generatedDraft={generatedDraft} | ||||
|                 imagePlaceholders={imagePlaceholders} | ||||
|                 onGeneratedDraft={(content) => { | ||||
|                   setGeneratedDraft(content); | ||||
|                   void savePost({ generatedDraft: content }); | ||||
|                 }} | ||||
|                 onImagePlaceholders={(placeholders) => { | ||||
|                   setImagePlaceholders(placeholders); | ||||
|                   void savePost({ imagePlaceholders: placeholders }); | ||||
|                 }} | ||||
|               /> | ||||
|               <Stack direction="row" spacing={1}> | ||||
|                 <Button variant="contained" disabled>Generate Draft (Coming Soon)</Button> | ||||
|               </Stack> | ||||
|             </StepContainer> | ||||
|           )} | ||||
| 
 | ||||
|           {activeStep === 3 && ( | ||||
|             <StepContainer> | ||||
|               <StepEdit editorRef={editorRef as any} draftHtml={draft} onChangeDraft={setDraft} /> | ||||
|               <StepEdit  | ||||
|                 editorRef={editorRef as any}  | ||||
|                 draftHtml={draft}  | ||||
|                 onChangeDraft={setDraft} | ||||
|                 generatedDraft={generatedDraft} | ||||
|                 imagePlaceholders={imagePlaceholders} | ||||
|                 selectedImageKeys={genImageKeys} | ||||
|               /> | ||||
|             </StepContainer> | ||||
|           )} | ||||
| 
 | ||||
|  | ||||
							
								
								
									
										143
									
								
								apps/admin/src/components/Settings.tsx
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										143
									
								
								apps/admin/src/components/Settings.tsx
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,143 @@ | ||||
| import { useState, useEffect } from 'react'; | ||||
| import { Box, TextField, Button, Typography, Alert, Paper, Stack } from '@mui/material'; | ||||
| import { getSetting, updateSetting, resetSetting } from '../services/settings'; | ||||
| 
 | ||||
| export default function Settings({ onBack }: { onBack?: () => void }) { | ||||
|   const [systemPrompt, setSystemPrompt] = useState(''); | ||||
|   const [loading, setLoading] = useState(true); | ||||
|   const [saving, setSaving] = useState(false); | ||||
|   const [isDefault, setIsDefault] = useState(true); | ||||
|   const [message, setMessage] = useState<{ text: string; type: 'success' | 'error' } | null>(null); | ||||
| 
 | ||||
|   useEffect(() => { | ||||
|     loadSystemPrompt(); | ||||
|   }, []); | ||||
| 
 | ||||
|   const loadSystemPrompt = async () => { | ||||
|     try { | ||||
|       setLoading(true); | ||||
|       const data = await getSetting('system_prompt'); | ||||
|       setSystemPrompt(data.value); | ||||
|       setIsDefault(data.isDefault); | ||||
|     } catch (err: any) { | ||||
|       setMessage({ text: err?.message || 'Failed to load settings', type: 'error' }); | ||||
|     } finally { | ||||
|       setLoading(false); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   const handleSave = async () => { | ||||
|     try { | ||||
|       setSaving(true); | ||||
|       setMessage(null); | ||||
|       await updateSetting('system_prompt', systemPrompt); | ||||
|       setIsDefault(false); | ||||
|       setMessage({ text: 'System prompt saved successfully!', type: 'success' }); | ||||
|     } catch (err: any) { | ||||
|       setMessage({ text: err?.message || 'Failed to save settings', type: 'error' }); | ||||
|     } finally { | ||||
|       setSaving(false); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   const handleReset = async () => { | ||||
|     if (!confirm('Reset to default system prompt? This will delete your custom prompt.')) { | ||||
|       return; | ||||
|     } | ||||
|     try { | ||||
|       setSaving(true); | ||||
|       setMessage(null); | ||||
|       await resetSetting('system_prompt'); | ||||
|       await loadSystemPrompt(); | ||||
|       setMessage({ text: 'Reset to default system prompt', type: 'success' }); | ||||
|     } catch (err: any) { | ||||
|       setMessage({ text: err?.message || 'Failed to reset settings', type: 'error' }); | ||||
|     } finally { | ||||
|       setSaving(false); | ||||
|     } | ||||
|   }; | ||||
| 
 | ||||
|   if (loading) { | ||||
|     return ( | ||||
|       <Box sx={{ p: 3 }}> | ||||
|         <Typography>Loading settings...</Typography> | ||||
|       </Box> | ||||
|     ); | ||||
|   } | ||||
| 
 | ||||
|   return ( | ||||
|     <Box sx={{ p: { xs: 2, md: 3 }, maxWidth: '1200px', margin: '0 auto' }}> | ||||
|       <Stack direction="row" justifyContent="space-between" alignItems="center" sx={{ mb: 3 }}> | ||||
|         <Typography variant="h4">Settings</Typography> | ||||
|         {onBack && ( | ||||
|           <Button variant="outlined" onClick={onBack}> | ||||
|             Back to Posts | ||||
|           </Button> | ||||
|         )} | ||||
|       </Stack> | ||||
| 
 | ||||
|       {message && ( | ||||
|         <Alert severity={message.type} sx={{ mb: 2 }} onClose={() => setMessage(null)}> | ||||
|           {message.text} | ||||
|         </Alert> | ||||
|       )} | ||||
| 
 | ||||
|       <Paper sx={{ p: 3 }}> | ||||
|         <Typography variant="h6" sx={{ mb: 1 }}> | ||||
|           AI System Prompt | ||||
|         </Typography> | ||||
|         <Typography variant="body2" sx={{ mb: 2, color: 'text.secondary' }}> | ||||
|           This prompt defines how the AI generates article content. It controls the output format,  | ||||
|           HTML structure, image placeholder format, and writing style. | ||||
|           {isDefault && ( | ||||
|             <Typography component="span" sx={{ display: 'block', mt: 1, fontWeight: 'bold', color: 'info.main' }}> | ||||
|               Currently using default system prompt | ||||
|             </Typography> | ||||
|           )} | ||||
|         </Typography> | ||||
| 
 | ||||
|         <TextField | ||||
|           label="System Prompt" | ||||
|           value={systemPrompt} | ||||
|           onChange={(e) => setSystemPrompt(e.target.value)} | ||||
|           fullWidth | ||||
|           multiline | ||||
|           minRows={15} | ||||
|           maxRows={30} | ||||
|           sx={{ mb: 2, fontFamily: 'monospace' }} | ||||
|           placeholder="Enter custom system prompt..." | ||||
|         /> | ||||
| 
 | ||||
|         <Stack direction="row" spacing={2}> | ||||
|           <Button | ||||
|             variant="contained" | ||||
|             onClick={handleSave} | ||||
|             disabled={saving || !systemPrompt.trim()} | ||||
|           > | ||||
|             {saving ? 'Saving...' : 'Save Custom Prompt'} | ||||
|           </Button> | ||||
|           <Button | ||||
|             variant="outlined" | ||||
|             onClick={handleReset} | ||||
|             disabled={saving || isDefault} | ||||
|           > | ||||
|             Reset to Default | ||||
|           </Button> | ||||
|         </Stack> | ||||
| 
 | ||||
|         <Box sx={{ mt: 3, p: 2, bgcolor: 'grey.100', borderRadius: 1 }}> | ||||
|           <Typography variant="subtitle2" sx={{ mb: 1 }}> | ||||
|             💡 Tips for customizing the system prompt: | ||||
|           </Typography> | ||||
|           <Typography variant="body2" component="ul" sx={{ pl: 2 }}> | ||||
|             <li>Keep the image placeholder format: <code>{`{{IMAGE:description}}`}</code></li> | ||||
|             <li>Specify HTML tags to use (h2, h3, p, ul, ol, etc.)</li> | ||||
|             <li>Define the writing style and tone</li> | ||||
|             <li>Set content structure requirements</li> | ||||
|             <li>Add SEO or formatting guidelines</li> | ||||
|           </Typography> | ||||
|         </Box> | ||||
|       </Paper> | ||||
|     </Box> | ||||
|   ); | ||||
| } | ||||
| @ -23,7 +23,7 @@ export default function AdminTopBar({ | ||||
|         </Typography> | ||||
|         <Box sx={{ display: 'flex', gap: 1 }}> | ||||
|           {onGoPosts && <Button color="inherit" onClick={onGoPosts}>Posts</Button>} | ||||
|           <Button color="inherit" disabled>Settings</Button> | ||||
|           {onSettings && <Button color="inherit" onClick={onSettings}>Settings</Button>} | ||||
|           {onLogout && <Button color="inherit" onClick={onLogout}>Logout</Button>} | ||||
|         </Box> | ||||
|       </Toolbar> | ||||
|  | ||||
| @ -1,4 +1,5 @@ | ||||
| import { Box } from '@mui/material'; | ||||
| import { useState } from 'react'; | ||||
| import { Box, Button, Alert, Stack, Dialog, DialogTitle, DialogContent, DialogActions, List, ListItem, ListItemButton, ListItemText } from '@mui/material'; | ||||
| import RichEditor, { type RichEditorHandle } from '../RichEditor'; | ||||
| import StepHeader from './StepHeader'; | ||||
| import type { ForwardedRef } from 'react'; | ||||
| @ -7,17 +8,87 @@ export default function StepEdit({ | ||||
|   editorRef, | ||||
|   draftHtml, | ||||
|   onChangeDraft, | ||||
|   generatedDraft, | ||||
|   imagePlaceholders, | ||||
|   selectedImageKeys, | ||||
| }: { | ||||
|   editorRef: ForwardedRef<RichEditorHandle> | any; | ||||
|   draftHtml: string; | ||||
|   onChangeDraft: (html: string) => void; | ||||
|   generatedDraft?: string; | ||||
|   imagePlaceholders?: string[]; | ||||
|   selectedImageKeys?: string[]; | ||||
| }) { | ||||
|   const [showImagePicker, setShowImagePicker] = useState(false); | ||||
|   const [currentPlaceholder, setCurrentPlaceholder] = useState<string>(''); | ||||
|   const loadGeneratedDraft = () => { | ||||
|     if (!generatedDraft) return; | ||||
|     if (draftHtml && draftHtml !== '<p></p>' && !confirm('Replace current content with generated draft?')) { | ||||
|       return; | ||||
|     } | ||||
|     onChangeDraft(generatedDraft); | ||||
|   }; | ||||
| 
 | ||||
|   const replacePlaceholder = (placeholder: string, imageKey: string) => { | ||||
|     const imageUrl = `/api/media/obj?key=${encodeURIComponent(imageKey)}`; | ||||
|     const placeholderPattern = `{{IMAGE:${placeholder}}}`; | ||||
|     const replacement = `<img src="${imageUrl}" alt="${placeholder.replace(/_/g, ' ')}" />`; | ||||
|     const newHtml = draftHtml.replace(placeholderPattern, replacement); | ||||
|     onChangeDraft(newHtml); | ||||
|     setShowImagePicker(false); | ||||
|   }; | ||||
| 
 | ||||
|   const detectPlaceholders = () => { | ||||
|     const regex = /\{\{IMAGE:([^}]+)\}\}/g; | ||||
|     const matches = []; | ||||
|     let match; | ||||
|     while ((match = regex.exec(draftHtml)) !== null) { | ||||
|       matches.push(match[1]); | ||||
|     } | ||||
|     return matches; | ||||
|   }; | ||||
| 
 | ||||
|   const currentPlaceholders = detectPlaceholders(); | ||||
| 
 | ||||
|   return ( | ||||
|     <Box> | ||||
|       <StepHeader  | ||||
|         title="Edit Content"  | ||||
|         description="Write and format your post content. Use Ctrl/Cmd+S to save your work." | ||||
|       /> | ||||
|        | ||||
|       {/* Action buttons */} | ||||
|       <Stack direction="row" spacing={2} sx={{ mb: 2, flexWrap: 'wrap', gap: 1 }}> | ||||
|         {generatedDraft && generatedDraft !== draftHtml && ( | ||||
|           <Button  | ||||
|             variant="outlined"  | ||||
|             size="small" | ||||
|             onClick={loadGeneratedDraft} | ||||
|           > | ||||
|             Load Generated Draft | ||||
|           </Button> | ||||
|         )} | ||||
|         {currentPlaceholders.length > 0 && ( | ||||
|           <Alert severity="info" sx={{ flex: 1 }}> | ||||
|             {currentPlaceholders.length} image placeholder{currentPlaceholders.length > 1 ? 's' : ''} detected. Click to replace: | ||||
|             <Stack direction="row" spacing={1} sx={{ mt: 1, flexWrap: 'wrap', gap: 0.5 }}> | ||||
|               {currentPlaceholders.map((ph, idx) => ( | ||||
|                 <Button | ||||
|                   key={idx} | ||||
|                   size="small" | ||||
|                   variant="outlined" | ||||
|                   onClick={() => { | ||||
|                     setCurrentPlaceholder(ph); | ||||
|                     setShowImagePicker(true); | ||||
|                   }} | ||||
|                 > | ||||
|                   {ph} | ||||
|                 </Button> | ||||
|               ))} | ||||
|             </Stack> | ||||
|           </Alert> | ||||
|         )} | ||||
|       </Stack> | ||||
|       <Box sx={{ | ||||
|         overflowX: 'auto', | ||||
|         '& img': { maxWidth: '100%', height: 'auto' }, | ||||
| @ -26,6 +97,39 @@ export default function StepEdit({ | ||||
|       }}> | ||||
|         <RichEditor ref={editorRef} value={draftHtml} onChange={onChangeDraft} placeholder="Write your post..." /> | ||||
|       </Box> | ||||
| 
 | ||||
|       {/* Image picker dialog */} | ||||
|       <Dialog open={showImagePicker} onClose={() => setShowImagePicker(false)} maxWidth="sm" fullWidth> | ||||
|         <DialogTitle>Replace: {`{{IMAGE:${currentPlaceholder}}}`}</DialogTitle> | ||||
|         <DialogContent> | ||||
|           {selectedImageKeys && selectedImageKeys.length > 0 ? ( | ||||
|             <List> | ||||
|               {selectedImageKeys.map((key) => ( | ||||
|                 <ListItem key={key} disablePadding> | ||||
|                   <ListItemButton onClick={() => replacePlaceholder(currentPlaceholder, key)}> | ||||
|                     <Box sx={{ display: 'flex', alignItems: 'center', gap: 2, width: '100%' }}> | ||||
|                       <img  | ||||
|                         src={`/api/media/obj?key=${encodeURIComponent(key)}`}  | ||||
|                         alt=""  | ||||
|                         style={{ width: 60, height: 60, objectFit: 'cover', borderRadius: 4 }} | ||||
|                       /> | ||||
|                       <ListItemText  | ||||
|                         primary={key.split('/').pop()}  | ||||
|                         secondary={key} | ||||
|                       /> | ||||
|                     </Box> | ||||
|                   </ListItemButton> | ||||
|                 </ListItem> | ||||
|               ))} | ||||
|             </List> | ||||
|           ) : ( | ||||
|             <Alert severity="warning">No images selected. Go to Assets step to select images.</Alert> | ||||
|           )} | ||||
|         </DialogContent> | ||||
|         <DialogActions> | ||||
|           <Button onClick={() => setShowImagePicker(false)}>Cancel</Button> | ||||
|         </DialogActions> | ||||
|       </Dialog> | ||||
|     </Box> | ||||
|   ); | ||||
| } | ||||
|  | ||||
| @ -1,7 +1,9 @@ | ||||
| import { Box, Stack, TextField, Typography } from '@mui/material'; | ||||
| import { useState } from 'react'; | ||||
| import { Box, Stack, TextField, Typography, Button, Alert, CircularProgress } from '@mui/material'; | ||||
| import SelectedImages from './SelectedImages'; | ||||
| import CollapsibleSection from './CollapsibleSection'; | ||||
| import StepHeader from './StepHeader'; | ||||
| import { generateDraft } from '../../services/ai'; | ||||
| import type { Clip } from './StepAssets'; | ||||
| 
 | ||||
| export default function StepGenerate({ | ||||
| @ -10,13 +12,23 @@ export default function StepGenerate({ | ||||
|   onToggleGenImage, | ||||
|   promptText, | ||||
|   onChangePrompt, | ||||
|   generatedDraft, | ||||
|   imagePlaceholders, | ||||
|   onGeneratedDraft, | ||||
|   onImagePlaceholders, | ||||
| }: { | ||||
|   postClips: Clip[]; | ||||
|   genImageKeys: string[]; | ||||
|   onToggleGenImage: (key: string) => void; | ||||
|   promptText: string; | ||||
|   onChangePrompt: (v: string) => void; | ||||
|   generatedDraft: string; | ||||
|   imagePlaceholders: string[]; | ||||
|   onGeneratedDraft: (content: string) => void; | ||||
|   onImagePlaceholders: (placeholders: string[]) => void; | ||||
| }) { | ||||
|   const [generating, setGenerating] = useState(false); | ||||
|   const [error, setError] = useState<string>(''); | ||||
|   return ( | ||||
|     <Box sx={{ display: 'grid', gap: 2 }}> | ||||
|       <StepHeader  | ||||
| @ -56,8 +68,99 @@ export default function StepGenerate({ | ||||
|             fullWidth | ||||
|             multiline | ||||
|             minRows={4} | ||||
|             placeholder="Example: Write a comprehensive technical article about building a modern blog platform. Include sections on architecture, key features, and deployment. Target audience: developers with React experience." | ||||
|           /> | ||||
|         </CollapsibleSection> | ||||
| 
 | ||||
|         {/* Generate Button */} | ||||
|         <Box> | ||||
|           <Button | ||||
|             variant="contained" | ||||
|             size="large" | ||||
|             onClick={async () => { | ||||
|               if (!promptText.trim()) { | ||||
|                 setError('Please provide an AI prompt'); | ||||
|                 return; | ||||
|               } | ||||
|               setGenerating(true); | ||||
|               setError(''); | ||||
|               try { | ||||
|                 const transcriptions = postClips | ||||
|                   .filter(c => c.transcript) | ||||
|                   .sort((a, b) => new Date(a.createdAt).getTime() - new Date(b.createdAt).getTime()) | ||||
|                   .map(c => c.transcript!); | ||||
|                  | ||||
|                 const imageUrls = genImageKeys.map(key => `/api/media/obj?key=${encodeURIComponent(key)}`); | ||||
|                  | ||||
|                 const result = await generateDraft({ | ||||
|                   prompt: promptText, | ||||
|                   audioTranscriptions: transcriptions.length > 0 ? transcriptions : undefined, | ||||
|                   selectedImageUrls: imageUrls.length > 0 ? imageUrls : undefined, | ||||
|                 }); | ||||
|                  | ||||
|                 onGeneratedDraft(result.content); | ||||
|                 onImagePlaceholders(result.imagePlaceholders); | ||||
|               } catch (err: any) { | ||||
|                 setError(err?.message || 'Generation failed'); | ||||
|               } finally { | ||||
|                 setGenerating(false); | ||||
|               } | ||||
|             }} | ||||
|             disabled={generating || !promptText.trim()} | ||||
|             fullWidth | ||||
|           > | ||||
|             {generating ? ( | ||||
|               <> | ||||
|                 <CircularProgress size={20} sx={{ mr: 1 }} /> | ||||
|                 Generating Draft... | ||||
|               </> | ||||
|             ) : generatedDraft ? ( | ||||
|               'Re-generate Draft' | ||||
|             ) : ( | ||||
|               'Generate Draft' | ||||
|             )} | ||||
|           </Button> | ||||
|           {error && <Alert severity="error" sx={{ mt: 1 }}>{error}</Alert>} | ||||
|         </Box> | ||||
| 
 | ||||
|         {/* Generated Content Display */} | ||||
|         {generatedDraft && ( | ||||
|           <CollapsibleSection title="Generated Draft"> | ||||
|             <Stack spacing={2}> | ||||
|               {imagePlaceholders.length > 0 && ( | ||||
|                 <Alert severity="info"> | ||||
|                   <Typography variant="body2" sx={{ fontWeight: 'bold', mb: 0.5 }}>Image Placeholders Detected:</Typography> | ||||
|                   <Typography variant="caption" component="div"> | ||||
|                     {imagePlaceholders.map((ph, idx) => ( | ||||
|                       <div key={idx}>• {`{{IMAGE:${ph}}}`}</div> | ||||
|                     ))} | ||||
|                   </Typography> | ||||
|                   <Typography variant="caption" sx={{ mt: 1, display: 'block' }}> | ||||
|                     These will be replaced with actual images in the next step. | ||||
|                   </Typography> | ||||
|                 </Alert> | ||||
|               )} | ||||
|               <Box | ||||
|                 sx={{ | ||||
|                   p: 2, | ||||
|                   border: '1px solid', | ||||
|                   borderColor: 'divider', | ||||
|                   borderRadius: 1, | ||||
|                   bgcolor: 'background.paper', | ||||
|                   maxHeight: '500px', | ||||
|                   overflowY: 'auto', | ||||
|                   '& h2, & h3': { mt: 2, mb: 1 }, | ||||
|                   '& p': { mb: 1 }, | ||||
|                   '& ul, & ol': { pl: 3, mb: 1 }, | ||||
|                 }} | ||||
|                 dangerouslySetInnerHTML={{ __html: generatedDraft }} | ||||
|               /> | ||||
|               <Typography variant="caption" sx={{ color: 'text.secondary' }}> | ||||
|                 This draft has been saved with your post. You can edit it manually in the Edit step or re-generate it here. | ||||
|               </Typography> | ||||
|             </Stack> | ||||
|           </CollapsibleSection> | ||||
|         )} | ||||
|       </Stack> | ||||
|     </Box> | ||||
|   ); | ||||
|  | ||||
| @ -175,7 +175,25 @@ export default function Recorder({ postId, initialClips, onInsertAtCursor, onTra | ||||
|     }); | ||||
|   }; | ||||
| 
 | ||||
|   const removeClip = (idx: number) => { | ||||
|   const removeClip = async (idx: number) => { | ||||
|     const clip = clips[idx]; | ||||
|     if (!clip) return; | ||||
|      | ||||
|     // If clip has been uploaded to backend, delete it from there too
 | ||||
|     if (clip.uploadedKey && postId) { | ||||
|       try { | ||||
|         const res = await fetch(`/api/media/audio/${clip.id}`, { | ||||
|           method: 'DELETE', | ||||
|         }); | ||||
|         if (!res.ok) { | ||||
|           console.error('Failed to delete audio clip from backend'); | ||||
|         } | ||||
|       } catch (err) { | ||||
|         console.error('Error deleting audio clip:', err); | ||||
|       } | ||||
|     } | ||||
|      | ||||
|     // Remove from local state
 | ||||
|     setClips((prev) => { | ||||
|       const arr = prev.slice(); | ||||
|       const [item] = arr.splice(idx, 1); | ||||
|  | ||||
| @ -16,6 +16,8 @@ export function usePostEditor(initialPostId?: string | null) { | ||||
|   const [previewLoading, setPreviewLoading] = useState<boolean>(false); | ||||
|   const [previewError, setPreviewError] = useState<string | null>(null); | ||||
|   const [genImageKeys, setGenImageKeys] = useState<string[]>([]); | ||||
|   const [generatedDraft, setGeneratedDraft] = useState<string>(''); | ||||
|   const [imagePlaceholders, setImagePlaceholders] = useState<string[]>([]); | ||||
| 
 | ||||
|   useEffect(() => { | ||||
|     const savedId = initialPostId || localStorage.getItem('voxblog_post_id'); | ||||
| @ -40,6 +42,8 @@ export function usePostEditor(initialPostId?: string | null) { | ||||
|           if (data.status) setPostStatus(data.status); | ||||
|           setPromptText(data.prompt || ''); | ||||
|           if (Array.isArray(data.selectedImageKeys)) setGenImageKeys(data.selectedImageKeys); | ||||
|           if (data.generatedDraft) setGeneratedDraft(data.generatedDraft); | ||||
|           if (Array.isArray(data.imagePlaceholders)) setImagePlaceholders(data.imagePlaceholders); | ||||
|         } catch {} | ||||
|       })(); | ||||
|     } | ||||
| @ -57,6 +61,8 @@ export function usePostEditor(initialPostId?: string | null) { | ||||
|       status: postStatus, | ||||
|       prompt: promptText || undefined, | ||||
|       selectedImageKeys: genImageKeys.length > 0 ? genImageKeys : undefined, | ||||
|       generatedDraft: generatedDraft || undefined, | ||||
|       imagePlaceholders: imagePlaceholders.length > 0 ? imagePlaceholders : undefined, | ||||
|       ...(overrides || {}), | ||||
|     }; | ||||
|     const data = await savePostApi(payload); | ||||
| @ -130,6 +136,8 @@ export function usePostEditor(initialPostId?: string | null) { | ||||
|     previewLoading, | ||||
|     previewError, | ||||
|     genImageKeys, | ||||
|     generatedDraft, | ||||
|     imagePlaceholders, | ||||
|     // setters
 | ||||
|     setDraft, | ||||
|     setMeta, | ||||
| @ -138,6 +146,8 @@ export function usePostEditor(initialPostId?: string | null) { | ||||
|     setPromptText, | ||||
|     setToast, | ||||
|     setActiveStep, | ||||
|     setGeneratedDraft, | ||||
|     setImagePlaceholders, | ||||
|     // actions
 | ||||
|     savePost, | ||||
|     deletePost, | ||||
|  | ||||
							
								
								
									
										18
									
								
								apps/admin/src/services/ai.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										18
									
								
								apps/admin/src/services/ai.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,18 @@ | ||||
| export async function generateDraft(payload: { | ||||
|   prompt: string; | ||||
|   audioTranscriptions?: string[]; | ||||
|   selectedImageUrls?: string[]; | ||||
| }) { | ||||
|   const res = await fetch('/api/ai/generate', { | ||||
|     method: 'POST', | ||||
|     headers: { 'Content-Type': 'application/json' }, | ||||
|     body: JSON.stringify(payload), | ||||
|   }); | ||||
|   if (!res.ok) throw new Error(await res.text()); | ||||
|   return res.json() as Promise<{ | ||||
|     content: string; | ||||
|     imagePlaceholders: string[]; | ||||
|     tokensUsed: number; | ||||
|     model: string; | ||||
|   }>; | ||||
| } | ||||
| @ -8,6 +8,8 @@ export type SavePostPayload = { | ||||
|   status?: 'inbox' | 'editing' | 'ready_for_publish' | 'published' | 'archived'; | ||||
|   prompt?: string; | ||||
|   selectedImageKeys?: string[]; | ||||
|   generatedDraft?: string; | ||||
|   imagePlaceholders?: string[]; | ||||
| }; | ||||
| 
 | ||||
| export async function getPost(id: string) { | ||||
|  | ||||
							
								
								
									
										23
									
								
								apps/admin/src/services/settings.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										23
									
								
								apps/admin/src/services/settings.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,23 @@ | ||||
| export async function getSetting(key: string) { | ||||
|   const res = await fetch(`/api/settings/${key}`); | ||||
|   if (!res.ok) throw new Error(await res.text()); | ||||
|   return res.json() as Promise<{ key: string; value: string; isDefault: boolean }>; | ||||
| } | ||||
| 
 | ||||
| export async function updateSetting(key: string, value: string) { | ||||
|   const res = await fetch(`/api/settings/${key}`, { | ||||
|     method: 'POST', | ||||
|     headers: { 'Content-Type': 'application/json' }, | ||||
|     body: JSON.stringify({ value }), | ||||
|   }); | ||||
|   if (!res.ok) throw new Error(await res.text()); | ||||
|   return res.json(); | ||||
| } | ||||
| 
 | ||||
| export async function resetSetting(key: string) { | ||||
|   const res = await fetch(`/api/settings/${key}`, { | ||||
|     method: 'DELETE', | ||||
|   }); | ||||
|   if (!res.ok) throw new Error(await res.text()); | ||||
|   return res.json(); | ||||
| } | ||||
							
								
								
									
										2
									
								
								apps/api/drizzle/0002_soft_star_brand.sql
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										2
									
								
								apps/api/drizzle/0002_soft_star_brand.sql
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,2 @@ | ||||
| ALTER TABLE `posts` ADD `generated_draft` text;--> statement-breakpoint | ||||
| ALTER TABLE `posts` ADD `image_placeholders` text; | ||||
							
								
								
									
										8
									
								
								apps/api/drizzle/0003_tidy_post.sql
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										8
									
								
								apps/api/drizzle/0003_tidy_post.sql
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,8 @@ | ||||
| CREATE TABLE `settings` ( | ||||
| 	`id` varchar(36) NOT NULL, | ||||
| 	`key` varchar(128) NOT NULL, | ||||
| 	`value` text NOT NULL, | ||||
| 	`updated_at` datetime(3) NOT NULL, | ||||
| 	CONSTRAINT `settings_id` PRIMARY KEY(`id`), | ||||
| 	CONSTRAINT `settings_key_unique` UNIQUE(`key`) | ||||
| ); | ||||
							
								
								
									
										236
									
								
								apps/api/drizzle/meta/0002_snapshot.json
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										236
									
								
								apps/api/drizzle/meta/0002_snapshot.json
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,236 @@ | ||||
| { | ||||
|   "version": "5", | ||||
|   "dialect": "mysql", | ||||
|   "id": "b4e50a6a-5b9c-4ad8-ab97-d3e9e9907c08", | ||||
|   "prevId": "083eb00a-492f-48d7-aad8-628b3d162082", | ||||
|   "tables": { | ||||
|     "audio_clips": { | ||||
|       "name": "audio_clips", | ||||
|       "columns": { | ||||
|         "id": { | ||||
|           "name": "id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "post_id": { | ||||
|           "name": "post_id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "bucket": { | ||||
|           "name": "bucket", | ||||
|           "type": "varchar(128)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "object_key": { | ||||
|           "name": "object_key", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "mime": { | ||||
|           "name": "mime", | ||||
|           "type": "varchar(64)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "transcript": { | ||||
|           "name": "transcript", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "duration_ms": { | ||||
|           "name": "duration_ms", | ||||
|           "type": "int", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "created_at": { | ||||
|           "name": "created_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         } | ||||
|       }, | ||||
|       "indexes": {}, | ||||
|       "foreignKeys": {}, | ||||
|       "compositePrimaryKeys": { | ||||
|         "audio_clips_id": { | ||||
|           "name": "audio_clips_id", | ||||
|           "columns": [ | ||||
|             "id" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "uniqueConstraints": {}, | ||||
|       "checkConstraint": {} | ||||
|     }, | ||||
|     "posts": { | ||||
|       "name": "posts", | ||||
|       "columns": { | ||||
|         "id": { | ||||
|           "name": "id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "title": { | ||||
|           "name": "title", | ||||
|           "type": "varchar(255)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "content_html": { | ||||
|           "name": "content_html", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "tags_text": { | ||||
|           "name": "tags_text", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "feature_image": { | ||||
|           "name": "feature_image", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "canonical_url": { | ||||
|           "name": "canonical_url", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "prompt": { | ||||
|           "name": "prompt", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "status": { | ||||
|           "name": "status", | ||||
|           "type": "enum('inbox','editing','ready_for_publish','published','archived')", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false, | ||||
|           "default": "'editing'" | ||||
|         }, | ||||
|         "ghost_post_id": { | ||||
|           "name": "ghost_post_id", | ||||
|           "type": "varchar(64)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_slug": { | ||||
|           "name": "ghost_slug", | ||||
|           "type": "varchar(255)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_published_at": { | ||||
|           "name": "ghost_published_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_url": { | ||||
|           "name": "ghost_url", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "selected_image_keys": { | ||||
|           "name": "selected_image_keys", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "generated_draft": { | ||||
|           "name": "generated_draft", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "image_placeholders": { | ||||
|           "name": "image_placeholders", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "version": { | ||||
|           "name": "version", | ||||
|           "type": "int", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false, | ||||
|           "default": 1 | ||||
|         }, | ||||
|         "created_at": { | ||||
|           "name": "created_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "updated_at": { | ||||
|           "name": "updated_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         } | ||||
|       }, | ||||
|       "indexes": {}, | ||||
|       "foreignKeys": {}, | ||||
|       "compositePrimaryKeys": { | ||||
|         "posts_id": { | ||||
|           "name": "posts_id", | ||||
|           "columns": [ | ||||
|             "id" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "uniqueConstraints": {}, | ||||
|       "checkConstraint": {} | ||||
|     } | ||||
|   }, | ||||
|   "views": {}, | ||||
|   "_meta": { | ||||
|     "schemas": {}, | ||||
|     "tables": {}, | ||||
|     "columns": {} | ||||
|   }, | ||||
|   "internal": { | ||||
|     "tables": {}, | ||||
|     "indexes": {} | ||||
|   } | ||||
| } | ||||
							
								
								
									
										288
									
								
								apps/api/drizzle/meta/0003_snapshot.json
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										288
									
								
								apps/api/drizzle/meta/0003_snapshot.json
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,288 @@ | ||||
| { | ||||
|   "version": "5", | ||||
|   "dialect": "mysql", | ||||
|   "id": "5fe84783-93d0-4740-9b0a-8ebcf00fc95b", | ||||
|   "prevId": "b4e50a6a-5b9c-4ad8-ab97-d3e9e9907c08", | ||||
|   "tables": { | ||||
|     "audio_clips": { | ||||
|       "name": "audio_clips", | ||||
|       "columns": { | ||||
|         "id": { | ||||
|           "name": "id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "post_id": { | ||||
|           "name": "post_id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "bucket": { | ||||
|           "name": "bucket", | ||||
|           "type": "varchar(128)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "object_key": { | ||||
|           "name": "object_key", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "mime": { | ||||
|           "name": "mime", | ||||
|           "type": "varchar(64)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "transcript": { | ||||
|           "name": "transcript", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "duration_ms": { | ||||
|           "name": "duration_ms", | ||||
|           "type": "int", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "created_at": { | ||||
|           "name": "created_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         } | ||||
|       }, | ||||
|       "indexes": {}, | ||||
|       "foreignKeys": {}, | ||||
|       "compositePrimaryKeys": { | ||||
|         "audio_clips_id": { | ||||
|           "name": "audio_clips_id", | ||||
|           "columns": [ | ||||
|             "id" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "uniqueConstraints": {}, | ||||
|       "checkConstraint": {} | ||||
|     }, | ||||
|     "posts": { | ||||
|       "name": "posts", | ||||
|       "columns": { | ||||
|         "id": { | ||||
|           "name": "id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "title": { | ||||
|           "name": "title", | ||||
|           "type": "varchar(255)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "content_html": { | ||||
|           "name": "content_html", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "tags_text": { | ||||
|           "name": "tags_text", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "feature_image": { | ||||
|           "name": "feature_image", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "canonical_url": { | ||||
|           "name": "canonical_url", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "prompt": { | ||||
|           "name": "prompt", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "status": { | ||||
|           "name": "status", | ||||
|           "type": "enum('inbox','editing','ready_for_publish','published','archived')", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false, | ||||
|           "default": "'editing'" | ||||
|         }, | ||||
|         "ghost_post_id": { | ||||
|           "name": "ghost_post_id", | ||||
|           "type": "varchar(64)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_slug": { | ||||
|           "name": "ghost_slug", | ||||
|           "type": "varchar(255)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_published_at": { | ||||
|           "name": "ghost_published_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "ghost_url": { | ||||
|           "name": "ghost_url", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "selected_image_keys": { | ||||
|           "name": "selected_image_keys", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "generated_draft": { | ||||
|           "name": "generated_draft", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "image_placeholders": { | ||||
|           "name": "image_placeholders", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": false, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "version": { | ||||
|           "name": "version", | ||||
|           "type": "int", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false, | ||||
|           "default": 1 | ||||
|         }, | ||||
|         "created_at": { | ||||
|           "name": "created_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "updated_at": { | ||||
|           "name": "updated_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         } | ||||
|       }, | ||||
|       "indexes": {}, | ||||
|       "foreignKeys": {}, | ||||
|       "compositePrimaryKeys": { | ||||
|         "posts_id": { | ||||
|           "name": "posts_id", | ||||
|           "columns": [ | ||||
|             "id" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "uniqueConstraints": {}, | ||||
|       "checkConstraint": {} | ||||
|     }, | ||||
|     "settings": { | ||||
|       "name": "settings", | ||||
|       "columns": { | ||||
|         "id": { | ||||
|           "name": "id", | ||||
|           "type": "varchar(36)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "key": { | ||||
|           "name": "key", | ||||
|           "type": "varchar(128)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "value": { | ||||
|           "name": "value", | ||||
|           "type": "text", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         }, | ||||
|         "updated_at": { | ||||
|           "name": "updated_at", | ||||
|           "type": "datetime(3)", | ||||
|           "primaryKey": false, | ||||
|           "notNull": true, | ||||
|           "autoincrement": false | ||||
|         } | ||||
|       }, | ||||
|       "indexes": {}, | ||||
|       "foreignKeys": {}, | ||||
|       "compositePrimaryKeys": { | ||||
|         "settings_id": { | ||||
|           "name": "settings_id", | ||||
|           "columns": [ | ||||
|             "id" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "uniqueConstraints": { | ||||
|         "settings_key_unique": { | ||||
|           "name": "settings_key_unique", | ||||
|           "columns": [ | ||||
|             "key" | ||||
|           ] | ||||
|         } | ||||
|       }, | ||||
|       "checkConstraint": {} | ||||
|     } | ||||
|   }, | ||||
|   "views": {}, | ||||
|   "_meta": { | ||||
|     "schemas": {}, | ||||
|     "tables": {}, | ||||
|     "columns": {} | ||||
|   }, | ||||
|   "internal": { | ||||
|     "tables": {}, | ||||
|     "indexes": {} | ||||
|   } | ||||
| } | ||||
| @ -15,6 +15,20 @@ | ||||
|       "when": 1761341118599, | ||||
|       "tag": "0001_jittery_revanche", | ||||
|       "breakpoints": true | ||||
|     }, | ||||
|     { | ||||
|       "idx": 2, | ||||
|       "version": "5", | ||||
|       "when": 1761342265935, | ||||
|       "tag": "0002_soft_star_brand", | ||||
|       "breakpoints": true | ||||
|     }, | ||||
|     { | ||||
|       "idx": 3, | ||||
|       "version": "5", | ||||
|       "when": 1761342667990, | ||||
|       "tag": "0003_tidy_post", | ||||
|       "breakpoints": true | ||||
|     } | ||||
|   ] | ||||
| } | ||||
| @ -60,6 +60,7 @@ | ||||
|     "mysql2": "^3.15.3", | ||||
|     "on-finished": "^2.4.1", | ||||
|     "once": "^1.4.0", | ||||
|     "openai": "^6.7.0", | ||||
|     "parseurl": "^1.3.3", | ||||
|     "proxy-addr": "^2.0.7", | ||||
|     "qs": "^6.14.0", | ||||
|  | ||||
							
								
								
									
										138
									
								
								apps/api/src/ai-generate.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										138
									
								
								apps/api/src/ai-generate.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,138 @@ | ||||
| import express from 'express'; | ||||
| import OpenAI from 'openai'; | ||||
| import { db } from './db'; | ||||
| import { settings } from './db/schema'; | ||||
| import { eq } from 'drizzle-orm'; | ||||
| 
 | ||||
| const router = express.Router(); | ||||
| 
 | ||||
| // System prompt that defines how the AI should generate articles
 | ||||
| const SYSTEM_PROMPT = `You are an expert content writer creating high-quality blog articles for Ghost CMS.
 | ||||
| 
 | ||||
| CRITICAL REQUIREMENTS: | ||||
| 1. Generate production-ready HTML content that can be published directly to Ghost | ||||
| 2. Use semantic HTML5 tags: <h2>, <h3>, <p>, <ul>, <ol>, <blockquote>, <strong>, <em> | ||||
| 3. For images, use this EXACT placeholder format: {{IMAGE:description_of_image}} | ||||
|    - Example: {{IMAGE:screenshot_of_dashboard}} | ||||
|    - Example: {{IMAGE:team_photo_at_conference}} | ||||
|    - Use descriptive, snake_case names that indicate what the image should show | ||||
| 4. Structure articles with clear sections using headings | ||||
| 5. Write engaging, SEO-friendly content with natural keyword integration | ||||
| 6. Include a compelling introduction and conclusion | ||||
| 7. Use lists and formatting to improve readability | ||||
| 8. Do NOT include <html>, <head>, <body> tags - only the article content | ||||
| 9. Do NOT use markdown - use HTML tags only | ||||
| 10. Ensure all HTML is valid and properly closed | ||||
| 
 | ||||
| OUTPUT FORMAT: | ||||
| Return only the HTML content, ready to be inserted into Ghost's content editor.`;
 | ||||
| 
 | ||||
| router.post('/generate', async (req, res) => { | ||||
|   try { | ||||
|     const { | ||||
|       prompt, | ||||
|       audioTranscriptions, | ||||
|       selectedImageUrls, | ||||
|     } = req.body as { | ||||
|       prompt: string; | ||||
|       audioTranscriptions?: string[]; | ||||
|       selectedImageUrls?: string[]; | ||||
|     }; | ||||
| 
 | ||||
|     if (!prompt) { | ||||
|       return res.status(400).json({ error: 'prompt is required' }); | ||||
|     } | ||||
| 
 | ||||
|     const apiKey = process.env.OPENAI_API_KEY; | ||||
|     if (!apiKey) { | ||||
|       return res.status(500).json({ error: 'OpenAI API key not configured' }); | ||||
|     } | ||||
| 
 | ||||
|     const openai = new OpenAI({ apiKey }); | ||||
| 
 | ||||
|     // Get system prompt from settings or use default
 | ||||
|     let systemPrompt = SYSTEM_PROMPT; | ||||
|     try { | ||||
|       const settingRows = await db | ||||
|         .select() | ||||
|         .from(settings) | ||||
|         .where(eq(settings.key, 'system_prompt')) | ||||
|         .limit(1); | ||||
|       if (settingRows.length > 0) { | ||||
|         systemPrompt = settingRows[0].value; | ||||
|         console.log('[AI Generate] Using custom system prompt from settings'); | ||||
|       } else { | ||||
|         console.log('[AI Generate] Using default system prompt'); | ||||
|       } | ||||
|     } catch (err) { | ||||
|       console.warn('[AI Generate] Failed to load system prompt from settings, using default:', err); | ||||
|     } | ||||
| 
 | ||||
|     // Build context from audio transcriptions
 | ||||
|     let contextSection = ''; | ||||
|     if (audioTranscriptions && audioTranscriptions.length > 0) { | ||||
|       contextSection += '\n\nAUDIO TRANSCRIPTIONS:\n'; | ||||
|       audioTranscriptions.forEach((transcript, idx) => { | ||||
|         contextSection += `\n[Transcript ${idx + 1}]:\n${transcript}\n`; | ||||
|       }); | ||||
|     } | ||||
| 
 | ||||
|     // Add information about available images
 | ||||
|     if (selectedImageUrls && selectedImageUrls.length > 0) { | ||||
|       contextSection += '\n\nAVAILABLE IMAGES:\n'; | ||||
|       contextSection += `You have ${selectedImageUrls.length} images available. Use {{IMAGE:description}} placeholders where images should be inserted.\n`; | ||||
|     } | ||||
| 
 | ||||
|     const userPrompt = `${prompt}${contextSection}`; | ||||
| 
 | ||||
|     console.log('[AI Generate] Starting generation with OpenAI...'); | ||||
|     console.log('[AI Generate] User prompt length:', userPrompt.length); | ||||
| 
 | ||||
|     const completion = await openai.chat.completions.create({ | ||||
|       model: 'gpt-4o', // Using GPT-4 with internet access capability
 | ||||
|       messages: [ | ||||
|         { | ||||
|           role: 'system', | ||||
|           content: systemPrompt, | ||||
|         }, | ||||
|         { | ||||
|           role: 'user', | ||||
|           content: userPrompt, | ||||
|         }, | ||||
|       ], | ||||
|       temperature: 0.7, | ||||
|       max_tokens: 4000, | ||||
|     }); | ||||
| 
 | ||||
|     const generatedContent = completion.choices[0]?.message?.content || ''; | ||||
|      | ||||
|     if (!generatedContent) { | ||||
|       return res.status(500).json({ error: 'No content generated' }); | ||||
|     } | ||||
| 
 | ||||
|     console.log('[AI Generate] Generation successful, length:', generatedContent.length); | ||||
| 
 | ||||
|     // Extract image placeholders for tracking
 | ||||
|     const imagePlaceholderRegex = /\{\{IMAGE:([^}]+)\}\}/g; | ||||
|     const imagePlaceholders: string[] = []; | ||||
|     let match; | ||||
|     while ((match = imagePlaceholderRegex.exec(generatedContent)) !== null) { | ||||
|       imagePlaceholders.push(match[1]); | ||||
|     } | ||||
| 
 | ||||
|     return res.json({ | ||||
|       content: generatedContent, | ||||
|       imagePlaceholders, | ||||
|       tokensUsed: completion.usage?.total_tokens || 0, | ||||
|       model: completion.model, | ||||
|     }); | ||||
|   } catch (err: any) { | ||||
|     console.error('[AI Generate] Error:', err); | ||||
|     return res.status(500).json({  | ||||
|       error: 'AI generation failed',  | ||||
|       details: err?.message || 'Unknown error'  | ||||
|     }); | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| export default router; | ||||
| @ -22,6 +22,8 @@ export const posts = mysqlTable('posts', { | ||||
|   ghostPublishedAt: datetime('ghost_published_at', { fsp: 3 }), | ||||
|   ghostUrl: text('ghost_url'), | ||||
|   selectedImageKeys: text('selected_image_keys'), | ||||
|   generatedDraft: text('generated_draft'), | ||||
|   imagePlaceholders: text('image_placeholders'), | ||||
|   version: int('version').notNull().default(1), | ||||
|   createdAt: datetime('created_at', { fsp: 3 }).notNull(), | ||||
|   updatedAt: datetime('updated_at', { fsp: 3 }).notNull(), | ||||
| @ -37,3 +39,10 @@ export const audioClips = mysqlTable('audio_clips', { | ||||
|   durationMs: int('duration_ms'), | ||||
|   createdAt: datetime('created_at', { fsp: 3 }).notNull(), | ||||
| }); | ||||
| 
 | ||||
| export const settings = mysqlTable('settings', { | ||||
|   id: varchar('id', { length: 36 }).primaryKey(), | ||||
|   key: varchar('key', { length: 128 }).notNull().unique(), | ||||
|   value: text('value').notNull(), | ||||
|   updatedAt: datetime('updated_at', { fsp: 3 }).notNull(), | ||||
| }); | ||||
|  | ||||
| @ -10,6 +10,8 @@ import sttRouter from './stt'; | ||||
| import draftsRouter from './drafts'; | ||||
| import postsRouter from './posts'; | ||||
| import ghostRouter from './ghost'; | ||||
| import aiGenerateRouter from './ai-generate'; | ||||
| import settingsRouter from './settings'; | ||||
| 
 | ||||
| const app = express(); | ||||
| console.log('ENV ADMIN_PASSWORD loaded:', Boolean(process.env.ADMIN_PASSWORD)); | ||||
| @ -29,6 +31,8 @@ app.use('/api/stt', sttRouter); | ||||
| app.use('/api/drafts', draftsRouter); | ||||
| app.use('/api/posts', postsRouter); | ||||
| app.use('/api/ghost', ghostRouter); | ||||
| app.use('/api/ai', aiGenerateRouter); | ||||
| app.use('/api/settings', settingsRouter); | ||||
| app.get('/api/health', (_req, res) => { | ||||
|   res.json({ ok: true }); | ||||
| }); | ||||
|  | ||||
| @ -115,6 +115,51 @@ router.get('/obj', async ( | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| // Delete audio clip
 | ||||
| router.delete('/audio/:clipId', async ( | ||||
|   req: express.Request, | ||||
|   res: express.Response | ||||
| ) => { | ||||
|   try { | ||||
|     const clipId = req.params.clipId; | ||||
|     if (!clipId) return res.status(400).json({ error: 'clipId is required' }); | ||||
| 
 | ||||
|     // Get clip info from database
 | ||||
|     const rows = await db | ||||
|       .select() | ||||
|       .from(audioClips) | ||||
|       .where(eq(audioClips.id, clipId)) | ||||
|       .limit(1); | ||||
| 
 | ||||
|     if (rows.length === 0) { | ||||
|       return res.status(404).json({ error: 'Audio clip not found' }); | ||||
|     } | ||||
| 
 | ||||
|     const clip = rows[0]; | ||||
| 
 | ||||
|     // Delete from S3
 | ||||
|     try { | ||||
|       await s3DeleteObject({ bucket: clip.bucket, key: clip.key }); | ||||
|     } catch (err) { | ||||
|       console.warn('[API] Failed to delete from S3:', err); | ||||
|       // Continue anyway to delete from DB
 | ||||
|     } | ||||
| 
 | ||||
|     // Delete from database
 | ||||
|     await db.delete(audioClips).where(eq(audioClips.id, clipId)); | ||||
| 
 | ||||
|     // Touch post updated_at
 | ||||
|     if (clip.postId) { | ||||
|       await db.update(posts).set({ updatedAt: new Date() }).where(eq(posts.id, clip.postId)); | ||||
|     } | ||||
| 
 | ||||
|     return res.json({ success: true }); | ||||
|   } catch (err) { | ||||
|     console.error('[API] Delete audio clip failed:', err); | ||||
|     return res.status(500).json({ error: 'Failed to delete audio clip' }); | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| router.post('/audio', upload.single('audio'), async ( | ||||
|   req: express.Request, | ||||
|   res: express.Response | ||||
|  | ||||
| @ -74,6 +74,8 @@ router.get('/:id', async (req, res) => { | ||||
|         ghostPublishedAt: posts.ghostPublishedAt, | ||||
|         ghostUrl: posts.ghostUrl, | ||||
|         selectedImageKeys: posts.selectedImageKeys, | ||||
|         generatedDraft: posts.generatedDraft, | ||||
|         imagePlaceholders: posts.imagePlaceholders, | ||||
|         createdAt: posts.createdAt, | ||||
|         updatedAt: posts.updatedAt, | ||||
|         version: posts.version, | ||||
| @ -99,9 +101,10 @@ router.get('/:id', async (req, res) => { | ||||
|       .where(eq(audioClips.postId, id)) | ||||
|       .orderBy(audioClips.createdAt); | ||||
| 
 | ||||
|     // Parse selectedImageKeys from JSON string
 | ||||
|     // Parse JSON fields
 | ||||
|     const selectedImageKeys = post.selectedImageKeys ? JSON.parse(post.selectedImageKeys as string) : []; | ||||
|     return res.json({ ...post, selectedImageKeys, audioClips: clips }); | ||||
|     const imagePlaceholders = post.imagePlaceholders ? JSON.parse(post.imagePlaceholders as string) : []; | ||||
|     return res.json({ ...post, selectedImageKeys, imagePlaceholders, audioClips: clips }); | ||||
|   } catch (err) { | ||||
|     console.error('Get post error:', err); | ||||
|     return res.status(500).json({ error: 'Failed to get post' }); | ||||
| @ -125,6 +128,8 @@ router.post('/', async (req, res) => { | ||||
|       ghostSlug, | ||||
|       ghostPublishedAt, | ||||
|       ghostUrl, | ||||
|       generatedDraft, | ||||
|       imagePlaceholders, | ||||
|     } = req.body as { | ||||
|       id?: string; | ||||
|       title?: string; | ||||
| @ -139,10 +144,13 @@ router.post('/', async (req, res) => { | ||||
|       ghostSlug?: string; | ||||
|       ghostPublishedAt?: string; | ||||
|       ghostUrl?: string; | ||||
|       generatedDraft?: string; | ||||
|       imagePlaceholders?: string[]; | ||||
|     }; | ||||
| 
 | ||||
|     const tagsText = Array.isArray(tags) ? tags.join(',') : (typeof tags === 'string' ? tags : null); | ||||
|     const selectedImageKeysJson = selectedImageKeys && Array.isArray(selectedImageKeys) ? JSON.stringify(selectedImageKeys) : null; | ||||
|     const imagePlaceholdersJson = imagePlaceholders && Array.isArray(imagePlaceholders) ? JSON.stringify(imagePlaceholders) : null; | ||||
| 
 | ||||
|     if (!contentHtml) return res.status(400).json({ error: 'contentHtml is required' }); | ||||
| 
 | ||||
| @ -164,6 +172,8 @@ router.post('/', async (req, res) => { | ||||
|         ghostSlug: ghostSlug ?? null as any, | ||||
|         ghostPublishedAt: ghostPublishedAt ? new Date(ghostPublishedAt) : null as any, | ||||
|         ghostUrl: ghostUrl ?? null as any, | ||||
|         generatedDraft: generatedDraft ?? null as any, | ||||
|         imagePlaceholders: imagePlaceholdersJson ?? null as any, | ||||
|         version: 1, | ||||
|         createdAt: now, | ||||
|         updatedAt: now, | ||||
| @ -185,6 +195,8 @@ router.post('/', async (req, res) => { | ||||
|       if (ghostSlug !== undefined) updateData.ghostSlug = ghostSlug ?? null as any; | ||||
|       if (ghostPublishedAt !== undefined) updateData.ghostPublishedAt = ghostPublishedAt ? new Date(ghostPublishedAt) : null as any; | ||||
|       if (ghostUrl !== undefined) updateData.ghostUrl = ghostUrl ?? null as any; | ||||
|       if (generatedDraft !== undefined) updateData.generatedDraft = generatedDraft ?? null as any; | ||||
|       if (imagePlaceholdersJson !== null) updateData.imagePlaceholders = imagePlaceholdersJson; | ||||
|       await db.update(posts).set(updateData).where(eq(posts.id, id)); | ||||
|       return res.json({ id }); | ||||
|     } | ||||
|  | ||||
							
								
								
									
										109
									
								
								apps/api/src/settings.ts
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										109
									
								
								apps/api/src/settings.ts
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,109 @@ | ||||
| import express from 'express'; | ||||
| import crypto from 'crypto'; | ||||
| import { db } from './db'; | ||||
| import { settings } from './db/schema'; | ||||
| import { eq } from 'drizzle-orm'; | ||||
| 
 | ||||
| const router = express.Router(); | ||||
| 
 | ||||
| // Default system prompt for AI generation
 | ||||
| const DEFAULT_SYSTEM_PROMPT = `You are an expert content writer creating high-quality blog articles for Ghost CMS.
 | ||||
| 
 | ||||
| CRITICAL REQUIREMENTS: | ||||
| 1. Generate production-ready HTML content that can be published directly to Ghost | ||||
| 2. Use semantic HTML5 tags: <h2>, <h3>, <p>, <ul>, <ol>, <blockquote>, <strong>, <em> | ||||
| 3. For images, use this EXACT placeholder format: {{IMAGE:description_of_image}} | ||||
|    - Example: {{IMAGE:screenshot_of_dashboard}} | ||||
|    - Example: {{IMAGE:team_photo_at_conference}} | ||||
|    - Use descriptive, snake_case names that indicate what the image should show | ||||
| 4. Structure articles with clear sections using headings | ||||
| 5. Write engaging, SEO-friendly content with natural keyword integration | ||||
| 6. Include a compelling introduction and conclusion | ||||
| 7. Use lists and formatting to improve readability | ||||
| 8. Do NOT include <html>, <head>, <body> tags - only the article content | ||||
| 9. Do NOT use markdown - use HTML tags only | ||||
| 10. Ensure all HTML is valid and properly closed | ||||
| 
 | ||||
| OUTPUT FORMAT: | ||||
| Return only the HTML content, ready to be inserted into Ghost's content editor.`;
 | ||||
| 
 | ||||
| // Get a setting by key
 | ||||
| router.get('/:key', async (req, res) => { | ||||
|   try { | ||||
|     const key = req.params.key; | ||||
|     const rows = await db | ||||
|       .select() | ||||
|       .from(settings) | ||||
|       .where(eq(settings.key, key)) | ||||
|       .limit(1); | ||||
| 
 | ||||
|     if (rows.length === 0) { | ||||
|       // Return default for system_prompt
 | ||||
|       if (key === 'system_prompt') { | ||||
|         return res.json({ key, value: DEFAULT_SYSTEM_PROMPT, isDefault: true }); | ||||
|       } | ||||
|       return res.status(404).json({ error: 'Setting not found' }); | ||||
|     } | ||||
| 
 | ||||
|     return res.json({ key: rows[0].key, value: rows[0].value, isDefault: false }); | ||||
|   } catch (err) { | ||||
|     console.error('Get setting error:', err); | ||||
|     return res.status(500).json({ error: 'Failed to get setting' }); | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| // Update or create a setting
 | ||||
| router.post('/:key', async (req, res) => { | ||||
|   try { | ||||
|     const key = req.params.key; | ||||
|     const { value } = req.body as { value: string }; | ||||
| 
 | ||||
|     if (!value) { | ||||
|       return res.status(400).json({ error: 'value is required' }); | ||||
|     } | ||||
| 
 | ||||
|     const now = new Date(); | ||||
| 
 | ||||
|     // Check if setting exists
 | ||||
|     const existing = await db | ||||
|       .select() | ||||
|       .from(settings) | ||||
|       .where(eq(settings.key, key)) | ||||
|       .limit(1); | ||||
| 
 | ||||
|     if (existing.length > 0) { | ||||
|       // Update
 | ||||
|       await db | ||||
|         .update(settings) | ||||
|         .set({ value, updatedAt: now }) | ||||
|         .where(eq(settings.key, key)); | ||||
|     } else { | ||||
|       // Create
 | ||||
|       await db.insert(settings).values({ | ||||
|         id: crypto.randomUUID(), | ||||
|         key, | ||||
|         value, | ||||
|         updatedAt: now, | ||||
|       }); | ||||
|     } | ||||
| 
 | ||||
|     return res.json({ key, value, success: true }); | ||||
|   } catch (err) { | ||||
|     console.error('Update setting error:', err); | ||||
|     return res.status(500).json({ error: 'Failed to update setting' }); | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| // Reset a setting to default
 | ||||
| router.delete('/:key', async (req, res) => { | ||||
|   try { | ||||
|     const key = req.params.key; | ||||
|     await db.delete(settings).where(eq(settings.key, key)); | ||||
|     return res.json({ success: true }); | ||||
|   } catch (err) { | ||||
|     console.error('Delete setting error:', err); | ||||
|     return res.status(500).json({ error: 'Failed to delete setting' }); | ||||
|   } | ||||
| }); | ||||
| 
 | ||||
| export default router; | ||||
		Loading…
	
		Reference in New Issue
	
	Block a user