package main import ( "database/sql" "embed" "encoding/json" "log" "mime" "net/http" "path" "path/filepath" "strings" "time" _ "github.com/mattn/go-sqlite3" ) func serveStaticFile(w http.ResponseWriter, r *http.Request, prefix string) error { cleanPath := path.Clean(r.URL.Path) if cleanPath == "/" { cleanPath = "/index.html" } // Try to read the exact file first content, err := frontend.ReadFile(prefix + cleanPath) ext := strings.ToLower(filepath.Ext(cleanPath)) // If file not found OR the path has no extension (likely a route path), serve index.html if err != nil || ext == "" { content, err = frontend.ReadFile(prefix + "/index.html") if err != nil { return err } w.Header().Set("Content-Type", "text/html; charset=utf-8") w.Write(content) return nil } // For actual files, set the correct MIME type mimeType := mime.TypeByExtension(ext) if mimeType == "" { // Try to detect content type from the content itself mimeType = http.DetectContentType(content) } w.Header().Set("Content-Type", mimeType) w.Write(content) return nil } //go:embed build/* static/* var frontend embed.FS type Note struct { ID string `json:"id"` Title string `json:"title"` Content string `json:"content"` CreatedAt time.Time `json:"createdAt"` UpdatedAt time.Time `json:"updatedAt"` } var db *sql.DB func main() { var err error db, err = sql.Open("sqlite3", "notes.db") if err != nil { log.Fatal(err) } defer db.Close() // Create notes table _, err = db.Exec(` CREATE TABLE IF NOT EXISTS notes ( id TEXT PRIMARY KEY, title TEXT NOT NULL, content TEXT NOT NULL, created_at DATETIME NOT NULL, updated_at DATETIME NOT NULL ) `) if err != nil { log.Fatal(err) } // API routes http.HandleFunc("/api/notes", handleNotes) http.HandleFunc("/api/notes/", handleNote) http.HandleFunc("/api/test/reset", func(w http.ResponseWriter, r *http.Request) { if r.Method != "POST" { http.Error(w, "Method not allowed", http.StatusMethodNotAllowed) return } _, err := db.Exec("DELETE FROM notes") if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } w.WriteHeader(http.StatusOK) }) // Serve frontend http.HandleFunc("/", handleFrontend) log.Printf("INFO: Server starting on http://localhost:3000") log.Fatal(http.ListenAndServe(":3000", nil)) } func handleNotes(w http.ResponseWriter, r *http.Request) { log.Printf("INFO: %s request to %s", r.Method, r.URL.Path) switch r.Method { case "GET": rows, err := db.Query(` SELECT id, title, content, created_at, updated_at FROM notes ORDER BY updated_at DESC `) if err != nil { log.Printf("ERROR: Failed to query notes: %v", err) http.Error(w, err.Error(), http.StatusInternalServerError) return } defer rows.Close() var notes []Note for rows.Next() { var n Note err := rows.Scan(&n.ID, &n.Title, &n.Content, &n.CreatedAt, &n.UpdatedAt) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } notes = append(notes, n) } json.NewEncoder(w).Encode(notes) case "POST": var note Note if err := json.NewDecoder(r.Body).Decode(¬e); err != nil { log.Printf("ERROR: Failed to decode note: %v", err) http.Error(w, err.Error(), http.StatusBadRequest) return } _, err := db.Exec(` INSERT INTO notes (id, title, content, created_at, updated_at) VALUES (?, ?, ?, ?, ?) `, note.ID, note.Title, note.Content, note.CreatedAt, note.UpdatedAt) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } w.WriteHeader(http.StatusCreated) } } func handleNote(w http.ResponseWriter, r *http.Request) { id := path.Base(r.URL.Path) log.Printf("INFO: %s request to %s for note ID %s", r.Method, r.URL.Path, id) switch r.Method { case "GET": var note Note err := db.QueryRow(` SELECT id, title, content, created_at, updated_at FROM notes WHERE id = ? `, id).Scan(¬e.ID, ¬e.Title, ¬e.Content, ¬e.CreatedAt, ¬e.UpdatedAt) if err == sql.ErrNoRows { log.Printf("INFO: Note not found with ID %s", id) http.NotFound(w, r) return } if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } json.NewEncoder(w).Encode(note) case "PUT": var note Note if err := json.NewDecoder(r.Body).Decode(¬e); err != nil { http.Error(w, err.Error(), http.StatusBadRequest) return } _, err := db.Exec(` UPDATE notes SET title = ?, content = ?, updated_at = ? WHERE id = ? `, note.Title, note.Content, note.UpdatedAt, id) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } case "DELETE": _, err := db.Exec("DELETE FROM notes WHERE id = ?", id) if err != nil { http.Error(w, err.Error(), http.StatusInternalServerError) return } w.WriteHeader(http.StatusNoContent) } } func handleFrontend(w http.ResponseWriter, r *http.Request) { log.Printf("INFO: Serving frontend request for %s", r.URL.Path) // Don't serve API routes if path.Dir(r.URL.Path) == "/api" { http.NotFound(w, r) return } err := serveStaticFile(w, r, "build") if err != nil { // if serveStaticFile returns an error, it has already tried to serve index.html as fallback http.Error(w, err.Error(), http.StatusInternalServerError) } }