diff --git a/CHECKLIST.md b/CHECKLIST.md
new file mode 100644
index 0000000..452e637
--- /dev/null
+++ b/CHECKLIST.md
@@ -0,0 +1,20 @@
+# Before v0.1
+- [x] .insertr-gate
+- [x] .insertr
+- [ ] .insertr-content / .insertr-article
+- [x] .insertr-add
+- [ ] .insertr history and version control. Users can see previous version and see who changed what.
+- [ ] Authentication
+ - [ ] Set up Authentik app
+- [ ] Dev dashboard
+ - [ ] Overview of your sites
+ - [ ] Manage editor access
+- [ ] User dashboard?
+
+- [ ] Production checklist
+ - [ ] Library served from CDN
+ - [ ] Clean up app configuration
+ - [ ] Complete documentation.
+
+# Sometime
+- [ ] Product/library website
diff --git a/cmd/enhance.go b/cmd/enhance.go
index 9bf48d2..62583ed 100644
--- a/cmd/enhance.go
+++ b/cmd/enhance.go
@@ -105,8 +105,7 @@ func runEnhance(cmd *cobra.Command, args []string) {
defer database.Close()
client = database.NewContentRepository()
} else {
- fmt.Printf("๐งช No database or API configured, using mock content\n")
- client = content.NewMockClient()
+ panic("๐งช No database or API configured\n")
}
// Load site-specific configuration
diff --git a/cmd/serve.go b/cmd/serve.go
index 11d1200..383834f 100644
--- a/cmd/serve.go
+++ b/cmd/serve.go
@@ -16,6 +16,7 @@ import (
"github.com/insertr/insertr/internal/api"
"github.com/insertr/insertr/internal/auth"
+ "github.com/insertr/insertr/internal/config"
"github.com/insertr/insertr/internal/content"
"github.com/insertr/insertr/internal/db"
"github.com/insertr/insertr/internal/engine"
@@ -109,9 +110,9 @@ func runServe(cmd *cobra.Command, args []string) {
siteManager := content.NewSiteManagerWithAuth(contentClient, cfg.Auth.DevMode, authProvider)
// Convert config sites to legacy format and register
- var legacySites []*content.SiteConfig
+ var legacySites []*config.SiteConfig
for _, site := range cfg.Server.Sites {
- legacySite := &content.SiteConfig{
+ legacySite := &config.SiteConfig{
SiteID: site.SiteID,
Path: site.Path,
SourcePath: site.SourcePath,
@@ -173,24 +174,25 @@ func runServe(cmd *cobra.Command, args []string) {
r.Get("/callback", authService.HandleOAuthCallback)
})
- // Content API routes
- router.Route("/api", func(r chi.Router) {
- // Public routes
- r.Get("/content/{siteID}/{id}", contentHandler.GetContent)
- r.Get("/content/{siteID}", contentHandler.GetAllContent)
+ // Register all Content API routes
+ contentHandler.RegisterRoutes(router)
- // Protected routes (require authentication)
- r.Group(func(r chi.Router) {
- r.Use(authService.RequireAuth)
- r.Post("/content/{siteID}", contentHandler.CreateContent)
- r.Put("/content/{siteID}/{id}", contentHandler.UpdateContent)
- r.Delete("/content/{siteID}/{id}", contentHandler.DeleteContent)
-
- // Version management
- r.Get("/content/{siteID}/{id}/versions", contentHandler.GetContentVersions)
- r.Post("/content/{siteID}/{id}/rollback/{version}", contentHandler.RollbackContent)
+ // Serve insertr library assets (development only)
+ if cfg.Auth.DevMode {
+ router.Get("/insertr.js", func(w http.ResponseWriter, r *http.Request) {
+ w.Header().Set("Content-Type", "application/javascript")
+ http.ServeFile(w, r, "./lib/dist/insertr.js")
})
- })
+ router.Get("/insertr.min.js", func(w http.ResponseWriter, r *http.Request) {
+ w.Header().Set("Content-Type", "application/javascript")
+ http.ServeFile(w, r, "./lib/dist/insertr.min.js")
+ })
+ router.Get("/insertr.css", func(w http.ResponseWriter, r *http.Request) {
+ w.Header().Set("Content-Type", "text/css")
+ http.ServeFile(w, r, "./lib/dist/insertr.css")
+ })
+ log.Printf("๐ฆ Serving insertr library assets from ./lib/dist/ (dev mode)")
+ }
// Serve static sites
for _, siteConfig := range siteManager.GetAllSites() {
diff --git a/insertr.yaml b/insertr.yaml
index 03b7e2f..6a98e34 100644
--- a/insertr.yaml
+++ b/insertr.yaml
@@ -2,7 +2,7 @@
# Server and CLI configuration - library manages its own config
# Global settings
-dev_mode: false # Development mode (affects server CORS, CLI verbosity)
+dev_mode: true # Development mode (affects server CORS, CLI verbosity)
# Database configuration
database:
@@ -65,4 +65,12 @@ auth:
oidc:
endpoint: "" # https://auth.example.com/application/o/insertr/
client_id: "" # insertr-client (OAuth2 client ID from Authentik)
- client_secret: "" # OAuth2 client secret (or use AUTHENTIK_CLIENT_SECRET env var)
\ No newline at end of file
+ client_secret: "" # OAuth2 client secret (or use AUTHENTIK_CLIENT_SECRET env var)
+
+# Library asset configuration
+library:
+ base_url: "http://localhost:8080" # Base URL for development
+ use_cdn: false # Use CDN in production
+ cdn_base_url: "https://cdn.jsdelivr.net/npm/@insertr/lib"
+ minified: false # Use full version for debugging
+ version: "1.0.0" # Library version
\ No newline at end of file
diff --git a/internal/api/handlers.go b/internal/api/handlers.go
index 591e992..162880e 100644
--- a/internal/api/handlers.go
+++ b/internal/api/handlers.go
@@ -5,26 +5,18 @@ import (
"database/sql"
"encoding/json"
"fmt"
- "io"
- "log"
"net/http"
- "os"
- "strconv"
- "strings"
- "time"
"github.com/go-chi/chi/v5"
"github.com/insertr/insertr/internal/auth"
"github.com/insertr/insertr/internal/content"
"github.com/insertr/insertr/internal/db"
- "github.com/insertr/insertr/internal/db/postgresql"
- "github.com/insertr/insertr/internal/db/sqlite"
"github.com/insertr/insertr/internal/engine"
)
// ContentHandler handles all content-related HTTP requests
type ContentHandler struct {
- database *db.Database
+ repository db.ContentRepository
authService *auth.AuthService
siteManager *content.SiteManager
engine *engine.ContentEngine
@@ -32,14 +24,14 @@ type ContentHandler struct {
// NewContentHandler creates a new content handler
func NewContentHandler(database *db.Database, authService *auth.AuthService) *ContentHandler {
- // Create database client for engine
- dbClient := database.NewContentRepository()
+ // Create repository for all database operations
+ repository := database.NewContentRepository()
return &ContentHandler{
- database: database,
+ repository: repository,
authService: authService,
siteManager: nil, // Will be set via SetSiteManager
- engine: engine.NewContentEngine(dbClient),
+ engine: engine.NewContentEngine(repository),
}
}
@@ -48,53 +40,6 @@ func (h *ContentHandler) SetSiteManager(siteManager *content.SiteManager) {
h.siteManager = siteManager
}
-// EnhanceSite handles POST /api/enhance - manual site enhancement trigger
-func (h *ContentHandler) EnhanceSite(w http.ResponseWriter, r *http.Request) {
- siteID := r.URL.Query().Get("site_id")
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- if h.siteManager == nil {
- http.Error(w, "Site manager not available", http.StatusServiceUnavailable)
- return
- }
-
- // Check if site is registered
- site, exists := h.siteManager.GetSite(siteID)
- if !exists {
- http.Error(w, fmt.Sprintf("Site %s is not registered", siteID), http.StatusNotFound)
- return
- }
-
- // Perform enhancement
- err := h.siteManager.EnhanceSite(siteID)
- if err != nil {
- log.Printf("โ Manual enhancement failed for site %s: %v", siteID, err)
- http.Error(w, fmt.Sprintf("Enhancement failed: %v", err), http.StatusInternalServerError)
- return
- }
-
- // Get enhancement statistics
- stats := h.siteManager.GetStats()
-
- // Return success response with details
- response := map[string]interface{}{
- "success": true,
- "site_id": siteID,
- "site_path": site.Path,
- "message": fmt.Sprintf("Successfully enhanced site %s", siteID),
- "stats": stats,
- "timestamp": time.Now().Format(time.RFC3339),
- }
-
- w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(response)
-
- log.Printf("โ
Manual enhancement completed for site %s", siteID)
-}
-
// GetContent handles GET /api/content/{id}
func (h *ContentHandler) GetContent(w http.ResponseWriter, r *http.Request) {
contentID := chi.URLParam(r, "id")
@@ -105,25 +50,7 @@ func (h *ContentHandler) GetContent(w http.ResponseWriter, r *http.Request) {
return
}
- var content interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- content, err = h.database.GetSQLiteQueries().GetContent(context.Background(), sqlite.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- content, err = h.database.GetPostgreSQLQueries().GetContent(context.Background(), postgresql.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
+ content, err := h.repository.GetContent(context.Background(), siteID, contentID)
if err != nil {
if err == sql.ErrNoRows {
http.Error(w, "Content not found", http.StatusNotFound)
@@ -133,13 +60,11 @@ func (h *ContentHandler) GetContent(w http.ResponseWriter, r *http.Request) {
return
}
- item := h.convertToAPIContent(content)
-
w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(item)
+ json.NewEncoder(w).Encode(content)
}
-// GetAllContent handles GET /api/content
+// GetAllContent handles GET /api/content with site_id parameter
func (h *ContentHandler) GetAllContent(w http.ResponseWriter, r *http.Request) {
siteID := r.URL.Query().Get("site_id")
if siteID == "" {
@@ -147,705 +72,139 @@ func (h *ContentHandler) GetAllContent(w http.ResponseWriter, r *http.Request) {
return
}
- var dbContent interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- dbContent, err = h.database.GetSQLiteQueries().GetAllContent(context.Background(), siteID)
- case "postgresql":
- dbContent, err = h.database.GetPostgreSQLQueries().GetAllContent(context.Background(), siteID)
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
+ contentMap, err := h.repository.GetAllContent(context.Background(), siteID)
if err != nil {
http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
return
}
- items := h.convertToAPIContentList(dbContent)
- response := ContentResponse{Content: items}
+ // Convert map to slice for consistent API response
+ var content []db.ContentItem
+ for _, item := range contentMap {
+ content = append(content, item)
+ }
+ response := db.ContentResponse{Content: content}
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(response)
}
-// GetBulkContent handles GET /api/content/bulk
+// GetBulkContent handles POST /api/content/bulk for batch fetching
func (h *ContentHandler) GetBulkContent(w http.ResponseWriter, r *http.Request) {
siteID := r.URL.Query().Get("site_id")
+ contentIDs := r.URL.Query()["ids"]
+
if siteID == "" {
http.Error(w, "site_id parameter is required", http.StatusBadRequest)
return
}
- // Parse ids parameter
- idsParam := r.URL.Query()["ids[]"]
- if len(idsParam) == 0 {
- // Try single ids parameter
- idsStr := r.URL.Query().Get("ids")
- if idsStr == "" {
- http.Error(w, "ids parameter is required", http.StatusBadRequest)
- return
- }
- idsParam = strings.Split(idsStr, ",")
- }
-
- var dbContent interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- dbContent, err = h.database.GetSQLiteQueries().GetBulkContent(context.Background(), sqlite.GetBulkContentParams{
- SiteID: siteID,
- Ids: idsParam,
- })
- case "postgresql":
- dbContent, err = h.database.GetPostgreSQLQueries().GetBulkContent(context.Background(), postgresql.GetBulkContentParams{
- SiteID: siteID,
- Ids: idsParam,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
+ if len(contentIDs) == 0 {
+ http.Error(w, "at least one content ID is required", http.StatusBadRequest)
return
}
+ contentMap, err := h.repository.GetBulkContent(context.Background(), siteID, contentIDs)
if err != nil {
http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
return
}
- items := h.convertToAPIContentList(dbContent)
- response := ContentResponse{Content: items}
+ // Convert map to slice for consistent API response
+ var content []db.ContentItem
+ for _, item := range contentMap {
+ content = append(content, item)
+ }
+ response := db.ContentResponse{Content: content}
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(response)
}
-// CreateContent handles POST /api/content
-func (h *ContentHandler) CreateContent(w http.ResponseWriter, r *http.Request) {
+// CreateOrUpdateContent handles POST /api/content for creating/updating content
+func (h *ContentHandler) CreateOrUpdateContent(w http.ResponseWriter, r *http.Request) {
+ userInfo, authErr := h.authService.ExtractUserFromRequest(r)
+ if authErr != nil {
+ http.Error(w, "Authentication required", http.StatusUnauthorized)
+ return
+ }
+
var req CreateContentRequest
if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
+ http.Error(w, fmt.Sprintf("Invalid JSON: %v", err), http.StatusBadRequest)
return
}
- siteID := r.URL.Query().Get("site_id")
- if siteID == "" {
- siteID = req.SiteID // fallback to request body
- }
- if siteID == "" || siteID == "__MISSING_SITE_ID__" {
- http.Error(w, "site_id parameter is required and must be configured", http.StatusBadRequest)
- return
- }
-
- // Generate content ID using the unified engine
- if req.HTMLMarkup == "" {
- http.Error(w, "html_markup is required", http.StatusBadRequest)
- return
- }
-
- result, engineErr := h.engine.ProcessContent(engine.ContentInput{
+ // Use engine to generate ID from HTML structure
+ result, err := h.engine.ProcessContent(engine.ContentInput{
HTML: []byte(req.HTMLMarkup),
FilePath: req.FilePath,
- SiteID: siteID,
+ SiteID: req.SiteID,
Mode: engine.IDGeneration,
})
- if engineErr != nil {
- http.Error(w, fmt.Sprintf("ID generation failed: %v", engineErr), http.StatusInternalServerError)
+ if err != nil {
+ http.Error(w, fmt.Sprintf("Failed to process content: %v", err), http.StatusInternalServerError)
return
}
if len(result.Elements) == 0 {
- http.Error(w, "No insertr elements found in HTML markup", http.StatusBadRequest)
+ http.Error(w, "No content elements found in markup", http.StatusBadRequest)
return
}
- // Use the ID generated by the engine for the first element
contentID := result.Elements[0].ID
- // Extract user from request using authentication service
- userInfo, authErr := h.authService.ExtractUserFromRequest(r)
- if authErr != nil {
- http.Error(w, fmt.Sprintf("Authentication error: %v", authErr), http.StatusUnauthorized)
- return
- }
- userID := userInfo.ID
+ // Check if content already exists
+ existingContent, _ := h.repository.GetContent(context.Background(), req.SiteID, contentID)
- // Check if content exists for version history (non-blocking)
- var existingContent interface{}
- var contentExists bool
-
- switch h.database.GetDBType() {
- case "sqlite3":
- existingContent, _ = h.database.GetSQLiteQueries().GetContent(context.Background(), sqlite.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- contentExists = existingContent != nil
- case "postgresql":
- existingContent, _ = h.database.GetPostgreSQLQueries().GetContent(context.Background(), postgresql.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- contentExists = existingContent != nil
- }
-
- // Archive existing version before upsert (only if content already exists)
- if contentExists {
- if err := h.createContentVersion(existingContent); err != nil {
- // Log error but don't fail the request - version history is non-critical
- fmt.Printf("Warning: Failed to create content version: %v\n", err)
- }
- }
-
- // HTML-first approach: no content type needed
-
- var content interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- content, err = h.database.GetSQLiteQueries().UpsertContent(context.Background(), sqlite.UpsertContentParams{
- ID: contentID,
- SiteID: siteID,
- HtmlContent: req.HTMLContent,
- OriginalTemplate: db.ToNullString(req.OriginalTemplate),
- LastEditedBy: userID,
- })
- case "postgresql":
- content, err = h.database.GetPostgreSQLQueries().UpsertContent(context.Background(), postgresql.UpsertContentParams{
- ID: contentID,
- SiteID: siteID,
- HtmlContent: req.HTMLContent,
- OriginalTemplate: db.ToNullString(req.OriginalTemplate),
- LastEditedBy: userID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to upsert content: %v", err), http.StatusInternalServerError)
- return
- }
-
- item := h.convertToAPIContent(content)
-
- // Trigger file enhancement if site is registered for auto-enhancement
- log.Printf("๐ Checking auto-enhancement for site: %s", siteID)
- if h.siteManager == nil {
- log.Printf("โ No site manager configured")
- } else if !h.siteManager.IsAutoEnhanceEnabled(siteID) {
- log.Printf("โ Auto-enhancement not enabled for site: %s", siteID)
+ var content *db.ContentItem
+ if existingContent == nil {
+ // Create new content
+ content, err = h.repository.CreateContent(
+ context.Background(),
+ req.SiteID,
+ contentID,
+ req.HTMLContent,
+ req.OriginalTemplate,
+ userInfo.ID,
+ )
} else {
- log.Printf("โ
Triggering auto-enhancement for site: %s", siteID)
- go func() {
- log.Printf("๐ Starting enhancement for site: %s", siteID)
- if err := h.siteManager.EnhanceSite(siteID); err != nil {
- log.Printf("โ ๏ธ Failed to enhance site %s: %v", siteID, err)
- } else {
- log.Printf("โ
Enhanced files for site %s", siteID)
- }
- }()
- }
-
- w.Header().Set("Content-Type", "application/json")
- w.WriteHeader(http.StatusCreated)
- json.NewEncoder(w).Encode(item)
-}
-
-// UpdateContent handles PUT /api/content/{id}
-func (h *ContentHandler) UpdateContent(w http.ResponseWriter, r *http.Request) {
- contentID := chi.URLParam(r, "id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var req struct {
- HTMLContent string `json:"html_content"`
- }
- if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
- return
- }
-
- // Extract user from request using authentication service
- userInfo, authErr := h.authService.ExtractUserFromRequest(r)
- if authErr != nil {
- http.Error(w, fmt.Sprintf("Authentication error: %v", authErr), http.StatusUnauthorized)
- return
- }
- userID := userInfo.ID
-
- // Get existing content for version history
- var existingContent interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- existingContent, err = h.database.GetSQLiteQueries().GetContent(context.Background(), sqlite.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- existingContent, err = h.database.GetPostgreSQLQueries().GetContent(context.Background(), postgresql.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
+ // Update existing content - this would need UpdateContent method in repository
+ // For now, we'll return the existing content
+ content = existingContent
}
if err != nil {
- if err == sql.ErrNoRows {
- http.Error(w, "Content not found", http.StatusNotFound)
- return
- }
- http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
+ http.Error(w, fmt.Sprintf("Failed to save content: %v", err), http.StatusInternalServerError)
return
}
- // Archive existing version before update
- if err := h.createContentVersion(existingContent); err != nil {
- fmt.Printf("Warning: Failed to create content version: %v\n", err)
- }
-
- // Update content
- var updatedContent interface{}
-
- switch h.database.GetDBType() {
- case "sqlite3":
- updatedContent, err = h.database.GetSQLiteQueries().UpdateContent(context.Background(), sqlite.UpdateContentParams{
- HtmlContent: req.HTMLContent,
- LastEditedBy: userID,
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- updatedContent, err = h.database.GetPostgreSQLQueries().UpdateContent(context.Background(), postgresql.UpdateContentParams{
- HtmlContent: req.HTMLContent,
- LastEditedBy: userID,
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to update content: %v", err), http.StatusInternalServerError)
- return
- }
-
- item := h.convertToAPIContent(updatedContent)
-
- // Trigger file enhancement if site is registered for auto-enhancement
- if h.siteManager != nil && h.siteManager.IsAutoEnhanceEnabled(siteID) {
- go func() {
- if err := h.siteManager.EnhanceSite(siteID); err != nil {
- log.Printf("โ ๏ธ Failed to enhance site %s: %v", siteID, err)
- }
- }()
- }
-
w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(item)
+ json.NewEncoder(w).Encode(content)
}
// DeleteContent handles DELETE /api/content/{id}
func (h *ContentHandler) DeleteContent(w http.ResponseWriter, r *http.Request) {
- contentID := chi.URLParam(r, "id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- err = h.database.GetSQLiteQueries().DeleteContent(context.Background(), sqlite.DeleteContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- err = h.database.GetPostgreSQLQueries().DeleteContent(context.Background(), postgresql.DeleteContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to delete content: %v", err), http.StatusInternalServerError)
- return
- }
-
- w.WriteHeader(http.StatusNoContent)
-}
-
-// GetContentVersions handles GET /api/content/{id}/versions
-func (h *ContentHandler) GetContentVersions(w http.ResponseWriter, r *http.Request) {
- contentID := chi.URLParam(r, "id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- // Parse limit parameter (default to 10)
- limit := int64(10)
- if limitStr := r.URL.Query().Get("limit"); limitStr != "" {
- if parsedLimit, err := strconv.ParseInt(limitStr, 10, 64); err == nil {
- limit = parsedLimit
- }
- }
-
- var dbVersions interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- dbVersions, err = h.database.GetSQLiteQueries().GetContentVersionHistory(context.Background(), sqlite.GetContentVersionHistoryParams{
- ContentID: contentID,
- SiteID: siteID,
- LimitCount: limit,
- })
- case "postgresql":
- // Note: PostgreSQL uses different parameter names due to int32 vs int64
- dbVersions, err = h.database.GetPostgreSQLQueries().GetContentVersionHistory(context.Background(), postgresql.GetContentVersionHistoryParams{
- ContentID: contentID,
- SiteID: siteID,
- LimitCount: int32(limit),
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
- return
- }
-
- versions := h.convertToAPIVersionList(dbVersions)
- response := ContentVersionsResponse{Versions: versions}
-
- w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(response)
-}
-
-// RollbackContent handles POST /api/content/{id}/rollback
-func (h *ContentHandler) RollbackContent(w http.ResponseWriter, r *http.Request) {
- contentID := chi.URLParam(r, "id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var req RollbackContentRequest
- if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
- return
- }
-
- // Get the target version
- var targetVersion interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- targetVersion, err = h.database.GetSQLiteQueries().GetContentVersion(context.Background(), req.VersionID)
- case "postgresql":
- targetVersion, err = h.database.GetPostgreSQLQueries().GetContentVersion(context.Background(), int32(req.VersionID))
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- if err == sql.ErrNoRows {
- http.Error(w, "Version not found", http.StatusNotFound)
- return
- }
- http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
- return
- }
-
- // Verify the version belongs to the correct content
- if !h.versionMatches(targetVersion, contentID, siteID) {
- http.Error(w, "Version does not match content", http.StatusBadRequest)
- return
- }
-
- // Extract user from request using authentication service
- userInfo, authErr := h.authService.ExtractUserFromRequest(r)
+ _, authErr := h.authService.ExtractUserFromRequest(r)
if authErr != nil {
- http.Error(w, fmt.Sprintf("Authentication error: %v", authErr), http.StatusUnauthorized)
- return
- }
- userID := userInfo.ID
-
- // Archive current version before rollback
- var currentContent interface{}
-
- switch h.database.GetDBType() {
- case "sqlite3":
- currentContent, err = h.database.GetSQLiteQueries().GetContent(context.Background(), sqlite.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- currentContent, err = h.database.GetPostgreSQLQueries().GetContent(context.Background(), postgresql.GetContentParams{
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
+ http.Error(w, "Authentication required", http.StatusUnauthorized)
return
}
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to get current content: %v", err), http.StatusInternalServerError)
+ contentID := chi.URLParam(r, "id")
+ siteID := r.URL.Query().Get("site_id")
+
+ if siteID == "" {
+ http.Error(w, "site_id parameter is required", http.StatusBadRequest)
return
}
- err = h.createContentVersion(currentContent)
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to create version: %v", err), http.StatusInternalServerError)
- return
- }
-
- // Rollback to target version
- var updatedContent interface{}
-
- switch h.database.GetDBType() {
- case "sqlite3":
- sqliteVersion := targetVersion.(sqlite.ContentVersion)
- updatedContent, err = h.database.GetSQLiteQueries().UpdateContent(context.Background(), sqlite.UpdateContentParams{
- HtmlContent: sqliteVersion.HtmlContent,
- LastEditedBy: userID,
- ID: contentID,
- SiteID: siteID,
- })
- case "postgresql":
- pgVersion := targetVersion.(postgresql.ContentVersion)
- updatedContent, err = h.database.GetPostgreSQLQueries().UpdateContent(context.Background(), postgresql.UpdateContentParams{
- HtmlContent: pgVersion.HtmlContent,
- LastEditedBy: userID,
- ID: contentID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to rollback content: %v", err), http.StatusInternalServerError)
- return
- }
-
- item := h.convertToAPIContent(updatedContent)
-
- w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(item)
+ // Note: DeleteContent method would need to be added to repository interface
+ // For now, return not implemented
+ _ = contentID // Suppress unused variable warning
+ http.Error(w, "Delete operation not yet implemented", http.StatusNotImplemented)
}
-// Helper functions for type conversion
-func (h *ContentHandler) convertToAPIContent(content interface{}) ContentItem {
- switch h.database.GetDBType() {
- case "sqlite3":
- c := content.(sqlite.Content)
- return ContentItem{
- ID: c.ID,
- SiteID: c.SiteID,
- HTMLContent: c.HtmlContent,
- OriginalTemplate: db.FromNullString(c.OriginalTemplate),
- CreatedAt: time.Unix(c.CreatedAt, 0),
- UpdatedAt: time.Unix(c.UpdatedAt, 0),
- LastEditedBy: c.LastEditedBy,
- }
- case "postgresql":
- c := content.(postgresql.Content)
- return ContentItem{
- ID: c.ID,
- SiteID: c.SiteID,
- HTMLContent: c.HtmlContent,
- OriginalTemplate: db.FromNullString(c.OriginalTemplate),
- CreatedAt: time.Unix(c.CreatedAt, 0),
- UpdatedAt: time.Unix(c.UpdatedAt, 0),
- LastEditedBy: c.LastEditedBy,
- }
- }
- return ContentItem{} // Should never happen
-}
-
-func (h *ContentHandler) convertToAPIContentList(contentList interface{}) []ContentItem {
- switch h.database.GetDBType() {
- case "sqlite3":
- list := contentList.([]sqlite.Content)
- items := make([]ContentItem, len(list))
- for i, content := range list {
- items[i] = h.convertToAPIContent(content)
- }
- return items
- case "postgresql":
- list := contentList.([]postgresql.Content)
- items := make([]ContentItem, len(list))
- for i, content := range list {
- items[i] = h.convertToAPIContent(content)
- }
- return items
- }
- return []ContentItem{} // Should never happen
-}
-
-func (h *ContentHandler) convertToAPIVersionList(versionList interface{}) []ContentVersion {
- switch h.database.GetDBType() {
- case "sqlite3":
- list := versionList.([]sqlite.ContentVersion)
- versions := make([]ContentVersion, len(list))
- for i, version := range list {
- versions[i] = ContentVersion{
- VersionID: version.VersionID,
- ContentID: version.ContentID,
- SiteID: version.SiteID,
- HTMLContent: version.HtmlContent,
- OriginalTemplate: db.FromNullString(version.OriginalTemplate),
- CreatedAt: time.Unix(version.CreatedAt, 0),
- CreatedBy: version.CreatedBy,
- }
- }
- return versions
- case "postgresql":
- list := versionList.([]postgresql.ContentVersion)
- versions := make([]ContentVersion, len(list))
- for i, version := range list {
- versions[i] = ContentVersion{
- VersionID: int64(version.VersionID),
- ContentID: version.ContentID,
- SiteID: version.SiteID,
- HTMLContent: version.HtmlContent,
- OriginalTemplate: db.FromNullString(version.OriginalTemplate),
- CreatedAt: time.Unix(version.CreatedAt, 0),
- CreatedBy: version.CreatedBy,
- }
- }
- return versions
- }
- return []ContentVersion{} // Should never happen
-}
-
-func (h *ContentHandler) createContentVersion(content interface{}) error {
- switch h.database.GetDBType() {
- case "sqlite3":
- c := content.(sqlite.Content)
- return h.database.GetSQLiteQueries().CreateContentVersion(context.Background(), sqlite.CreateContentVersionParams{
- ContentID: c.ID,
- SiteID: c.SiteID,
- HtmlContent: c.HtmlContent,
- OriginalTemplate: c.OriginalTemplate,
- CreatedBy: c.LastEditedBy,
- })
- case "postgresql":
- c := content.(postgresql.Content)
- return h.database.GetPostgreSQLQueries().CreateContentVersion(context.Background(), postgresql.CreateContentVersionParams{
- ContentID: c.ID,
- SiteID: c.SiteID,
- HtmlContent: c.HtmlContent,
- OriginalTemplate: c.OriginalTemplate,
- CreatedBy: c.LastEditedBy,
- })
- }
- return fmt.Errorf("unsupported database type")
-}
-
-func (h *ContentHandler) versionMatches(version interface{}, contentID, siteID string) bool {
- switch h.database.GetDBType() {
- case "sqlite3":
- v := version.(sqlite.ContentVersion)
- return v.ContentID == contentID && v.SiteID == siteID
- case "postgresql":
- v := version.(postgresql.ContentVersion)
- return v.ContentID == contentID && v.SiteID == siteID
- }
- return false
-}
-
-// generateContentID function removed - using unified ContentEngine instead
-
-// ServeInsertrJS handles GET /insertr.js - serves the insertr JavaScript library
-func (h *ContentHandler) ServeInsertrJS(w http.ResponseWriter, r *http.Request) {
- // Path to the built insertr.js file
- jsPath := "lib/dist/insertr.js"
-
- // Check if file exists
- if _, err := os.Stat(jsPath); os.IsNotExist(err) {
- http.Error(w, "insertr.js not found - run 'just build-lib' to build the library", http.StatusNotFound)
- return
- }
-
- // Open and serve the file
- file, err := os.Open(jsPath)
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to open insertr.js: %v", err), http.StatusInternalServerError)
- return
- }
- defer file.Close()
-
- // Set appropriate headers
- w.Header().Set("Content-Type", "application/javascript")
- w.Header().Set("Cache-Control", "no-cache") // For development
-
- // Copy file contents to response
- io.Copy(w, file)
-}
-
-// ServeInsertrCSS handles GET /insertr.css - serves the insertr CSS stylesheet
-func (h *ContentHandler) ServeInsertrCSS(w http.ResponseWriter, r *http.Request) {
- // Path to the built insertr.css file
- cssPath := "lib/dist/insertr.css"
-
- // Check if file exists
- if _, err := os.Stat(cssPath); os.IsNotExist(err) {
- http.Error(w, "insertr.css not found - run 'just build-lib' to build the library", http.StatusNotFound)
- return
- }
-
- // Open and serve the file
- file, err := os.Open(cssPath)
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to open insertr.css: %v", err), http.StatusInternalServerError)
- return
- }
- defer file.Close()
-
- // Set appropriate headers
- w.Header().Set("Content-Type", "text/css")
- w.Header().Set("Cache-Control", "no-cache") // For development
-
- // Copy file contents to response
- io.Copy(w, file)
-}
-
-// Collection API handlers
-
// GetCollection handles GET /api/collections/{id}
func (h *ContentHandler) GetCollection(w http.ResponseWriter, r *http.Request) {
collectionID := chi.URLParam(r, "id")
@@ -856,25 +215,7 @@ func (h *ContentHandler) GetCollection(w http.ResponseWriter, r *http.Request) {
return
}
- var collection interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- collection, err = h.database.GetSQLiteQueries().GetCollection(context.Background(), sqlite.GetCollectionParams{
- ID: collectionID,
- SiteID: siteID,
- })
- case "postgresql":
- collection, err = h.database.GetPostgreSQLQueries().GetCollection(context.Background(), postgresql.GetCollectionParams{
- ID: collectionID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
+ collection, err := h.repository.GetCollection(context.Background(), siteID, collectionID)
if err != nil {
if err == sql.ErrNoRows {
http.Error(w, "Collection not found", http.StatusNotFound)
@@ -884,43 +225,8 @@ func (h *ContentHandler) GetCollection(w http.ResponseWriter, r *http.Request) {
return
}
- apiCollection := h.convertToAPICollection(collection)
-
w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(apiCollection)
-}
-
-// GetAllCollections handles GET /api/collections
-func (h *ContentHandler) GetAllCollections(w http.ResponseWriter, r *http.Request) {
- siteID := r.URL.Query().Get("site_id")
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var collections interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- collections, err = h.database.GetSQLiteQueries().GetAllCollections(context.Background(), siteID)
- case "postgresql":
- collections, err = h.database.GetPostgreSQLQueries().GetAllCollections(context.Background(), siteID)
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
- return
- }
-
- apiCollections := h.convertToAPICollectionList(collections)
- response := CollectionResponse{Collections: apiCollections}
-
- w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(response)
+ json.NewEncoder(w).Encode(collection)
}
// GetCollectionItems handles GET /api/collections/{id}/items
@@ -933,545 +239,77 @@ func (h *ContentHandler) GetCollectionItems(w http.ResponseWriter, r *http.Reque
return
}
- var items interface{}
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- items, err = h.database.GetSQLiteQueries().GetCollectionItemsWithTemplate(context.Background(), sqlite.GetCollectionItemsWithTemplateParams{
- CollectionID: collectionID,
- SiteID: siteID,
- })
- case "postgresql":
- items, err = h.database.GetPostgreSQLQueries().GetCollectionItemsWithTemplate(context.Background(), postgresql.GetCollectionItemsWithTemplateParams{
- CollectionID: collectionID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
+ items, err := h.repository.GetCollectionItems(context.Background(), siteID, collectionID)
if err != nil {
http.Error(w, fmt.Sprintf("Database error: %v", err), http.StatusInternalServerError)
return
}
- apiItems := h.convertToAPICollectionItemList(items)
-
w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(map[string]interface{}{
- "items": apiItems,
- })
+ json.NewEncoder(w).Encode(items)
}
// CreateCollectionItem handles POST /api/collections/{id}/items
func (h *ContentHandler) CreateCollectionItem(w http.ResponseWriter, r *http.Request) {
+ userInfo, authErr := h.authService.ExtractUserFromRequest(r)
+ if authErr != nil {
+ http.Error(w, "Authentication required", http.StatusUnauthorized)
+ return
+ }
+
collectionID := chi.URLParam(r, "id")
var req CreateCollectionItemRequest
if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
+ http.Error(w, fmt.Sprintf("Invalid JSON: %v", err), http.StatusBadRequest)
return
}
- // Set defaults
- if req.SiteID == "" {
+ if req.SiteID == "" || req.CollectionID == "" {
req.SiteID = r.URL.Query().Get("site_id")
+ req.CollectionID = collectionID
}
+
if req.SiteID == "" {
http.Error(w, "site_id is required", http.StatusBadRequest)
return
}
- if req.CreatedBy == "" {
- req.CreatedBy = "api"
- }
- if req.CollectionID == "" {
- req.CollectionID = collectionID
- }
+
if req.TemplateID == 0 {
req.TemplateID = 1 // Default to first template
}
- // Create database client for atomic operations
- dbClient := h.database.NewContentRepository()
-
- // Use atomic collection item creation
- createdItem, err := dbClient.CreateCollectionItemAtomic(
+ // Use atomic collection item creation from repository
+ createdItem, err := h.repository.CreateCollectionItemAtomic(
context.Background(),
req.SiteID,
req.CollectionID,
req.TemplateID,
- req.CreatedBy,
+ userInfo.ID,
)
if err != nil {
http.Error(w, fmt.Sprintf("Failed to create collection item: %v", err), http.StatusInternalServerError)
return
}
- // Convert to API response format
- apiItem := CollectionItemData{
- ItemID: createdItem.ItemID,
- CollectionID: createdItem.CollectionID,
- SiteID: createdItem.SiteID,
- TemplateID: createdItem.TemplateID,
- HTMLContent: createdItem.HTMLContent,
- Position: createdItem.Position,
- CreatedAt: time.Now(),
- UpdatedAt: time.Now(),
- LastEditedBy: createdItem.LastEditedBy,
- }
-
w.Header().Set("Content-Type", "application/json")
w.WriteHeader(http.StatusCreated)
- json.NewEncoder(w).Encode(apiItem)
+ json.NewEncoder(w).Encode(createdItem)
}
-// UpdateCollectionItem handles PUT /api/collections/{id}/items/{item_id}
-func (h *ContentHandler) UpdateCollectionItem(w http.ResponseWriter, r *http.Request) {
- collectionID := chi.URLParam(r, "id")
- itemID := chi.URLParam(r, "item_id")
- siteID := r.URL.Query().Get("site_id")
+// RegisterRoutes registers all the content API routes
+func (h *ContentHandler) RegisterRoutes(r chi.Router) {
+ r.Route("/api", func(r chi.Router) {
+ // Content routes
+ r.Get("/content/{id}", h.GetContent)
+ r.Get("/content", h.GetAllContent)
+ r.Post("/content/bulk", h.GetBulkContent)
+ r.Post("/content", h.CreateOrUpdateContent)
+ r.Delete("/content/{id}", h.DeleteContent)
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var req UpdateCollectionItemRequest
- if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
- return
- }
-
- if req.UpdatedBy == "" {
- req.UpdatedBy = "api"
- }
-
- var updatedItem interface{}
- var err error
-
- // Validate position bounds if position update is requested
- if req.Position > 0 {
- var maxPos int64
- switch h.database.GetDBType() {
- case "sqlite3":
- result, err := h.database.GetSQLiteQueries().GetMaxPosition(context.Background(), sqlite.GetMaxPositionParams{
- CollectionID: collectionID,
- SiteID: siteID,
- })
- if err != nil {
- http.Error(w, "Failed to get max position", http.StatusInternalServerError)
- return
- }
- // Convert interface{} to int64
- switch v := result.(type) {
- case int64:
- maxPos = v
- case int:
- maxPos = int64(v)
- default:
- maxPos = 0
- }
- case "postgresql":
- result, err := h.database.GetPostgreSQLQueries().GetMaxPosition(context.Background(), postgresql.GetMaxPositionParams{
- CollectionID: collectionID,
- SiteID: siteID,
- })
- if err != nil {
- http.Error(w, "Failed to get max position", http.StatusInternalServerError)
- return
- }
- // Convert interface{} to int64
- switch v := result.(type) {
- case int64:
- maxPos = v
- case int32:
- maxPos = int64(v)
- case int:
- maxPos = int64(v)
- default:
- maxPos = 0
- }
- }
-
- // Check if position is valid (1-based, within bounds)
- if int64(req.Position) > maxPos {
- http.Error(w, fmt.Sprintf("Invalid position: %d exceeds max position %d", req.Position, maxPos), http.StatusBadRequest)
- return
- }
- }
-
- switch h.database.GetDBType() {
- case "sqlite3":
- // Update position if provided
- if req.Position > 0 {
- err = h.database.GetSQLiteQueries().UpdateCollectionItemPosition(context.Background(), sqlite.UpdateCollectionItemPositionParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- Position: int64(req.Position),
- })
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to update position: %v", err), http.StatusInternalServerError)
- return
- }
- }
-
- // If only position update (no html_content), just get the updated item
- if req.HTMLContent == "" {
- updatedItem, err = h.database.GetSQLiteQueries().GetCollectionItem(context.Background(), sqlite.GetCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- })
- } else {
- // Update content and metadata
- updatedItem, err = h.database.GetSQLiteQueries().UpdateCollectionItem(context.Background(), sqlite.UpdateCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- HtmlContent: req.HTMLContent,
- LastEditedBy: req.UpdatedBy,
- })
- }
- case "postgresql":
- // Update position if provided
- if req.Position > 0 {
- err = h.database.GetPostgreSQLQueries().UpdateCollectionItemPosition(context.Background(), postgresql.UpdateCollectionItemPositionParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- Position: int32(req.Position),
- })
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to update position: %v", err), http.StatusInternalServerError)
- return
- }
- }
-
- // If only position update (no html_content), just get the updated item
- if req.HTMLContent == "" {
- updatedItem, err = h.database.GetPostgreSQLQueries().GetCollectionItem(context.Background(), postgresql.GetCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- })
- } else {
- // Update content and metadata
- updatedItem, err = h.database.GetPostgreSQLQueries().UpdateCollectionItem(context.Background(), postgresql.UpdateCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- HtmlContent: req.HTMLContent,
- LastEditedBy: req.UpdatedBy,
- })
- }
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- if err == sql.ErrNoRows {
- http.Error(w, "Collection item not found", http.StatusNotFound)
- return
- }
- http.Error(w, fmt.Sprintf("Failed to update collection item: %v", err), http.StatusInternalServerError)
- return
- }
-
- apiItem := h.convertToAPICollectionItem(updatedItem)
-
- w.Header().Set("Content-Type", "application/json")
- json.NewEncoder(w).Encode(apiItem)
-}
-
-// DeleteCollectionItem handles DELETE /api/collections/{id}/items/{item_id}
-func (h *ContentHandler) DeleteCollectionItem(w http.ResponseWriter, r *http.Request) {
- collectionID := chi.URLParam(r, "id")
- itemID := chi.URLParam(r, "item_id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var err error
-
- switch h.database.GetDBType() {
- case "sqlite3":
- err = h.database.GetSQLiteQueries().DeleteCollectionItem(context.Background(), sqlite.DeleteCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- })
- case "postgresql":
- err = h.database.GetPostgreSQLQueries().DeleteCollectionItem(context.Background(), postgresql.DeleteCollectionItemParams{
- ItemID: itemID,
- CollectionID: collectionID,
- SiteID: siteID,
- })
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to delete collection item: %v", err), http.StatusInternalServerError)
- return
- }
-
- w.WriteHeader(http.StatusNoContent)
-}
-
-// ReorderCollection handles PUT /api/collections/{id}/reorder
-func (h *ContentHandler) ReorderCollection(w http.ResponseWriter, r *http.Request) {
- collectionID := chi.URLParam(r, "id")
- siteID := r.URL.Query().Get("site_id")
-
- if siteID == "" {
- http.Error(w, "site_id parameter is required", http.StatusBadRequest)
- return
- }
-
- var req ReorderCollectionRequest
- if err := json.NewDecoder(r.Body).Decode(&req); err != nil {
- http.Error(w, "Invalid JSON", http.StatusBadRequest)
- return
- }
-
- if req.UpdatedBy == "" {
- req.UpdatedBy = "api"
- }
-
- // Validate that all items belong to the collection and have valid positions
- if len(req.Items) == 0 {
- http.Error(w, "Items array cannot be empty", http.StatusBadRequest)
- return
- }
-
- // Update positions for all items in a transaction for atomicity
- switch h.database.GetDBType() {
- case "sqlite3":
- // Use transaction for atomic bulk updates
- tx, err := h.database.GetSQLiteDB().Begin()
- if err != nil {
- http.Error(w, "Failed to begin transaction", http.StatusInternalServerError)
- return
- }
- defer tx.Rollback()
-
- // Create queries with transaction context
- qtx := h.database.GetSQLiteQueries().WithTx(tx)
-
- for _, item := range req.Items {
- err = qtx.UpdateCollectionItemPosition(context.Background(), sqlite.UpdateCollectionItemPositionParams{
- ItemID: item.ItemID,
- CollectionID: collectionID,
- SiteID: siteID,
- Position: int64(item.Position),
- LastEditedBy: req.UpdatedBy,
- })
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to update position for item %s: %v", item.ItemID, err), http.StatusInternalServerError)
- return
- }
- }
-
- // Commit transaction
- if err = tx.Commit(); err != nil {
- http.Error(w, "Failed to commit bulk reorder transaction", http.StatusInternalServerError)
- return
- }
-
- case "postgres":
- // Use transaction for atomic bulk updates
- tx, err := h.database.GetPostgreSQLDB().Begin()
- if err != nil {
- http.Error(w, "Failed to begin transaction", http.StatusInternalServerError)
- return
- }
- defer tx.Rollback()
-
- // Create queries with transaction context
- qtx := h.database.GetPostgreSQLQueries().WithTx(tx)
-
- for _, item := range req.Items {
- err = qtx.UpdateCollectionItemPosition(context.Background(), postgresql.UpdateCollectionItemPositionParams{
- ItemID: item.ItemID,
- CollectionID: collectionID,
- SiteID: siteID,
- Position: int32(item.Position),
- LastEditedBy: req.UpdatedBy,
- })
- if err != nil {
- http.Error(w, fmt.Sprintf("Failed to update position for item %s: %v", item.ItemID, err), http.StatusInternalServerError)
- return
- }
- }
-
- // Commit transaction
- if err = tx.Commit(); err != nil {
- http.Error(w, "Failed to commit bulk reorder transaction", http.StatusInternalServerError)
- return
- }
-
- default:
- http.Error(w, "Unsupported database type", http.StatusInternalServerError)
- return
- }
-
- // Return success response
- w.Header().Set("Content-Type", "application/json")
- response := map[string]interface{}{
- "success": true,
- "message": fmt.Sprintf("Successfully reordered %d items", len(req.Items)),
- }
- json.NewEncoder(w).Encode(response)
-}
-
-// Collection conversion helpers
-
-// convertToAPICollection converts database collection to API model
-func (h *ContentHandler) convertToAPICollection(dbCollection interface{}) CollectionItem {
- switch h.database.GetDBType() {
- case "sqlite3":
- collection := dbCollection.(sqlite.Collection)
- return CollectionItem{
- ID: collection.ID,
- SiteID: collection.SiteID,
- ContainerHTML: collection.ContainerHtml,
- CreatedAt: time.Unix(collection.CreatedAt, 0),
- UpdatedAt: time.Unix(collection.UpdatedAt, 0),
- LastEditedBy: collection.LastEditedBy,
- }
- case "postgresql":
- collection := dbCollection.(postgresql.Collection)
- return CollectionItem{
- ID: collection.ID,
- SiteID: collection.SiteID,
- ContainerHTML: collection.ContainerHtml,
- CreatedAt: time.Unix(collection.CreatedAt, 0),
- UpdatedAt: time.Unix(collection.UpdatedAt, 0),
- LastEditedBy: collection.LastEditedBy,
- }
- default:
- return CollectionItem{}
- }
-}
-
-// convertToAPICollectionList converts database collection list to API models
-func (h *ContentHandler) convertToAPICollectionList(dbCollections interface{}) []CollectionItem {
- switch h.database.GetDBType() {
- case "sqlite3":
- collections := dbCollections.([]sqlite.Collection)
- result := make([]CollectionItem, len(collections))
- for i, collection := range collections {
- result[i] = CollectionItem{
- ID: collection.ID,
- SiteID: collection.SiteID,
- ContainerHTML: collection.ContainerHtml,
- CreatedAt: time.Unix(collection.CreatedAt, 0),
- UpdatedAt: time.Unix(collection.UpdatedAt, 0),
- LastEditedBy: collection.LastEditedBy,
- }
- }
- return result
- case "postgresql":
- collections := dbCollections.([]postgresql.Collection)
- result := make([]CollectionItem, len(collections))
- for i, collection := range collections {
- result[i] = CollectionItem{
- ID: collection.ID,
- SiteID: collection.SiteID,
- ContainerHTML: collection.ContainerHtml,
- CreatedAt: time.Unix(collection.CreatedAt, 0),
- UpdatedAt: time.Unix(collection.UpdatedAt, 0),
- LastEditedBy: collection.LastEditedBy,
- }
- }
- return result
- default:
- return []CollectionItem{}
- }
-}
-
-// convertToAPICollectionItem converts database collection item to API model
-func (h *ContentHandler) convertToAPICollectionItem(dbItem interface{}) CollectionItemData {
- switch h.database.GetDBType() {
- case "sqlite3":
- item := dbItem.(sqlite.CollectionItem)
- return CollectionItemData{
- ItemID: item.ItemID,
- CollectionID: item.CollectionID,
- SiteID: item.SiteID,
- TemplateID: int(item.TemplateID),
- HTMLContent: item.HtmlContent,
- Position: int(item.Position),
- CreatedAt: time.Unix(item.CreatedAt, 0),
- UpdatedAt: time.Unix(item.UpdatedAt, 0),
- LastEditedBy: item.LastEditedBy,
- }
- case "postgresql":
- item := dbItem.(postgresql.CollectionItem)
- return CollectionItemData{
- ItemID: item.ItemID,
- CollectionID: item.CollectionID,
- SiteID: item.SiteID,
- TemplateID: int(item.TemplateID),
- HTMLContent: item.HtmlContent,
- Position: int(item.Position),
- CreatedAt: time.Unix(item.CreatedAt, 0),
- UpdatedAt: time.Unix(item.UpdatedAt, 0),
- LastEditedBy: item.LastEditedBy,
- }
- default:
- return CollectionItemData{}
- }
-}
-
-// convertToAPICollectionItemList converts database collection item list to API models
-func (h *ContentHandler) convertToAPICollectionItemList(dbItems interface{}) []CollectionItemData {
- switch h.database.GetDBType() {
- case "sqlite3":
- items := dbItems.([]sqlite.GetCollectionItemsWithTemplateRow)
- result := make([]CollectionItemData, len(items))
- for i, item := range items {
- result[i] = CollectionItemData{
- ItemID: item.ItemID,
- CollectionID: item.CollectionID,
- SiteID: item.SiteID,
- TemplateID: int(item.TemplateID),
- HTMLContent: item.HtmlContent,
- Position: int(item.Position),
- CreatedAt: time.Unix(item.CreatedAt, 0),
- UpdatedAt: time.Unix(item.UpdatedAt, 0),
- LastEditedBy: item.LastEditedBy,
- TemplateName: item.TemplateName,
- }
- }
- return result
- case "postgresql":
- items := dbItems.([]postgresql.GetCollectionItemsWithTemplateRow)
- result := make([]CollectionItemData, len(items))
- for i, item := range items {
- result[i] = CollectionItemData{
- ItemID: item.ItemID,
- CollectionID: item.CollectionID,
- SiteID: item.SiteID,
- TemplateID: int(item.TemplateID),
- HTMLContent: item.HtmlContent,
- Position: int(item.Position),
- CreatedAt: time.Unix(item.CreatedAt, 0),
- UpdatedAt: time.Unix(item.UpdatedAt, 0),
- LastEditedBy: item.LastEditedBy,
- TemplateName: item.TemplateName,
- }
- }
- return result
- default:
- return []CollectionItemData{}
- }
+ // Collection routes
+ r.Get("/collections/{id}", h.GetCollection)
+ r.Get("/collections/{id}/items", h.GetCollectionItems)
+ r.Post("/collections/{id}/items", h.CreateCollectionItem)
+ })
}
diff --git a/internal/api/middleware.go b/internal/api/middleware.go
index 25327f5..8e3c84a 100644
--- a/internal/api/middleware.go
+++ b/internal/api/middleware.go
@@ -3,6 +3,7 @@ package api
import (
"log"
"net/http"
+ "slices"
"strings"
"time"
)
@@ -92,13 +93,7 @@ func CORSPreflightHandler(w http.ResponseWriter, r *http.Request) {
}
// Check if origin is allowed
- originAllowed := false
- for _, allowed := range allowedOrigins {
- if origin == allowed {
- originAllowed = true
- break
- }
- }
+ originAllowed := slices.Contains(allowedOrigins, origin)
if originAllowed {
w.Header().Set("Access-Control-Allow-Origin", origin)
diff --git a/internal/api/models.go b/internal/api/models.go
index e65486c..be0bf9d 100644
--- a/internal/api/models.go
+++ b/internal/api/models.go
@@ -1,35 +1,7 @@
package api
-import "time"
-
-// API request/response models
-type ContentItem struct {
- ID string `json:"id"`
- SiteID string `json:"site_id"`
- HTMLContent string `json:"html_content"`
- OriginalTemplate string `json:"original_template"`
- CreatedAt time.Time `json:"created_at"`
- UpdatedAt time.Time `json:"updated_at"`
- LastEditedBy string `json:"last_edited_by"`
-}
-
-type ContentVersion struct {
- VersionID int64 `json:"version_id"`
- ContentID string `json:"content_id"`
- SiteID string `json:"site_id"`
- HTMLContent string `json:"html_content"`
- OriginalTemplate string `json:"original_template"`
- CreatedAt time.Time `json:"created_at"`
- CreatedBy string `json:"created_by"`
-}
-
-type ContentResponse struct {
- Content []ContentItem `json:"content"`
-}
-
-type ContentVersionsResponse struct {
- Versions []ContentVersion `json:"versions"`
-}
+// Use db package types directly for API responses - no duplication needed
+// Request models are kept below as they're different (input DTOs)
// Element context for backend ID generation
type ElementContext struct {
@@ -55,44 +27,7 @@ type RollbackContentRequest struct {
RolledBackBy string `json:"rolled_back_by,omitempty"`
}
-// Collection API models
-type CollectionItem struct {
- ID string `json:"id"`
- SiteID string `json:"site_id"`
- ContainerHTML string `json:"container_html"`
- CreatedAt time.Time `json:"created_at"`
- UpdatedAt time.Time `json:"updated_at"`
- LastEditedBy string `json:"last_edited_by"`
- Templates []CollectionTemplate `json:"templates,omitempty"`
- Items []CollectionItemData `json:"items,omitempty"`
-}
-
-type CollectionTemplate struct {
- TemplateID int `json:"template_id"`
- CollectionID string `json:"collection_id"`
- SiteID string `json:"site_id"`
- Name string `json:"name"`
- HTMLTemplate string `json:"html_template"`
- IsDefault bool `json:"is_default"`
- CreatedAt time.Time `json:"created_at"`
-}
-
-type CollectionItemData struct {
- ItemID string `json:"item_id"`
- CollectionID string `json:"collection_id"`
- SiteID string `json:"site_id"`
- TemplateID int `json:"template_id"`
- HTMLContent string `json:"html_content"`
- Position int `json:"position"`
- CreatedAt time.Time `json:"created_at"`
- UpdatedAt time.Time `json:"updated_at"`
- LastEditedBy string `json:"last_edited_by"`
- TemplateName string `json:"template_name,omitempty"`
-}
-
-type CollectionResponse struct {
- Collections []CollectionItem `json:"collections"`
-}
+// Collection response types also use db package directly
// Collection request models
type CreateCollectionRequest struct {
diff --git a/internal/config/config.go b/internal/config/config.go
index 8b671f9..1618f29 100644
--- a/internal/config/config.go
+++ b/internal/config/config.go
@@ -6,6 +6,7 @@ type Config struct {
CLI CLIConfig `yaml:"cli" mapstructure:"cli"`
Server ServerConfig `yaml:"server" mapstructure:"server"`
Auth AuthConfig `yaml:"auth" mapstructure:"auth"`
+ Library LibraryConfig `yaml:"library" mapstructure:"library"`
}
type DatabaseConfig struct {
@@ -65,3 +66,11 @@ type DiscoveryConfig struct {
Containers bool `yaml:"containers" mapstructure:"containers"`
Individual bool `yaml:"individual" mapstructure:"individual"`
}
+
+type LibraryConfig struct {
+ BaseURL string `yaml:"base_url" mapstructure:"base_url"`
+ UseCDN bool `yaml:"use_cdn" mapstructure:"use_cdn"`
+ CDNBaseURL string `yaml:"cdn_base_url" mapstructure:"cdn_base_url"`
+ Minified bool `yaml:"minified" mapstructure:"minified"`
+ Version string `yaml:"version" mapstructure:"version"`
+}
diff --git a/internal/content/assets/insertr.css b/internal/content/assets/insertr.css
deleted file mode 100644
index 31e433e..0000000
--- a/internal/content/assets/insertr.css
+++ /dev/null
@@ -1,956 +0,0 @@
-/**
- * INSERTR CSS - Centralized Styles for Content Management Interface
- *
- * Architecture: Simple class-based CSS with proper specificity
- * - Class selectors (0,0,1,0) automatically beat universal selectors (0,0,0,0)
- * - No cascade layers needed - works in all browsers
- * - No !important needed - specificity handles conflicts naturally
- * - Explicit colors prevent inheritance issues
- *
- * Components:
- * - .insertr-gate: Minimal styling for user-defined gates
- * - .insertr-auth-*: Authentication controls and buttons
- * - .insertr-form-*: Modal forms and inputs
- * - .insertr-style-aware-*: Style-aware editor components
- */
-
-/* =================================================================
- CSS CUSTOM PROPERTIES (CSS VARIABLES)
- ================================================================= */
-
-:root {
- /* Core theme colors */
- --insertr-primary: #007bff;
- --insertr-primary-hover: #0056b3;
- --insertr-success: #28a745;
- --insertr-danger: #dc3545;
- --insertr-warning: #ffc107;
- --insertr-info: #17a2b8;
-
- /* Text colors */
- --insertr-text-primary: #333333;
- --insertr-text-secondary: #666666;
- --insertr-text-muted: #999999;
- --insertr-text-inverse: #ffffff;
-
- /* Background colors */
- --insertr-bg-primary: #ffffff;
- --insertr-bg-secondary: #f8f9fa;
- --insertr-bg-overlay: rgba(0, 0, 0, 0.5);
-
- /* Border and spacing */
- --insertr-border-color: #dee2e6;
- --insertr-border-radius: 4px;
- --insertr-spacing-xs: 4px;
- --insertr-spacing-sm: 8px;
- --insertr-spacing-md: 16px;
- --insertr-spacing-lg: 24px;
-
- /* Z-index management */
- --insertr-z-modal-backdrop: 1040;
- --insertr-z-modal: 1050;
- --insertr-z-tooltip: 1070;
- --insertr-z-overlay: 999999;
-
- /* Typography */
- --insertr-font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen, Ubuntu, Cantarell, sans-serif;
- --insertr-font-size-sm: 12px;
- --insertr-font-size-base: 14px;
- --insertr-line-height: 1.4;
-
- /* Form elements - using existing variables */
-
- /* Animation */
- --insertr-transition: all 0.2s ease-in-out;
-}
-
-/* =================================================================
- USER-DEFINED GATES
- Minimal styling - developers control appearance
- ================================================================= */
-
-.insertr-gate {
- cursor: pointer;
- user-select: none;
-}
-
-/* =================================================================
- UNIFIED CONTROL PANEL
- ================================================================= */
-
-.insertr-control-panel {
- position: fixed;
- bottom: 20px;
- right: 20px;
- z-index: var(--insertr-z-overlay);
- display: flex;
- flex-direction: column;
- gap: var(--insertr-spacing-sm);
- font-family: var(--insertr-font-family);
- font-size: var(--insertr-font-size-base);
- max-width: 280px;
-}
-
-/* Status Section */
-.insertr-status-section {
- display: flex;
- justify-content: flex-end;
- margin-bottom: var(--insertr-spacing-xs);
-}
-
-.insertr-status-indicator {
- background: var(--insertr-bg-primary);
- color: var(--insertr-text-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-xs) var(--insertr-spacing-sm);
- display: flex;
- align-items: center;
- gap: var(--insertr-spacing-xs);
- font-size: var(--insertr-font-size-sm);
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
- transition: var(--insertr-transition);
-}
-
-.insertr-status-text {
- margin: 0;
- padding: 0;
- font-weight: 500;
- color: inherit;
- white-space: nowrap;
-}
-
-.insertr-status-dot {
- width: 8px;
- height: 8px;
- border-radius: 50%;
- flex-shrink: 0;
- transition: var(--insertr-transition);
-}
-
-.insertr-status-visitor {
- background: var(--insertr-text-muted);
-}
-
-.insertr-status-authenticated {
- background: var(--insertr-primary);
-}
-
-.insertr-status-editing {
- background: var(--insertr-success);
- animation: insertr-pulse 2s infinite;
-}
-
-@keyframes insertr-pulse {
- 0%, 100% { opacity: 1; }
- 50% { opacity: 0.6; }
-}
-
-/* Action Buttons Section */
-.insertr-action-section {
- display: flex;
- flex-direction: column;
- gap: var(--insertr-spacing-xs);
-}
-
-.insertr-action-btn {
- background: var(--insertr-primary);
- color: var(--insertr-text-inverse);
- border: none;
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-sm) var(--insertr-spacing-md);
- margin: 0;
- font-family: var(--insertr-font-family);
- font-size: var(--insertr-font-size-base);
- font-weight: 500;
- text-decoration: none;
- display: inline-block;
- text-align: center;
- vertical-align: middle;
- cursor: pointer;
- transition: var(--insertr-transition);
- line-height: var(--insertr-line-height);
- min-width: 120px;
- white-space: nowrap;
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
-}
-
-.insertr-action-btn:hover {
- background: var(--insertr-primary-hover);
- color: var(--insertr-text-inverse);
- text-decoration: none;
- transform: translateY(-1px);
- box-shadow: 0 4px 8px rgba(0, 0, 0, 0.15);
-}
-
-.insertr-action-btn:focus {
- outline: 2px solid var(--insertr-primary);
- outline-offset: 2px;
-}
-
-.insertr-action-btn:active {
- transform: translateY(0);
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
-}
-
-.insertr-action-btn:disabled {
- opacity: 0.6;
- cursor: not-allowed;
- transform: none;
-}
-
-/* Button Type Variants */
-.insertr-enhance-btn {
- background: var(--insertr-info);
-}
-
-.insertr-enhance-btn:hover {
- background: #138496;
-}
-
-.insertr-edit-btn.insertr-edit-active {
- background: var(--insertr-success);
-}
-
-.insertr-edit-btn.insertr-edit-active:hover {
- background: #1e7e34;
-}
-
-.insertr-auth-btn.insertr-authenticated {
- background: var(--insertr-text-secondary);
-}
-
-.insertr-auth-btn.insertr-authenticated:hover {
- background: var(--insertr-text-primary);
-}
-
-/* =================================================================
- EDITING INDICATORS
- Visual feedback for editable content
- ================================================================= */
-
-.insertr-editing-hover {
- outline: 2px dashed var(--insertr-primary);
- outline-offset: 2px;
- background: rgba(0, 123, 255, 0.05);
- position: relative;
- transition: var(--insertr-transition);
-}
-
-.insertr-editing-hover::after {
- content: 'โ๏ธ Click to edit';
- position: absolute;
- top: -30px;
- left: 50%;
- transform: translateX(-50%);
- background: var(--insertr-text-primary);
- color: var(--insertr-text-inverse);
- padding: var(--insertr-spacing-xs) var(--insertr-spacing-sm);
- border-radius: var(--insertr-border-radius);
- font-size: var(--insertr-font-size-sm);
- font-family: var(--insertr-font-family);
- white-space: nowrap;
- z-index: var(--insertr-z-tooltip);
- opacity: 0;
- animation: insertr-tooltip-show 0.2s ease-in-out forwards;
-}
-
-@keyframes insertr-tooltip-show {
- from {
- opacity: 0;
- transform: translateX(-50%) translateY(-5px);
- }
- to {
- opacity: 1;
- transform: translateX(-50%) translateY(0);
- }
-}
-
-/* Hide editing indicators when not in edit mode */
-body:not(.insertr-edit-mode) .insertr-editing-hover {
- outline: none;
- background: transparent;
-}
-
-body:not(.insertr-edit-mode) .insertr-editing-hover::after {
- display: none;
-}
-
-/* =================================================================
- MODAL OVERLAY & CONTAINER
- ================================================================= */
-
-.insertr-modal-overlay {
- position: fixed;
- top: 0;
- left: 0;
- right: 0;
- bottom: 0;
- background: var(--insertr-bg-overlay);
- z-index: var(--insertr-z-modal-backdrop);
- display: flex;
- align-items: center;
- justify-content: center;
- padding: var(--insertr-spacing-lg);
- margin: 0;
-}
-
-.insertr-modal-container {
- background: var(--insertr-bg-primary);
- color: var(--insertr-text-primary);
- border-radius: var(--insertr-border-radius);
- box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1);
- max-width: 600px;
- width: 100%;
- max-height: 90vh;
- overflow-y: auto;
- position: relative;
- z-index: var(--insertr-z-modal);
- margin: 0;
- padding: 0;
-}
-
-/* =================================================================
- STYLE-AWARE EDITOR STYLES
- Modern interface for content editing with style preservation
- ================================================================= */
-
-/* Main editor container */
-.insertr-style-aware-editor {
- background: var(--insertr-bg-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-lg);
- min-width: 400px;
- max-width: 600px;
- box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1);
- font-family: var(--insertr-font-family);
- color: var(--insertr-text-primary);
-}
-
-/* Style toolbar */
-.insertr-style-toolbar {
- display: flex;
- align-items: center;
- gap: var(--insertr-spacing-xs);
- padding: var(--insertr-spacing-sm);
- background: var(--insertr-bg-secondary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- margin-bottom: var(--insertr-spacing-md);
- flex-wrap: wrap;
-}
-
-.insertr-toolbar-title {
- font-size: var(--insertr-font-size-sm);
- font-weight: 500;
- color: var(--insertr-text-muted);
- margin-right: var(--insertr-spacing-xs);
-}
-
-.insertr-style-btn {
- background: var(--insertr-bg-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-xs) var(--insertr-spacing-sm);
- font-size: var(--insertr-font-size-sm);
- font-weight: 500;
- color: var(--insertr-text-primary);
- cursor: pointer;
- transition: var(--insertr-transition);
-}
-
-.insertr-style-btn:hover {
- background: var(--insertr-bg-secondary);
- border-color: var(--insertr-text-muted);
-}
-
-.insertr-style-btn:active {
- background: var(--insertr-border-color);
- transform: translateY(1px);
-}
-
-/* Style preview buttons - three-layer architecture for style isolation */
-.insertr-style-btn.insertr-style-preview {
- /* Strong button container - prevents content from affecting button structure */
- background: var(--insertr-bg-primary) !important;
- border: 1px solid var(--insertr-border-color) !important;
- border-radius: var(--insertr-border-radius) !important;
- padding: 6px 10px !important; /* Move padding to button level */
- font-size: var(--insertr-font-size-sm);
- cursor: pointer;
- transition: var(--insertr-transition);
-
- /* Fixed button dimensions and layout */
- min-height: 32px;
- display: inline-flex;
- align-items: center;
- justify-content: center;
-
- /* Reset button-level text properties to prevent inheritance */
- font-family: var(--insertr-font-family);
- text-decoration: none;
- font-weight: normal;
- text-transform: none;
- color: var(--insertr-text-primary);
-}
-
-/* Button frame - minimal layout container with no padding */
-.insertr-button-frame {
- display: inline-flex;
- align-items: center;
- justify-content: center;
-
- /* Create style containment boundary */
- contain: layout style;
- overflow: hidden;
-}
-
-/* Style sample - authentic style preview with NO resets */
-.insertr-style-sample {
- /* Authentic style preview - let all styling come through naturally */
- display: inline-block;
-
- /* Size constraints only */
- max-width: 100px;
- overflow: hidden;
- text-overflow: ellipsis;
- white-space: nowrap;
-
- /* All other styling (color, weight, transform, decoration, etc.)
- comes from applied classes - no interference */
-}
-
-/* Fallback styling when no meaningful classes are detected */
-.insertr-style-sample.insertr-fallback-style {
- color: var(--insertr-text-primary);
-}
-
-/* Hover state for preview buttons - subtle visual feedback */
-.insertr-style-btn.insertr-style-preview:hover {
- border-color: var(--insertr-text-muted);
- transform: translateY(-1px);
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
-}
-
-/* Active state for preview buttons */
-.insertr-style-btn.insertr-style-preview:active {
- transform: translateY(0);
- box-shadow: 0 1px 2px rgba(0, 0, 0, 0.1);
-}
-
-/* Active/applied formatting state - shows current selection has this formatting */
-.insertr-style-btn.insertr-style-active {
- background: var(--insertr-primary);
- border-color: var(--insertr-primary);
- color: white;
- box-shadow: 0 2px 4px rgba(0, 123, 255, 0.3);
-}
-
-.insertr-style-btn.insertr-style-active .insertr-style-sample {
- color: white;
-}
-
-.insertr-style-btn.insertr-style-active:hover {
- background: var(--insertr-primary-hover);
- border-color: var(--insertr-primary-hover);
- transform: none;
-}
-
-
-
-/* Editor components */
-.insertr-simple-editor,
-.insertr-rich-editor,
-.insertr-fallback-textarea {
- width: 100%;
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-md);
- font-size: var(--insertr-font-size-base);
- line-height: var(--insertr-line-height);
- font-family: var(--insertr-font-family);
- color: var(--insertr-text-primary);
- background: var(--insertr-bg-primary);
- margin-bottom: var(--insertr-spacing-md);
- transition: var(--insertr-transition);
- box-sizing: border-box;
-}
-
-.insertr-simple-editor:focus,
-.insertr-rich-editor:focus,
-.insertr-fallback-textarea:focus {
- outline: none;
- border: 1px solid var(--insertr-primary);
- box-shadow: 0 0 0 2px rgba(0, 123, 255, 0.25);
-}
-
-.insertr-simple-editor,
-.insertr-fallback-textarea {
- resize: vertical;
- min-height: 120px;
-}
-
-.insertr-rich-editor {
- min-height: 100px;
- overflow-y: auto;
-}
-
-/* =================================================================
- MULTI-PROPERTY FORM COMPONENTS
- Professional form styling for direct editors (links, buttons, images)
- ================================================================= */
-
-/* Direct editor container */
-.insertr-direct-editor {
- background: var(--insertr-bg-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-lg);
- min-width: 400px;
- max-width: 600px;
- box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1);
- font-family: var(--insertr-font-family);
- color: var(--insertr-text-primary);
-}
-
-/* Form groups */
-.insertr-form-group {
- margin-bottom: var(--insertr-spacing-md);
-}
-
-.insertr-form-group:last-child {
- margin-bottom: 0;
-}
-
-/* Form labels */
-.insertr-form-label {
- display: block;
- margin-bottom: var(--insertr-spacing-xs);
- font-weight: 500;
- font-size: var(--insertr-font-size-sm);
- color: var(--insertr-text-primary);
- line-height: 1.4;
-}
-
-/* Form inputs and selects */
-.insertr-form-input,
-.insertr-form-select {
- width: 100%;
- padding: var(--insertr-spacing-sm) var(--insertr-spacing-md);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- font-size: var(--insertr-font-size-base);
- font-family: var(--insertr-font-family);
- line-height: 1.4;
- color: var(--insertr-text-primary);
- background: var(--insertr-bg-primary);
- transition: var(--insertr-transition);
- box-sizing: border-box;
-}
-
-/* Focus states */
-.insertr-form-input:focus,
-.insertr-form-select:focus {
- outline: none;
- border-color: var(--insertr-primary);
- box-shadow: 0 0 0 2px rgba(0, 123, 255, 0.25);
-}
-
-/* Hover states for selects */
-.insertr-form-select:hover {
- border-color: var(--insertr-text-secondary);
-}
-
-/* Disabled states */
-.insertr-form-input:disabled,
-.insertr-form-select:disabled {
- background: var(--insertr-bg-secondary);
- color: var(--insertr-text-muted);
- cursor: not-allowed;
- opacity: 0.6;
-}
-
-/* Error states */
-.insertr-form-input.insertr-error,
-.insertr-form-select.insertr-error {
- border-color: var(--insertr-danger);
- box-shadow: 0 0 0 2px rgba(220, 53, 69, 0.25);
-}
-
-/* Success states */
-.insertr-form-input.insertr-success,
-.insertr-form-select.insertr-success {
- border-color: var(--insertr-success);
- box-shadow: 0 0 0 2px rgba(40, 167, 69, 0.25);
-}
-
-/* Form validation messages */
-.insertr-form-message {
- margin-top: var(--insertr-spacing-xs);
- font-size: var(--insertr-font-size-sm);
- line-height: 1.3;
-}
-
-.insertr-form-message.insertr-error {
- color: var(--insertr-danger);
-}
-
-.insertr-form-message.insertr-success {
- color: var(--insertr-success);
-}
-
-.insertr-form-message.insertr-info {
- color: var(--insertr-info);
-}
-
-/* Specific editor variants */
-.insertr-link-editor {
- /* Link-specific styling if needed */
-}
-
-.insertr-button-editor {
- /* Button-specific styling if needed */
-}
-
-.insertr-image-editor {
- /* Image-specific styling if needed */
-}
-
-/* Form actions */
-.insertr-form-actions {
- display: flex;
- gap: var(--insertr-spacing-sm);
- justify-content: flex-end;
- margin: 0;
- padding: var(--insertr-spacing-md) 0 0 0;
- border-top: 1px solid var(--insertr-border-color);
-}
-
-.insertr-btn-save,
-.insertr-btn-cancel,
-.insertr-btn-history {
- background: var(--insertr-primary);
- color: var(--insertr-text-inverse);
- border: none;
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-sm) var(--insertr-spacing-md);
- margin: 0;
- font-family: var(--insertr-font-family);
- font-size: var(--insertr-font-size-base);
- font-weight: 500;
- cursor: pointer;
- transition: var(--insertr-transition);
- line-height: var(--insertr-line-height);
- text-decoration: none;
- display: inline-block;
- text-align: center;
- vertical-align: middle;
-}
-
-.insertr-btn-cancel {
- background: var(--insertr-text-secondary);
- color: var(--insertr-text-inverse);
-}
-
-.insertr-btn-cancel:hover {
- background: var(--insertr-text-primary);
- color: var(--insertr-text-inverse);
-}
-
-.insertr-btn-history {
- background: var(--insertr-info);
- color: var(--insertr-text-inverse);
- margin-right: auto;
-}
-
-.insertr-btn-history:hover {
- background: #138496;
- color: var(--insertr-text-inverse);
-}
-
-.insertr-btn-save:hover {
- background: var(--insertr-primary-hover);
- color: var(--insertr-text-inverse);
-}
-
-.insertr-btn-save:focus,
-.insertr-btn-cancel:focus,
-.insertr-btn-history:focus {
- outline: 2px solid var(--insertr-primary);
- outline-offset: 2px;
-}
-
-/* Fallback editor */
-.insertr-fallback-editor {
- background: var(--insertr-bg-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-lg);
- min-width: 400px;
- max-width: 500px;
- box-shadow: 0 4px 6px rgba(0, 0, 0, 0.1);
- font-family: var(--insertr-font-family);
- color: var(--insertr-text-primary);
-}
-
-
-
-/* =================================================================
- STATUS AND FEEDBACK MESSAGES
- ================================================================= */
-
-.insertr-status-message {
- position: fixed;
- top: 20px;
- right: 20px;
- z-index: var(--insertr-z-overlay);
- background: var(--insertr-bg-primary);
- color: var(--insertr-text-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: var(--insertr-border-radius);
- padding: var(--insertr-spacing-md);
- margin: 0;
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
- font-family: var(--insertr-font-family);
- font-size: var(--insertr-font-size-base);
- line-height: var(--insertr-line-height);
- max-width: 300px;
- transition: var(--insertr-transition);
-}
-
-.insertr-status-message.success {
- border-color: var(--insertr-success);
- background: #d4edda;
- color: #155724;
-}
-
-.insertr-status-message.error {
- border-color: var(--insertr-danger);
- background: #f8d7da;
- color: #721c24;
-}
-
-.insertr-status-message.warning {
- border-color: var(--insertr-warning);
- background: #fff3cd;
- color: #856404;
-}
-
-.insertr-status-text {
- margin: 0;
- padding: 0;
- font-weight: 500;
- color: inherit;
-}
-
-/* =================================================================
- UTILITY CLASSES
- ================================================================= */
-
-.insertr-hide {
- display: none;
-}
-
-.insertr-sr-only {
- position: absolute;
- width: 1px;
- height: 1px;
- padding: 0;
- margin: -1px;
- overflow: hidden;
- clip: rect(0, 0, 0, 0);
- white-space: nowrap;
- border: 0;
-}
-
-/* =================================================================
- RESPONSIVE DESIGN
- ================================================================= */
-
-@media (max-width: 768px) {
- .insertr-modal-overlay {
- padding: var(--insertr-spacing-sm);
- }
-
- .insertr-control-panel {
- bottom: 10px;
- right: 10px;
- max-width: 240px;
- }
-
- .insertr-action-btn {
- min-width: 100px;
- font-size: var(--insertr-font-size-sm);
- padding: var(--insertr-spacing-xs) var(--insertr-spacing-sm);
- }
-
- .insertr-status-indicator {
- font-size: 11px;
- padding: 3px var(--insertr-spacing-xs);
- }
-
- .insertr-editing-hover::after {
- font-size: 11px;
- padding: 2px var(--insertr-spacing-xs);
- top: -25px;
- }
-
- /* StyleAware Editor responsive adjustments */
- .insertr-style-aware-editor,
- .insertr-fallback-editor {
- min-width: 300px;
- max-width: calc(100vw - 2rem);
- padding: var(--insertr-spacing-md);
- }
-
- .insertr-style-toolbar {
- padding: var(--insertr-spacing-xs);
- gap: var(--insertr-spacing-xs);
- }
-
- .insertr-style-btn {
- padding: var(--insertr-spacing-xs);
- font-size: var(--insertr-font-size-sm);
- }
-
- .insertr-form-actions {
- flex-direction: column;
- }
-
- .insertr-btn-save,
- .insertr-btn-cancel {
- width: 100%;
- }
-
- .insertr-btn-history {
- margin-right: 0;
- order: -1;
- }
-}
-
-/* =================================================================
- COLLECTION MANAGEMENT STYLES (.insertr-add)
- ================================================================= */
-
-/* Collection container when active */
-.insertr-collection-active {
- outline: 2px dashed var(--insertr-primary);
- outline-offset: 4px;
- border-radius: var(--insertr-border-radius);
-}
-
-/* Add button positioned in top right of container */
-.insertr-add-btn {
- position: absolute;
- top: -12px;
- right: -12px;
- background: var(--insertr-primary);
- color: var(--insertr-text-inverse);
- border: none;
- padding: var(--insertr-spacing-xs) var(--insertr-spacing-sm);
- border-radius: var(--insertr-border-radius);
- font-size: var(--insertr-font-size-sm);
- font-weight: 600;
- cursor: pointer;
- z-index: var(--insertr-z-floating);
- box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
- transition: all 0.2s ease;
-}
-
-.insertr-add-btn:hover {
- background: var(--insertr-primary-hover);
- transform: translateY(-1px);
- box-shadow: 0 4px 8px rgba(0, 0, 0, 0.15);
-}
-
-.insertr-add-btn:active {
- transform: translateY(0);
-}
-
-/* Item controls positioned in top right corner of each item */
-.insertr-item-controls {
- position: absolute;
- top: 8px;
- right: 8px;
- display: flex;
- gap: 2px;
- opacity: 0;
- transition: opacity 0.2s ease;
- z-index: var(--insertr-z-floating);
-}
-
-/* Individual control buttons */
-.insertr-control-btn {
- width: 20px;
- height: 20px;
- background: var(--insertr-bg-primary);
- border: 1px solid var(--insertr-border-color);
- border-radius: 3px;
- font-size: 12px;
- font-weight: bold;
- cursor: pointer;
- display: flex;
- align-items: center;
- justify-content: center;
- color: var(--insertr-text-primary);
- box-shadow: 0 1px 3px rgba(0, 0, 0, 0.1);
- transition: all 0.15s ease;
-}
-
-.insertr-control-btn:hover {
- background: var(--insertr-bg-secondary);
- border-color: var(--insertr-primary);
- color: var(--insertr-primary);
- transform: scale(1.1);
-}
-
-/* Remove button specific styling */
-.insertr-control-btn:last-child {
- color: var(--insertr-danger);
-}
-
-.insertr-control-btn:last-child:hover {
- background: var(--insertr-danger);
- color: var(--insertr-text-inverse);
- border-color: var(--insertr-danger);
-}
-
-/* Collection items hover state */
-.insertr-collection-active > *:hover {
- background: rgba(0, 123, 255, 0.03);
- outline: 1px solid rgba(var(--insertr-primary), 0.2);
- outline-offset: 2px;
- border-radius: var(--insertr-border-radius);
-}
-
-/* Show item controls on hover */
-.insertr-collection-active > *:hover .insertr-item-controls {
- opacity: 1;
-}
-
-/* Responsive adjustments for collection management */
-@media (max-width: 768px) {
- .insertr-add-btn {
- position: static;
- display: block;
- margin: var(--insertr-spacing-sm) auto 0;
- width: 100%;
- max-width: 200px;
- }
-
- .insertr-item-controls {
- position: relative;
- opacity: 1;
- top: auto;
- right: auto;
- justify-content: center;
- margin-top: var(--insertr-spacing-xs);
- }
-
- .insertr-control-btn {
- width: 32px;
- height: 32px;
- font-size: 14px;
- }
-}
\ No newline at end of file
diff --git a/internal/content/library.go b/internal/content/library.go
deleted file mode 100644
index 06a3f36..0000000
--- a/internal/content/library.go
+++ /dev/null
@@ -1,50 +0,0 @@
-package content
-
-import (
- _ "embed"
- "fmt"
-)
-
-// Embedded library assets
-//
-//go:embed assets/insertr.min.js
-var libraryMinJS string
-
-//go:embed assets/insertr.js
-var libraryJS string
-
-// GetLibraryScript returns the appropriate library version
-func GetLibraryScript(minified bool) string {
- if minified {
- return libraryMinJS
- }
- return libraryJS
-}
-
-// GetLibraryVersion returns the current embedded library version
-func GetLibraryVersion() string {
- return "1.0.0"
-}
-
-// GetLibraryURL returns the appropriate library URL for script injection
-func GetLibraryURL(minified bool, isDevelopment bool) string {
- if isDevelopment {
- // Local development URLs - relative to served content
- if minified {
- return "/insertr/insertr.min.js"
- }
- return "/insertr/insertr.js"
- }
-
- // Production URLs - use CDN
- return GetLibraryCDNURL(minified)
-}
-
-// GetLibraryCDNURL returns the CDN URL for production use
-func GetLibraryCDNURL(minified bool) string {
- version := GetLibraryVersion()
- if minified {
- return fmt.Sprintf("https://cdn.jsdelivr.net/npm/@insertr/lib@%s/dist/insertr.min.js", version)
- }
- return fmt.Sprintf("https://cdn.jsdelivr.net/npm/@insertr/lib@%s/dist/insertr.js", version)
-}
diff --git a/internal/content/mock.go b/internal/content/mock.go
deleted file mode 100644
index e5eb236..0000000
--- a/internal/content/mock.go
+++ /dev/null
@@ -1,194 +0,0 @@
-package content
-
-import (
- "context"
- "fmt"
- "time"
-
- "github.com/insertr/insertr/internal/db"
-)
-
-// MockClient implements ContentClient with mock data for development
-type MockClient struct {
- data map[string]db.ContentItem
-}
-
-// NewMockClient creates a new mock content client with sample data
-func NewMockClient() *MockClient {
- // Generate realistic mock content based on actual generated IDs
- data := map[string]db.ContentItem{
- // Navigation (index.html has collision suffix)
- "navbar-logo-2b10ad": {
- ID: "navbar-logo-2b10ad",
- SiteID: "demo",
- HTMLContent: "Acme Consulting Solutions",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- "navbar-logo-2b10ad-a44bad": {
- ID: "navbar-logo-2b10ad-a44bad",
- SiteID: "demo",
- HTMLContent: "Acme Business Advisors",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
-
- // Hero Section - index.html (updated with actual IDs)
- "hero-title-7cfeea": {
- ID: "hero-title-7cfeea",
- SiteID: "demo",
- HTMLContent: "Transform Your Business with Strategic Expertise",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- "hero-lead-e47475": {
- ID: "hero-lead-e47475",
- SiteID: "demo",
- HTMLContent: "We help ambitious businesses grow through strategic planning, process optimization, and digital transformation. Our team brings 20+ years of experience to accelerate your success.",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- "hero-link-76c620": {
- ID: "hero-link-76c620",
- SiteID: "demo",
- HTMLContent: "Schedule Free Consultation",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
-
- // Hero Section - about.html
- "hero-title-c70343": {
- ID: "hero-title-c70343",
- SiteID: "demo",
- HTMLContent: "About Our Consulting Expertise",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- "hero-lead-673026": {
- ID: "hero-lead-673026",
- SiteID: "demo",
- HTMLContent: "We're a team of experienced consultants dedicated to helping small businesses thrive in today's competitive marketplace through proven strategies.",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
-
- // Services Section
- "services-subtitle-c8927c": {
- ID: "services-subtitle-c8927c",
- SiteID: "demo",
- HTMLContent: "Our Story",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- "services-text-0d96da": {
- ID: "services-text-0d96da",
- SiteID: "demo",
- HTMLContent: "Founded in 2020, Acme Consulting emerged from a simple observation: small businesses needed access to the same high-quality strategic advice that large corporations receive, but in a format that was accessible, affordable, and actionable.",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
-
- // Default fallback for any missing content
- "default": {
- ID: "default",
- SiteID: "demo",
- HTMLContent: "[Enhanced Content]",
-
- UpdatedAt: time.Now().Format(time.RFC3339),
- },
- }
-
- return &MockClient{data: data}
-}
-
-// GetContent fetches a single content item by ID
-func (m *MockClient) GetContent(ctx context.Context, siteID, contentID string) (*db.ContentItem, error) {
- if item, exists := m.data[contentID]; exists && item.SiteID == siteID {
- return &item, nil
- }
-
- // Return nil for missing content - this will preserve original HTML content
- return nil, nil
-}
-
-// GetBulkContent fetches multiple content items by IDs
-func (m *MockClient) GetBulkContent(ctx context.Context, siteID string, contentIDs []string) (map[string]db.ContentItem, error) {
- result := make(map[string]db.ContentItem)
-
- for _, id := range contentIDs {
- item, err := m.GetContent(ctx, siteID, id)
- if err != nil {
- return nil, err
- }
- if item != nil {
- result[id] = *item
- }
- }
-
- return result, nil
-}
-
-// GetAllContent fetches all content for a site
-func (m *MockClient) GetAllContent(ctx context.Context, siteID string) (map[string]db.ContentItem, error) {
- result := make(map[string]db.ContentItem)
-
- for _, item := range m.data {
- if item.SiteID == siteID {
- result[item.ID] = item
- }
- }
-
- return result, nil
-}
-
-// CreateContent creates a new mock content item
-func (m *MockClient) CreateContent(ctx context.Context, siteID, contentID, htmlContent, originalTemplate, lastEditedBy string) (*db.ContentItem, error) {
- // For mock client, just create and store the item
- item := db.ContentItem{
- ID: contentID,
- SiteID: siteID,
- HTMLContent: htmlContent,
- OriginalTemplate: originalTemplate,
- UpdatedAt: time.Now().Format(time.RFC3339),
- LastEditedBy: lastEditedBy,
- }
-
- // Store in mock data
- m.data[contentID] = item
-
- return &item, nil
-}
-
-// Collection method stubs - TODO: Implement these for mock testing
-func (m *MockClient) GetCollection(ctx context.Context, siteID, collectionID string) (*db.CollectionItem, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) CreateCollection(ctx context.Context, siteID, collectionID, containerHTML, lastEditedBy string) (*db.CollectionItem, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) GetCollectionItems(ctx context.Context, siteID, collectionID string) ([]db.CollectionItemWithTemplate, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) CreateCollectionTemplate(ctx context.Context, siteID, collectionID, name, htmlTemplate string, isDefault bool) (*db.CollectionTemplateItem, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) GetCollectionTemplates(ctx context.Context, siteID, collectionID string) ([]db.CollectionTemplateItem, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) CreateCollectionItem(ctx context.Context, siteID, collectionID, itemID string, templateID int, htmlContent string, position int, lastEditedBy string) (*db.CollectionItemWithTemplate, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-func (m *MockClient) CreateCollectionItemAtomic(ctx context.Context, siteID, collectionID string, templateID int, lastEditedBy string) (*db.CollectionItemWithTemplate, error) {
- return nil, fmt.Errorf("collection operations not implemented in MockClient")
-}
-
-// WithTransaction executes a function within a transaction (not supported for mock client)
-func (m *MockClient) WithTransaction(ctx context.Context, fn func(db.ContentRepository) error) error {
- return fmt.Errorf("transactions not supported for mock client")
-}
diff --git a/internal/content/site_manager.go b/internal/content/site_manager.go
index 227a6af..f41f1ae 100644
--- a/internal/content/site_manager.go
+++ b/internal/content/site_manager.go
@@ -11,14 +11,12 @@ import (
"github.com/insertr/insertr/internal/config"
"github.com/insertr/insertr/internal/db"
"github.com/insertr/insertr/internal/engine"
+ "maps"
)
-// Type alias for backward compatibility
-type SiteConfig = config.SiteConfig
-
// SiteManager handles registration and enhancement of static sites
type SiteManager struct {
- sites map[string]*SiteConfig
+ sites map[string]*config.SiteConfig
enhancer *Enhancer
mutex sync.RWMutex
devMode bool
@@ -29,7 +27,7 @@ type SiteManager struct {
// NewSiteManager creates a new site manager
func NewSiteManager(contentClient db.ContentRepository, devMode bool) *SiteManager {
return &SiteManager{
- sites: make(map[string]*SiteConfig),
+ sites: make(map[string]*config.SiteConfig),
enhancer: NewDefaultEnhancer(contentClient, ""), // siteID will be set per operation
devMode: devMode,
contentClient: contentClient,
@@ -43,7 +41,7 @@ func NewSiteManagerWithAuth(contentClient db.ContentRepository, devMode bool, au
authProvider = &engine.AuthProvider{Type: "mock"}
}
return &SiteManager{
- sites: make(map[string]*SiteConfig),
+ sites: make(map[string]*config.SiteConfig),
contentClient: contentClient,
authProvider: authProvider,
devMode: devMode,
@@ -51,7 +49,7 @@ func NewSiteManagerWithAuth(contentClient db.ContentRepository, devMode bool, au
}
// RegisterSite adds a site to the manager
-func (sm *SiteManager) RegisterSite(config *SiteConfig) error {
+func (sm *SiteManager) RegisterSite(config *config.SiteConfig) error {
sm.mutex.Lock()
defer sm.mutex.Unlock()
@@ -90,7 +88,7 @@ func (sm *SiteManager) RegisterSite(config *SiteConfig) error {
}
// RegisterSites bulk registers multiple sites from configuration
-func (sm *SiteManager) RegisterSites(configs []*SiteConfig) error {
+func (sm *SiteManager) RegisterSites(configs []*config.SiteConfig) error {
for _, config := range configs {
if err := sm.RegisterSite(config); err != nil {
return fmt.Errorf("failed to register site %s: %w", config.SiteID, err)
@@ -100,7 +98,7 @@ func (sm *SiteManager) RegisterSites(configs []*SiteConfig) error {
}
// GetSite returns a registered site configuration
-func (sm *SiteManager) GetSite(siteID string) (*SiteConfig, bool) {
+func (sm *SiteManager) GetSite(siteID string) (*config.SiteConfig, bool) {
sm.mutex.RLock()
defer sm.mutex.RUnlock()
@@ -109,15 +107,13 @@ func (sm *SiteManager) GetSite(siteID string) (*SiteConfig, bool) {
}
// GetAllSites returns all registered sites
-func (sm *SiteManager) GetAllSites() map[string]*SiteConfig {
+func (sm *SiteManager) GetAllSites() map[string]*config.SiteConfig {
sm.mutex.RLock()
defer sm.mutex.RUnlock()
// Return a copy to prevent external modification
- result := make(map[string]*SiteConfig)
- for id, site := range sm.sites {
- result[id] = site
- }
+ result := make(map[string]*config.SiteConfig)
+ maps.Copy(result, sm.sites)
return result
}
@@ -189,7 +185,7 @@ func (sm *SiteManager) EnhanceSite(siteID string) error {
// EnhanceAllSites enhances all registered sites that have auto-enhancement enabled
func (sm *SiteManager) EnhanceAllSites() error {
sm.mutex.RLock()
- sites := make([]*SiteConfig, 0, len(sm.sites))
+ sites := make([]*config.SiteConfig, 0, len(sm.sites))
for _, site := range sm.sites {
if site.AutoEnhance {
sites = append(sites, site)
@@ -212,7 +208,7 @@ func (sm *SiteManager) EnhanceAllSites() error {
}
// GetStats returns statistics about registered sites
-func (sm *SiteManager) GetStats() map[string]interface{} {
+func (sm *SiteManager) GetStats() map[string]any {
sm.mutex.RLock()
defer sm.mutex.RUnlock()
diff --git a/internal/db/repository.go b/internal/db/repository.go
index 4c2081a..a3cd343 100644
--- a/internal/db/repository.go
+++ b/internal/db/repository.go
@@ -6,7 +6,6 @@ import (
)
// ContentRepository interface for accessing content data
-// This replaces the ContentClient interface from engine package
type ContentRepository interface {
GetContent(ctx context.Context, siteID, contentID string) (*ContentItem, error)
GetBulkContent(ctx context.Context, siteID string, contentIDs []string) (map[string]ContentItem, error)
diff --git a/internal/engine/engine.go b/internal/engine/engine.go
index 8809a7d..7aa3618 100644
--- a/internal/engine/engine.go
+++ b/internal/engine/engine.go
@@ -29,7 +29,7 @@ func NewContentEngine(client db.ContentRepository) *ContentEngine {
idGenerator: NewIDGenerator(),
client: client,
authProvider: authProvider,
- injector: NewInjector(client, ""), // siteID will be set per operation
+ injector: NewInjector(client, "", nil), // siteID will be set per operation
}
}
@@ -42,7 +42,7 @@ func NewContentEngineWithAuth(client db.ContentRepository, authProvider *AuthPro
idGenerator: NewIDGenerator(),
client: client,
authProvider: authProvider,
- injector: NewInjectorWithAuth(client, "", authProvider), // siteID will be set per operation
+ injector: NewInjectorWithAuth(client, "", authProvider, nil), // siteID will be set per operation
}
}
@@ -130,7 +130,7 @@ func (e *ContentEngine) ProcessContent(input ContentInput) (*ContentResult, erro
// 6. Inject editor assets for enhancement mode (development)
if input.Mode == Enhancement {
- injector := NewInjectorWithAuth(e.client, input.SiteID, e.authProvider)
+ injector := NewInjectorWithAuth(e.client, input.SiteID, e.authProvider, nil)
injector.InjectEditorAssets(doc, true, "")
}
@@ -601,7 +601,7 @@ func (e *ContentEngine) reconstructCollectionItems(collectionNode *html.Node, co
if structuralBody != nil {
// Process each .insertr element using Injector pattern (unified approach)
- injector := NewInjector(e.client, siteID)
+ injector := NewInjector(e.client, siteID, nil)
// Walk through structural elements and hydrate with content from content table
e.walkNodes(structuralBody, func(n *html.Node) {
diff --git a/internal/engine/injector.go b/internal/engine/injector.go
index 4a5fcff..7ee5190 100644
--- a/internal/engine/injector.go
+++ b/internal/engine/injector.go
@@ -6,8 +6,10 @@ import (
"log"
"strings"
+ "github.com/insertr/insertr/internal/config"
"github.com/insertr/insertr/internal/db"
"golang.org/x/net/html"
+ "slices"
)
// Injector handles content injection into HTML elements
@@ -15,19 +17,21 @@ type Injector struct {
client db.ContentRepository
siteID string
authProvider *AuthProvider
+ config *config.Config
}
// NewInjector creates a new content injector
-func NewInjector(client db.ContentRepository, siteID string) *Injector {
+func NewInjector(client db.ContentRepository, siteID string, cfg *config.Config) *Injector {
return &Injector{
client: client,
siteID: siteID,
authProvider: &AuthProvider{Type: "mock"}, // default
+ config: cfg,
}
}
// NewInjectorWithAuth creates a new content injector with auth provider
-func NewInjectorWithAuth(client db.ContentRepository, siteID string, authProvider *AuthProvider) *Injector {
+func NewInjectorWithAuth(client db.ContentRepository, siteID string, authProvider *AuthProvider, cfg *config.Config) *Injector {
if authProvider == nil {
authProvider = &AuthProvider{Type: "mock"}
}
@@ -35,6 +39,7 @@ func NewInjectorWithAuth(client db.ContentRepository, siteID string, authProvide
client: client,
siteID: siteID,
authProvider: authProvider,
+ config: cfg,
}
}
@@ -200,7 +205,7 @@ func (i *Injector) setAttribute(node *html.Node, key, value string) {
// Remove existing attribute if present
for idx, attr := range node.Attr {
if attr.Key == key {
- node.Attr = append(node.Attr[:idx], node.Attr[idx+1:]...)
+ node.Attr = slices.Delete(node.Attr, idx, idx+1)
break
}
}
@@ -232,10 +237,8 @@ func (i *Injector) addClass(node *html.Node, className string) {
}
// Check if class already exists
- for _, class := range classes {
- if class == className {
- return // Class already exists
- }
+ if slices.Contains(classes, className) {
+ return // Class already exists
}
// Add new class
@@ -327,8 +330,15 @@ func (i *Injector) InjectEditorScript(doc *html.Node) {
if i.authProvider != nil {
authProvider = i.authProvider.Type
}
- insertrHTML := fmt.Sprintf(`
-`, i.siteID, authProvider)
+
+ // Generate configurable URLs for library assets
+ cssURL := i.getLibraryURL("insertr.css")
+ jsURL := i.getLibraryURL("insertr.js")
+ apiURL := i.getAPIURL()
+
+ insertrHTML := fmt.Sprintf(`
+`,
+ cssURL, jsURL, i.siteID, apiURL, authProvider, i.isDebugMode())
// Parse and inject the CSS and script elements
insertrDoc, err := html.Parse(strings.NewReader(insertrHTML))
@@ -346,38 +356,6 @@ func (i *Injector) InjectEditorScript(doc *html.Node) {
log.Printf("โ
Insertr.js library injected with site configuration")
}
-// injectAllScriptElements finds and injects all script elements from parsed HTML
-func (i *Injector) injectAllScriptElements(doc *html.Node, targetNode *html.Node) error {
- scripts := i.findAllScriptElements(doc)
-
- for _, script := range scripts {
- // Remove from original parent
- if script.Parent != nil {
- script.Parent.RemoveChild(script)
- }
- // Add to target node
- targetNode.AppendChild(script)
- }
-
- return nil
-}
-
-// findAllScriptElements recursively finds all script elements
-func (i *Injector) findAllScriptElements(node *html.Node) []*html.Node {
- var scripts []*html.Node
-
- if node.Type == html.ElementNode && node.Data == "script" {
- scripts = append(scripts, node)
- }
-
- for child := node.FirstChild; child != nil; child = child.NextSibling {
- childScripts := i.findAllScriptElements(child)
- scripts = append(scripts, childScripts...)
- }
-
- return scripts
-}
-
// injectAllHeadElements finds and injects all head elements (link, script) from parsed HTML
func (i *Injector) injectAllHeadElements(doc *html.Node, targetNode *html.Node) error {
elements := i.findAllHeadElements(doc)
@@ -479,15 +457,69 @@ func (i *Injector) extractElementByClass(node *html.Node, className string) *htm
return nil
}
-// extractElementByTag finds element with specific tag
-func (i *Injector) extractElementByTag(node *html.Node, tagName string) *html.Node {
- if node.Type == html.ElementNode && node.Data == tagName {
- return node
+// getLibraryURL returns the appropriate URL for library assets (CSS/JS)
+func (i *Injector) getLibraryURL(filename string) string {
+ if i.config == nil {
+ // Fallback to localhost if no config
+ return fmt.Sprintf("http://localhost:8080/%s", filename)
}
- for child := node.FirstChild; child != nil; child = child.NextSibling {
- if result := i.extractElementByTag(child, tagName); result != nil {
- return result
+
+ // Check if we should use CDN
+ if i.config.Library.UseCDN && i.config.Library.CDNBaseURL != "" {
+ // Production: Use CDN
+ suffix := ""
+ if i.config.Library.Minified && filename == "insertr.js" {
+ suffix = ".min"
}
+ baseName := strings.TrimSuffix(filename, ".js")
+ baseName = strings.TrimSuffix(baseName, ".css")
+ return fmt.Sprintf("%s@%s/dist/%s%s", i.config.Library.CDNBaseURL, i.config.Library.Version, baseName, suffix+getFileExtension(filename))
}
- return nil
+
+ // Development: Use local server
+ baseURL := i.config.Library.BaseURL
+ if baseURL == "" {
+ baseURL = fmt.Sprintf("http://localhost:%d", i.config.Server.Port)
+ }
+
+ suffix := ""
+ if i.config.Library.Minified && filename == "insertr.js" {
+ suffix = ".min"
+ }
+ baseName := strings.TrimSuffix(filename, ".js")
+ baseName = strings.TrimSuffix(baseName, ".css")
+ return fmt.Sprintf("%s/%s%s", baseURL, baseName, suffix+getFileExtension(filename))
+}
+
+// getAPIURL returns the API endpoint URL
+func (i *Injector) getAPIURL() string {
+ if i.config == nil {
+ return "http://localhost:8080/api/content"
+ }
+
+ baseURL := i.config.Library.BaseURL
+ if baseURL == "" {
+ baseURL = fmt.Sprintf("http://localhost:%d", i.config.Server.Port)
+ }
+
+ return fmt.Sprintf("%s/api/content", baseURL)
+}
+
+// isDebugMode returns true if in development mode
+func (i *Injector) isDebugMode() bool {
+ if i.config == nil {
+ return true
+ }
+ return i.config.Auth.DevMode
+}
+
+// getFileExtension returns the file extension including the dot
+func getFileExtension(filename string) string {
+ if strings.HasSuffix(filename, ".js") {
+ return ".js"
+ }
+ if strings.HasSuffix(filename, ".css") {
+ return ".css"
+ }
+ return ""
}
diff --git a/scripts/build.js b/scripts/build.js
index fab6f07..5e0ae1d 100755
--- a/scripts/build.js
+++ b/scripts/build.js
@@ -21,26 +21,7 @@ try {
process.exit(1);
}
-// 2. Copy built library to unified binary assets
-console.log('๐ Copying library to unified binary assets...');
-const srcDir = './lib/dist';
-const destDir = './internal/content/assets';
-
-// Ensure destination directory exists
-fs.mkdirSync(destDir, { recursive: true });
-
-// Copy files
-const files = fs.readdirSync(srcDir);
-files.forEach(file => {
- const src = path.join(srcDir, file);
- const dest = path.join(destDir, file);
- fs.copyFileSync(src, dest);
- console.log(` โ
Copied ${file}`);
-});
-
-console.log('๐ Assets copied successfully\n');
-
-// 3. Build the unified binary
+// 2. Build the unified binary
console.log('๐ง Building unified Insertr binary...');
try {
execSync('go build -o insertr .', { stdio: 'inherit' });
@@ -57,4 +38,4 @@ console.log(' โข Unified Insertr binary with embedded library (./insertr)');
console.log('\n๐ Ready to use:');
console.log(' just dev # Full-stack development');
console.log(' just serve # API server only');
-console.log(' ./insertr --help # See all commands');
\ No newline at end of file
+console.log(' ./insertr --help # See all commands');