Compare commits

...

4 commits

33 changed files with 2841 additions and 143 deletions

247
feeds/handler.go Normal file
View file

@ -0,0 +1,247 @@
package feeds
import (
"fmt"
"net/http"
"strconv"
"github.com/gin-gonic/gin"
)
// Handler handles HTTP requests for feeds
type Handler struct {
service *Service
}
// NewHandler creates a new feed handler
func NewHandler(service *Service) *Handler {
return &Handler{service: service}
}
// RegisterRoutes registers the feed routes with the given router group
func (h *Handler) RegisterRoutes(router *gin.RouterGroup) {
feeds := router.Group("/feeds")
{
feeds.GET("", h.handleListFeeds)
feeds.POST("", h.handleAddFeed)
feeds.GET("/:id", h.handleGetFeed)
feeds.DELETE("/:id", h.handleDeleteFeed)
feeds.POST("/:id/refresh", h.handleRefreshFeed)
feeds.POST("/refresh", h.handleRefreshAllFeeds)
feeds.POST("/import/opml", h.handleImportOPML)
// Entry routes
feeds.GET("/entries", h.handleListEntries)
feeds.GET("/entries/:id", h.handleGetEntry)
feeds.POST("/entries/:id/read", h.handleMarkEntryAsRead)
feeds.POST("/entries/read-all", h.handleMarkAllAsRead)
feeds.POST("/entries/:id/full-content", h.handleFetchFullContent)
}
// Test endpoint
router.POST("/test/feeds/reset", h.handleReset)
}
// handleListFeeds handles GET /api/feeds
func (h *Handler) handleListFeeds(c *gin.Context) {
feeds, err := h.service.GetFeeds()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, feeds)
}
// handleAddFeed handles POST /api/feeds
func (h *Handler) handleAddFeed(c *gin.Context) {
var req struct {
URL string `json:"url" binding:"required"`
}
if err := c.ShouldBindJSON(&req); err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
feed, err := h.service.AddFeed(req.URL)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, feed)
}
// handleGetFeed handles GET /api/feeds/:id
func (h *Handler) handleGetFeed(c *gin.Context) {
id := c.Param("id")
feed, err := h.service.GetFeed(id)
if err != nil {
c.JSON(http.StatusNotFound, gin.H{"error": "Feed not found"})
return
}
c.JSON(http.StatusOK, feed)
}
// handleDeleteFeed handles DELETE /api/feeds/:id
func (h *Handler) handleDeleteFeed(c *gin.Context) {
id := c.Param("id")
if err := h.service.DeleteFeed(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
// handleRefreshFeed handles POST /api/feeds/:id/refresh
func (h *Handler) handleRefreshFeed(c *gin.Context) {
id := c.Param("id")
if err := h.service.RefreshFeed(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
// handleRefreshAllFeeds handles POST /api/feeds/refresh
func (h *Handler) handleRefreshAllFeeds(c *gin.Context) {
if err := h.service.RefreshAllFeeds(); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
// handleImportOPML handles POST /api/feeds/import
func (h *Handler) handleImportOPML(c *gin.Context) {
file, _, err := c.Request.FormFile("file")
if err != nil {
// Check if URL is provided instead
url := c.PostForm("url")
if url != "" {
resp, err := http.Get(url)
if err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": fmt.Sprintf("Failed to download OPML: %v", err)})
return
}
defer func() {
if err := resp.Body.Close(); err != nil {
fmt.Printf("Error closing response body: %v\n", err)
}
}()
feeds, err := h.service.ImportOPML(resp.Body)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, gin.H{"imported": len(feeds)})
return
}
c.JSON(http.StatusBadRequest, gin.H{"error": "No file or URL provided"})
return
}
defer func() {
if err := file.Close(); err != nil {
fmt.Printf("Error closing file: %v\n", err)
}
}()
feeds, err := h.service.ImportOPML(file)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, gin.H{"imported": len(feeds)})
}
// handleListEntries handles GET /api/feeds/entries
func (h *Handler) handleListEntries(c *gin.Context) {
feedID := c.Query("feedId")
unreadOnly, _ := strconv.ParseBool(c.Query("unreadOnly"))
entries, err := h.service.GetEntries(feedID, unreadOnly)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, entries)
}
// handleGetEntry handles GET /api/feeds/entries/:id
func (h *Handler) handleGetEntry(c *gin.Context) {
id := c.Param("id")
entry, err := h.service.GetEntry(id)
if err != nil {
c.JSON(http.StatusNotFound, gin.H{"error": "Entry not found"})
return
}
c.JSON(http.StatusOK, entry)
}
// handleMarkEntryAsRead handles POST /api/feeds/entries/:id/read
func (h *Handler) handleMarkEntryAsRead(c *gin.Context) {
id := c.Param("id")
if err := h.service.MarkEntryAsRead(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
// handleFetchFullContent handles POST /api/feeds/entries/:id/full-content
func (h *Handler) handleFetchFullContent(c *gin.Context) {
id := c.Param("id")
if err := h.service.FetchFullContent(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
// Get the updated entry
entry, err := h.service.GetEntry(id)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, entry)
}
// handleReset handles POST /api/test/feeds/reset
func (h *Handler) handleReset(c *gin.Context) {
// Delete all entries
if err := h.service.db.Exec("DELETE FROM entries").Error; err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
// Delete all feeds
if err := h.service.db.Exec("DELETE FROM feeds").Error; err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
func (h *Handler) handleMarkAllAsRead(c *gin.Context) {
feedID := c.Query("feedId")
var err error
if feedID != "" {
// Mark all entries as read for a specific feed
err = h.service.MarkAllEntriesAsRead(feedID)
} else {
// Mark all entries as read across all feeds
err = h.service.MarkAllEntriesAsRead("")
}
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, gin.H{"success": true})
}

55
feeds/model.go Normal file
View file

@ -0,0 +1,55 @@
package feeds
import (
"time"
"github.com/google/uuid"
"gorm.io/gorm"
)
// Feed represents an RSS/Atom feed
type Feed struct {
ID string `json:"id" gorm:"primaryKey"`
Title string `json:"title"`
URL string `json:"url" gorm:"uniqueIndex"`
Description string `json:"description"`
SiteURL string `json:"siteUrl"`
ImageURL string `json:"imageUrl"`
LastFetched time.Time `json:"lastFetched"`
CreatedAt time.Time `json:"createdAt"`
UpdatedAt time.Time `json:"updatedAt"`
Entries []Entry `json:"entries,omitempty" gorm:"foreignKey:FeedID"`
}
// Entry represents a single item/entry in a feed
type Entry struct {
ID string `json:"id" gorm:"primaryKey"`
FeedID string `json:"feedId" gorm:"index"`
Title string `json:"title"`
URL string `json:"url" gorm:"uniqueIndex"`
Content string `json:"content"`
Summary string `json:"summary"`
Author string `json:"author"`
Published time.Time `json:"published"`
Updated time.Time `json:"updated"`
ReadAt *time.Time `json:"readAt"`
FullContent string `json:"fullContent"`
CreatedAt time.Time `json:"createdAt"`
UpdatedAt time.Time `json:"updatedAt"`
}
// BeforeCreate is a GORM hook that generates a UUID for new feeds
func (f *Feed) BeforeCreate(tx *gorm.DB) error {
if f.ID == "" {
f.ID = uuid.New().String()
}
return nil
}
// BeforeCreate is a GORM hook that generates a UUID for new entries
func (e *Entry) BeforeCreate(tx *gorm.DB) error {
if e.ID == "" {
e.ID = uuid.New().String()
}
return nil
}

346
feeds/service.go Normal file
View file

@ -0,0 +1,346 @@
package feeds
import (
"encoding/xml"
"fmt"
"io"
"log"
"time"
"github.com/go-co-op/gocron"
"github.com/go-shiori/go-readability"
"github.com/mmcdole/gofeed"
"gorm.io/gorm"
)
// Service handles feed operations
type Service struct {
db *gorm.DB
parser *gofeed.Parser
cron *gocron.Scheduler
}
// NewService creates a new feed service
func NewService(db *gorm.DB) *Service {
s := &Service{
db: db,
parser: gofeed.NewParser(),
cron: gocron.NewScheduler(time.UTC),
}
// Start the scheduler
_, err := s.cron.Every(1).Hour().Do(s.RefreshAllFeeds)
if err != nil {
log.Printf("Error scheduling feed refresh: %v", err)
}
s.cron.StartAsync()
return s
}
// AddFeed adds a new feed
func (s *Service) AddFeed(url string) (*Feed, error) {
// Check if feed already exists
var existingFeed Feed
if result := s.db.Where("url = ?", url).First(&existingFeed); result.Error == nil {
return &existingFeed, nil
}
// Fetch and parse the feed
feed, err := s.parser.ParseURL(url)
if err != nil {
return nil, fmt.Errorf("failed to parse feed: %w", err)
}
// Create new feed
newFeed := Feed{
Title: feed.Title,
URL: url,
Description: feed.Description,
SiteURL: feed.Link,
ImageURL: s.extractFeedImage(feed),
LastFetched: time.Now(),
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
// Save feed to database
if err := s.db.Create(&newFeed).Error; err != nil {
return nil, fmt.Errorf("failed to save feed: %w", err)
}
// Process feed entries
s.processFeedEntries(&newFeed, feed)
return &newFeed, nil
}
// ImportOPML imports feeds from an OPML file
func (s *Service) ImportOPML(opmlContent io.Reader) ([]Feed, error) {
var opml OPML
if err := xml.NewDecoder(opmlContent).Decode(&opml); err != nil {
return nil, fmt.Errorf("failed to parse OPML: %w", err)
}
var feeds []Feed
for _, outline := range opml.Body.Outlines {
if outline.XMLURL != "" {
feed, err := s.AddFeed(outline.XMLURL)
if err != nil {
continue // Skip feeds that fail to parse
}
feeds = append(feeds, *feed)
}
// Process nested outlines
for _, nestedOutline := range outline.Outlines {
if nestedOutline.XMLURL != "" {
feed, err := s.AddFeed(nestedOutline.XMLURL)
if err != nil {
continue
}
feeds = append(feeds, *feed)
}
}
}
return feeds, nil
}
// GetFeeds returns all feeds
func (s *Service) GetFeeds() ([]Feed, error) {
var feeds []Feed
if err := s.db.Order("title").Find(&feeds).Error; err != nil {
return nil, err
}
return feeds, nil
}
// GetFeed returns a feed by ID
func (s *Service) GetFeed(id string) (*Feed, error) {
var feed Feed
if err := s.db.First(&feed, "id = ?", id).Error; err != nil {
return nil, err
}
return &feed, nil
}
// DeleteFeed deletes a feed by ID
func (s *Service) DeleteFeed(id string) error {
// Delete associated entries first
if err := s.db.Delete(&Entry{}, "feed_id = ?", id).Error; err != nil {
return err
}
// Delete the feed
if err := s.db.Delete(&Feed{}, "id = ?", id).Error; err != nil {
return err
}
return nil
}
// RefreshFeed refreshes a single feed
func (s *Service) RefreshFeed(id string) error {
var feed Feed
if err := s.db.First(&feed, "id = ?", id).Error; err != nil {
return err
}
// Fetch and parse the feed
parsedFeed, err := s.parser.ParseURL(feed.URL)
if err != nil {
return fmt.Errorf("failed to parse feed: %w", err)
}
// Update feed metadata
feed.Title = parsedFeed.Title
feed.Description = parsedFeed.Description
feed.SiteURL = parsedFeed.Link
feed.ImageURL = s.extractFeedImage(parsedFeed)
feed.LastFetched = time.Now()
feed.UpdatedAt = time.Now()
// Save updated feed
if err := s.db.Save(&feed).Error; err != nil {
return fmt.Errorf("failed to update feed: %w", err)
}
// Process feed entries
s.processFeedEntries(&feed, parsedFeed)
return nil
}
// RefreshAllFeeds refreshes all feeds
func (s *Service) RefreshAllFeeds() error {
var feeds []Feed
if err := s.db.Find(&feeds).Error; err != nil {
return err
}
for _, feed := range feeds {
// Ignore errors for individual feeds to continue with others
_ = s.RefreshFeed(feed.ID)
}
return nil
}
// GetEntries returns entries for all feeds or a specific feed
func (s *Service) GetEntries(feedID string, unreadOnly bool) ([]Entry, error) {
query := s.db.Order("published desc")
if feedID != "" {
query = query.Where("feed_id = ?", feedID)
}
if unreadOnly {
query = query.Where("read_at IS NULL")
}
var entries []Entry
if err := query.Find(&entries).Error; err != nil {
return nil, err
}
return entries, nil
}
// GetEntry returns an entry by ID
func (s *Service) GetEntry(id string) (*Entry, error) {
var entry Entry
if err := s.db.First(&entry, "id = ?", id).Error; err != nil {
return nil, err
}
return &entry, nil
}
// MarkEntryAsRead marks an entry as read
func (s *Service) MarkEntryAsRead(id string) error {
return s.db.Model(&Entry{}).Where("id = ?", id).Update("read_at", time.Now()).Error
}
// MarkAllEntriesAsRead marks all entries as read, optionally filtered by feed ID
func (s *Service) MarkAllEntriesAsRead(feedID string) error {
query := s.db.Model(&Entry{}).Where("read_at IS NULL")
if feedID != "" {
query = query.Where("feed_id = ?", feedID)
}
return query.Update("read_at", time.Now()).Error
}
// FetchFullContent fetches and parses the full content of an entry
func (s *Service) FetchFullContent(id string) error {
var entry Entry
if err := s.db.First(&entry, "id = ?", id).Error; err != nil {
return err
}
// Skip if already has full content
if entry.FullContent != "" {
return nil
}
// Fetch and parse the article
article, err := readability.FromURL(entry.URL, 30*time.Second)
if err != nil {
return fmt.Errorf("failed to fetch article: %w", err)
}
// Update entry with full content
entry.FullContent = article.Content
entry.UpdatedAt = time.Now()
return s.db.Save(&entry).Error
}
// Helper function to process feed entries
func (s *Service) processFeedEntries(feed *Feed, parsedFeed *gofeed.Feed) {
for _, item := range parsedFeed.Items {
// Skip items without links
if item.Link == "" {
continue
}
// Check if entry already exists
var existingEntry Entry
result := s.db.Where("url = ?", item.Link).First(&existingEntry)
if result.Error == nil {
// Update existing entry if needed
if item.UpdatedParsed != nil && existingEntry.Updated.Before(*item.UpdatedParsed) {
existingEntry.Title = item.Title
existingEntry.Summary = item.Description
existingEntry.Content = item.Content
existingEntry.Updated = *item.UpdatedParsed
existingEntry.UpdatedAt = time.Now()
s.db.Save(&existingEntry)
}
continue
}
// Create new entry
published := time.Now()
if item.PublishedParsed != nil {
published = *item.PublishedParsed
}
updated := published
if item.UpdatedParsed != nil {
updated = *item.UpdatedParsed
}
author := ""
if item.Author != nil {
author = item.Author.Name
}
newEntry := Entry{
FeedID: feed.ID,
Title: item.Title,
URL: item.Link,
Content: item.Content,
Summary: item.Description,
Author: author,
Published: published,
Updated: updated,
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
s.db.Create(&newEntry)
}
}
// Helper function to extract feed image
func (s *Service) extractFeedImage(feed *gofeed.Feed) string {
if feed.Image != nil && feed.Image.URL != "" {
return feed.Image.URL
}
return ""
}
// OPML represents an OPML file structure
type OPML struct {
XMLName xml.Name `xml:"opml"`
Version string `xml:"version,attr"`
Head struct {
Title string `xml:"title"`
} `xml:"head"`
Body struct {
Outlines []Outline `xml:"outline"`
} `xml:"body"`
}
// Outline represents an OPML outline element
type Outline struct {
Text string `xml:"text,attr"`
Title string `xml:"title,attr"`
Type string `xml:"type,attr"`
XMLURL string `xml:"xmlUrl,attr"`
HTMLURL string `xml:"htmlUrl,attr"`
Outlines []Outline `xml:"outline"`
}

View file

@ -0,0 +1,154 @@
/// <reference types="node" />
import type { PlaywrightTestConfig } from '@playwright/test';
import { devices } from '@playwright/test';
/**
* Configuration for parallel testing with isolated environments
* Each test suite runs against its own backend instance
*/
const config: PlaywrightTestConfig = {
testDir: './tests',
fullyParallel: true, // Enable parallel execution
forbidOnly: !!process.env.CI,
retries: process.env.CI ? 2 : 0,
workers: 3, // Run up to 3 test files in parallel
reporter: 'html',
timeout: 30000, // Increased timeout for parallel tests
expect: {
timeout: 10000
},
use: {
trace: 'on-first-retry',
screenshot: 'only-on-failure',
actionTimeout: 10000
},
projects: [
// Readlist tests
{
name: 'readlist-chromium',
testMatch: /readlist\.test\.ts/,
use: {
...devices['Desktop Chrome'],
baseURL: 'http://localhost:3001'
}
},
{
name: 'readlist-firefox',
testMatch: /readlist\.test\.ts/,
use: {
...devices['Desktop Firefox'],
baseURL: 'http://localhost:3001'
}
},
{
name: 'readlist-webkit',
testMatch: /readlist\.test\.ts/,
use: {
...devices['Desktop Safari'],
baseURL: 'http://localhost:3001'
}
},
{
name: 'readlist-mobile-chrome',
testMatch: /readlist\.test\.ts/,
use: {
...devices['Pixel 5'],
baseURL: 'http://localhost:3001'
}
},
{
name: 'readlist-mobile-safari',
testMatch: /readlist\.test\.ts/,
use: {
...devices['iPhone 12'],
baseURL: 'http://localhost:3001'
}
},
// Notes tests
{
name: 'notes-chromium',
testMatch: /notes\.test\.ts/,
use: {
...devices['Desktop Chrome'],
baseURL: 'http://localhost:3002'
}
},
{
name: 'notes-firefox',
testMatch: /notes\.test\.ts/,
use: {
...devices['Desktop Firefox'],
baseURL: 'http://localhost:3002'
}
},
{
name: 'notes-webkit',
testMatch: /notes\.test\.ts/,
use: {
...devices['Desktop Safari'],
baseURL: 'http://localhost:3002'
}
},
{
name: 'notes-mobile-chrome',
testMatch: /notes\.test\.ts/,
use: {
...devices['Pixel 5'],
baseURL: 'http://localhost:3002'
}
},
{
name: 'notes-mobile-safari',
testMatch: /notes\.test\.ts/,
use: {
...devices['iPhone 12'],
baseURL: 'http://localhost:3002'
}
},
// Interface tests
{
name: 'interface-chromium',
testMatch: /interface\.test\.ts/,
use: {
...devices['Desktop Chrome'],
baseURL: 'http://localhost:3003'
}
},
{
name: 'interface-firefox',
testMatch: /interface\.test\.ts/,
use: {
...devices['Desktop Firefox'],
baseURL: 'http://localhost:3003'
}
},
{
name: 'interface-webkit',
testMatch: /interface\.test\.ts/,
use: {
...devices['Desktop Safari'],
baseURL: 'http://localhost:3003'
}
},
{
name: 'interface-mobile-chrome',
testMatch: /interface\.test\.ts/,
use: {
...devices['Pixel 5'],
baseURL: 'http://localhost:3003'
}
},
{
name: 'interface-mobile-safari',
testMatch: /interface\.test\.ts/,
use: {
...devices['iPhone 12'],
baseURL: 'http://localhost:3003'
}
}
]
};
export default config;

View file

@ -1,15 +1,18 @@
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8" />
<link rel="icon" href="%sveltekit.assets%/favicon.png" />
<meta
name="viewport"
content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no"
/>
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />
<link rel="stylesheet" href="/css/bulma.min.css" />
<!-- Font Awesome -->
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.5.1/css/all.min.css"
integrity="sha512-DTOQO9RWCH3ppGqcWaEA1BIZOC6xxalwEsw9c2QQeAIftl+Vegovlnee1c9QX4TctnWMn13TZye+giMm8e2LwA=="
crossorigin="anonymous" referrerpolicy="no-referrer" />
<!-- Dark mode theme using Bulma's CSS variables -->
<style>
/* Dark mode theme using Bulma's CSS variables */
body.dark-mode {
--bulma-scheme-main: #1a1a1a;
--bulma-scheme-main-bis: #242424;
@ -72,4 +75,5 @@
<body data-sveltekit-preload-data="hover">
<div style="display: contents">%sveltekit.body%</div>
</body>
</html>

View file

@ -0,0 +1,79 @@
<script lang="ts">
import { page } from '$app/stores';
import { onMount } from 'svelte';
let isActive = false;
function toggleMenu() {
isActive = !isActive;
}
onMount(() => {
// Close menu when clicking outside
document.addEventListener('click', (event) => {
const target = event.target as HTMLElement;
if (!target.closest('.navbar-burger') && !target.closest('.navbar-menu')) {
isActive = false;
}
});
});
</script>
<nav class="navbar is-primary" aria-label="main navigation">
<div class="container">
<div class="navbar-brand">
<a class="navbar-item" href="/">
<strong>QuickNotes</strong>
</a>
<a
role="button"
href="#top"
class="navbar-burger"
class:is-active={isActive}
aria-label="menu"
aria-expanded="false"
onclick={toggleMenu}
>
<span aria-hidden="true"></span>
<span aria-hidden="true"></span>
<span aria-hidden="true"></span>
</a>
</div>
<div class="navbar-menu" class:is-active={isActive}>
<div class="navbar-start">
<a
href="/notes"
class="navbar-item"
class:is-active={$page.url.pathname.startsWith('/notes')}
>
<span class="icon">
<i class="fas fa-sticky-note"></i>
</span>
<span>Notes</span>
</a>
<a
href="/feeds"
class="navbar-item"
class:is-active={$page.url.pathname.startsWith('/feeds')}
>
<span class="icon">
<i class="fas fa-rss"></i>
</span>
<span>Feeds</span>
</a>
<a
href="/readlater"
class="navbar-item"
class:is-active={$page.url.pathname.startsWith('/readlater')}
>
<span class="icon">
<i class="fas fa-bookmark"></i>
</span>
<span>Read Later</span>
</a>
</div>
</div>
</div>
</nav>

265
frontend/src/lib/feeds.ts Normal file
View file

@ -0,0 +1,265 @@
import { writable } from 'svelte/store';
import type { Feed, FeedEntry } from './types';
// Create a store for feeds
function createFeedsStore() {
const { subscribe, set, update } = writable<Feed[]>([]);
// Create a store object with methods
const store = {
subscribe,
load: async (): Promise<Feed[]> => {
try {
const response = await fetch('/api/feeds');
if (!response.ok) {
throw new Error(`Failed to load feeds: ${response.statusText}`);
}
const feeds = await response.json();
// Convert date strings to Date objects
const processedFeeds = feeds.map(
(
feed: Omit<Feed, 'lastFetched' | 'createdAt' | 'updatedAt'> & {
lastFetched?: string;
createdAt: string;
updatedAt: string;
}
) => ({
...feed,
lastFetched: feed.lastFetched ? new Date(feed.lastFetched) : undefined,
createdAt: new Date(feed.createdAt),
updatedAt: new Date(feed.updatedAt)
})
);
set(processedFeeds);
return processedFeeds;
} catch (error) {
console.error('Error loading feeds:', error);
throw error;
}
},
add: async (url: string): Promise<Feed> => {
try {
const response = await fetch('/api/feeds', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ url })
});
if (!response.ok) {
throw new Error(`Failed to add feed: ${response.statusText}`);
}
const newFeed = await response.json();
// Convert date strings to Date objects
const processedFeed = {
...newFeed,
lastFetched: newFeed.lastFetched ? new Date(newFeed.lastFetched) : undefined,
createdAt: new Date(newFeed.createdAt),
updatedAt: new Date(newFeed.updatedAt)
};
update((feeds) => [...feeds, processedFeed]);
return processedFeed;
} catch (error) {
console.error('Error adding feed:', error);
throw error;
}
},
delete: async (id: string): Promise<void> => {
try {
const response = await fetch(`/api/feeds/${id}`, {
method: 'DELETE'
});
if (!response.ok) {
throw new Error(`Failed to delete feed: ${response.statusText}`);
}
update((feeds) => feeds.filter((feed) => feed.id !== id));
} catch (error) {
console.error('Error deleting feed:', error);
throw error;
}
},
refresh: async (id?: string): Promise<void> => {
try {
const endpoint = id ? `/api/feeds/${id}/refresh` : '/api/feeds/refresh';
const response = await fetch(endpoint, {
method: 'POST'
});
if (!response.ok) {
throw new Error(`Failed to refresh feeds: ${response.statusText}`);
}
// Reload feeds to get updated data
await store.load();
} catch (error) {
console.error('Error refreshing feeds:', error);
throw error;
}
},
importOPML: async (file: File): Promise<{ imported: number }> => {
try {
const formData = new FormData();
formData.append('file', file);
const response = await fetch('/api/feeds/import', {
method: 'POST',
body: formData
});
if (!response.ok) {
throw new Error(`Failed to import OPML: ${response.statusText}`);
}
const result = await response.json();
// Reload feeds to get the newly imported ones
await store.load();
return result;
} catch (error) {
console.error('Error importing OPML:', error);
throw error;
}
},
importOPMLFromURL: async (url: string): Promise<{ imported: number }> => {
try {
const response = await fetch('/api/feeds/import-url', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({ url })
});
if (!response.ok) {
throw new Error(`Failed to import OPML from URL: ${response.statusText}`);
}
const result = await response.json();
// Reload feeds to get the newly imported ones
await store.load();
return result;
} catch (error) {
console.error('Error importing OPML from URL:', error);
throw error;
}
}
};
return store;
}
// Create a store for feed entries
function createEntriesStore() {
const { subscribe, set, update } = writable<FeedEntry[]>([]);
return {
subscribe,
loadEntries: async (feedId?: string, unreadOnly = false): Promise<FeedEntry[]> => {
try {
const params = new URLSearchParams();
if (feedId) params.append('feedId', feedId);
if (unreadOnly) params.append('unreadOnly', 'true');
const response = await fetch(`/api/feeds/entries?${params.toString()}`);
if (!response.ok) throw new Error('Failed to load entries');
const data = await response.json();
const entries = data.map((entry: FeedEntry) => ({
...entry,
published: entry.published ? new Date(entry.published) : null,
updated: entry.updated ? new Date(entry.updated) : null,
readAt: entry.readAt ? new Date(entry.readAt) : null
}));
set(entries);
return entries;
} catch (error) {
console.error('Error loading entries:', error);
throw error;
}
},
getEntry: async (id: string): Promise<FeedEntry> => {
try {
const response = await fetch(`/api/feeds/entries/${id}`);
if (!response.ok) throw new Error('Failed to load entry');
const entry = await response.json();
return {
...entry,
published: entry.published ? new Date(entry.published) : null,
updated: entry.updated ? new Date(entry.updated) : null,
readAt: entry.readAt ? new Date(entry.readAt) : null
};
} catch (error) {
console.error('Error loading entry:', error);
throw error;
}
},
markAsRead: async (id: string): Promise<void> => {
try {
const response = await fetch(`/api/feeds/entries/${id}/read`, {
method: 'POST'
});
if (!response.ok) throw new Error('Failed to mark entry as read');
// Update the entry in the store
update((entries) => {
return entries.map((entry) => {
if (entry.id === id) {
return { ...entry, readAt: new Date() };
}
return entry;
});
});
} catch (error) {
console.error('Error marking entry as read:', error);
throw error;
}
},
markAllAsRead: async (feedId?: string): Promise<void> => {
try {
const params = new URLSearchParams();
if (feedId) params.append('feedId', feedId);
const response = await fetch(`/api/feeds/entries/read-all?${params.toString()}`, {
method: 'POST'
});
if (!response.ok) throw new Error('Failed to mark all entries as read');
// Update all entries in the store
update((entries) => {
return entries.map((entry) => {
if (!entry.readAt && (!feedId || entry.feedId === feedId)) {
return { ...entry, readAt: new Date() };
}
return entry;
});
});
} catch (error) {
console.error('Error marking all entries as read:', error);
throw error;
}
},
fetchFullContent: async (id: string): Promise<void> => {
try {
const response = await fetch(`/api/feeds/entries/${id}/full-content`, {
method: 'POST'
});
if (!response.ok) throw new Error('Failed to fetch full content');
} catch (error) {
console.error('Error fetching full content:', error);
throw error;
}
}
};
}
export const feeds = createFeedsStore();
export const entries = createEntriesStore();

View file

@ -3,9 +3,15 @@ import type { ReadLaterItem } from './types';
function createReadLaterStore() {
const { subscribe, set, update } = writable<ReadLaterItem[]>([]);
let showArchived = false;
return {
subscribe,
showArchived,
toggleShowArchived: () => {
showArchived = !showArchived;
return showArchived;
},
add: async (url: string) => {
const response = await fetch('/api/readlist', {
method: 'POST',
@ -26,7 +32,8 @@ function createReadLaterStore() {
createdAt: new Date(item.createdAt),
updatedAt: new Date(item.updatedAt),
savedAt: new Date(item.savedAt),
readAt: item.readAt ? new Date(item.readAt) : undefined
readAt: item.readAt ? new Date(item.readAt) : undefined,
archivedAt: item.archivedAt ? new Date(item.archivedAt) : undefined
},
...items
]);
@ -47,6 +54,36 @@ function createReadLaterStore() {
)
);
},
archive: async (id: string) => {
const response = await fetch(`/api/readlist/${id}/archive`, {
method: 'POST'
});
if (!response.ok) {
throw new Error('Failed to archive item');
}
update((items) =>
items.map((item) =>
item.id === id ? { ...item, archivedAt: new Date(), updatedAt: new Date() } : item
)
);
},
unarchive: async (id: string) => {
const response = await fetch(`/api/readlist/${id}/unarchive`, {
method: 'POST'
});
if (!response.ok) {
throw new Error('Failed to unarchive item');
}
update((items) =>
items.map((item) =>
item.id === id ? { ...item, archivedAt: undefined, updatedAt: new Date() } : item
)
);
},
delete: async (id: string) => {
const response = await fetch(`/api/readlist/${id}`, {
method: 'DELETE'
@ -58,9 +95,9 @@ function createReadLaterStore() {
update((items) => items.filter((item) => item.id !== id));
},
load: async () => {
load: async (includeArchived = false) => {
try {
const response = await fetch('/api/readlist');
const response = await fetch(`/api/readlist?includeArchived=${includeArchived}`);
if (!response.ok) {
throw new Error('Failed to load read later items');
}
@ -76,7 +113,8 @@ function createReadLaterStore() {
...item,
createdAt: new Date(item.createdAt),
updatedAt: new Date(item.updatedAt),
readAt: item.readAt ? new Date(item.readAt) : undefined
readAt: item.readAt ? new Date(item.readAt) : undefined,
archivedAt: item.archivedAt ? new Date(item.archivedAt) : undefined
}))
);
} catch (error) {

View file

@ -13,6 +13,26 @@ export interface Feed {
title: string;
url: string;
description?: string;
siteUrl?: string;
imageUrl?: string;
lastFetched?: Date;
createdAt: Date;
updatedAt: Date;
entries?: FeedEntry[];
}
export interface FeedEntry {
id: string;
feedId: string;
title: string;
url: string;
content: string;
summary: string;
author: string;
published: Date;
updated: Date;
readAt?: Date;
fullContent?: string;
createdAt: Date;
updatedAt: Date;
}
@ -26,11 +46,22 @@ export interface ReadLaterItem {
createdAt: Date;
updatedAt: Date;
readAt?: Date;
archivedAt?: Date;
}
export interface CardAction {
icon: string;
label: string;
href?: string;
target?: string;
onClick?: () => void | Promise<void>;
isDangerous?: boolean;
}
export interface CardRenderOptions {
title: string;
description?: string;
timestamp?: Date;
image?: string;
actions?: CardAction[];
}

View file

@ -21,8 +21,19 @@
timestamp: new Date(item.createdAt),
actions: [
{
icon: 'trash',
icon: 'fas fa-eye',
label: 'View',
href: `/notes/${item.id}`
},
{
icon: 'fas fa-edit',
label: 'Edit',
href: `/notes/${item.id}?edit=true`
},
{
icon: 'fas fa-trash',
label: 'Delete',
isDangerous: true,
onClick: async () => {
await fetch(`/api/notes/${item.id}`, { method: 'DELETE' });
notes = notes.filter((n) => n.id !== item.id);

View file

@ -1,56 +1,231 @@
<script lang="ts">
import CardList from '$lib/components/CardList.svelte';
import type { Note, Feed } from '$lib/types';
import { onMount } from 'svelte';
import { entries, feeds } from '$lib/feeds';
import CardList from '$lib/components/CardList.svelte';
import type { Feed, FeedEntry, Note, ReadLaterItem } from '$lib/types';
let feeds: Feed[] = [];
// Define the CardProps interface to match what CardList expects
interface CardProps {
title: string;
description: string;
timestamp: Date;
actions?: Array<{
icon?: string;
label: string;
href?: string;
target?: string;
onClick?: () => void;
}>;
}
let isLoading = false;
let isRefreshing = false;
let error: string | null = null;
let showUnreadOnly = true;
let feedsMap: Map<string, Feed> = new Map();
onMount(async () => {
const response = await fetch('/api/feeds');
feeds = await response.json();
await loadData();
});
function renderCard(item: Note | Feed) {
if (!isFeed(item)) {
throw new Error('Invalid item type');
async function loadData() {
isLoading = true;
error = null;
try {
// Load feeds to get feed names for entries
const feedsList = await feeds.load();
feedsMap = new Map(feedsList.map((feed) => [feed.id, feed]));
// Load all entries (unread by default)
await loadEntries();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load feeds';
} finally {
isLoading = false;
}
}
async function loadEntries() {
isLoading = true;
try {
await entries.loadEntries(undefined, showUnreadOnly);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load entries';
} finally {
isLoading = false;
}
}
async function handleRefreshAll() {
isRefreshing = true;
error = null;
try {
await feeds.refresh();
await loadEntries();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to refresh feeds';
} finally {
isRefreshing = false;
}
}
async function handleMarkAllAsRead() {
error = null;
try {
await entries.markAllAsRead();
// Reload entries if showing unread only
if (showUnreadOnly) {
await loadEntries();
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to mark all entries as read';
}
}
function toggleUnreadFilter() {
showUnreadOnly = !showUnreadOnly;
loadEntries();
}
// This function adapts any item type to the format expected by CardList
function renderCard(item: Feed | Note | ReadLaterItem): CardProps {
// We know we're only passing FeedEntry objects to this function in this component
if ('feedId' in item) {
const entry = item as FeedEntry;
const feedName = feedsMap.get(entry.feedId)?.title || 'Unknown Feed';
return {
title: item.title,
description: item.url,
timestamp: new Date(item.createdAt),
title: entry.title,
description: `<strong>${feedName}</strong> - ${entry.summary || 'No summary available'}`,
timestamp: entry.published,
actions: [
{
icon: 'external-link',
label: 'Open',
href: item.url,
icon: 'fas fa-book-reader',
label: 'Read',
href: `/feeds/entries/${entry.id}`
},
{
icon: 'fas fa-rss',
label: 'View Feed',
href: `/feeds/${entry.feedId}`
},
{
icon: 'fas fa-external-link-alt',
label: 'Original',
href: entry.url,
target: '_blank'
},
{
icon: 'trash',
label: 'Delete',
icon: entry.readAt ? 'fas fa-check' : 'fas fa-bookmark',
label: entry.readAt ? 'Read' : 'Mark Read',
onClick: async () => {
await fetch(`/api/feeds/${item.id}`, { method: 'DELETE' });
feeds = feeds.filter((f) => f.id !== item.id);
if (!entry.readAt) {
try {
await entries.markAsRead(entry.id);
if (showUnreadOnly) {
await loadEntries();
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to mark as read';
}
}
}
}
]
};
}
function isFeed(item: unknown): item is Feed {
return (
typeof item === 'object' &&
item !== null &&
'id' in item &&
'title' in item &&
'url' in item &&
'createdAt' in item &&
'updatedAt' in item
);
// For other item types (Feed, Note, ReadLaterItem) - this won't be used in this component
// but is needed to satisfy the type requirements
return {
title: item.title,
description: getDescription(item),
timestamp: item.createdAt
};
}
// Helper function to safely extract description from different item types
function getDescription(item: Feed | Note | ReadLaterItem): string {
if ('description' in item && item.description) {
return item.description;
} else if ('content' in item) {
return item.content;
}
return 'No description available';
}
</script>
<div class="container">
<h1 class="title">Feeds</h1>
<CardList items={feeds} {renderCard} emptyMessage="No feeds found." />
<div class="level mt-4">
<div class="level-left">
<div class="level-item">
<h1 class="title">Feed Entries</h1>
</div>
</div>
<div class="level-right">
<div class="level-item">
<a href="/feeds/list" class="button is-info">
<span class="icon">
<i class="fas fa-cog"></i>
</span>
<span>Manage Feeds</span>
</a>
</div>
</div>
</div>
{#if error}
<div class="notification is-danger">
<p>{error}</p>
</div>
{/if}
<div class="level">
<div class="level-left">
<div class="level-item">
<button class="button" on:click={toggleUnreadFilter}>
<span class="icon">
<i class="fas fa-filter"></i>
</span>
<span>{showUnreadOnly ? 'Show All' : 'Show Unread Only'}</span>
</button>
</div>
<div class="level-item">
<button
class="button is-primary"
on:click={handleRefreshAll}
disabled={isRefreshing || isLoading}
>
<span class="icon">
<i class="fas fa-sync" class:fa-spin={isRefreshing}></i>
</span>
<span>Refresh All</span>
</button>
</div>
<div class="level-item">
<button class="button is-info" on:click={handleMarkAllAsRead} disabled={isLoading}>
<span class="icon">
<i class="fas fa-check-double"></i>
</span>
<span>Mark All as Read</span>
</button>
</div>
</div>
</div>
{#if isLoading && $entries.length === 0}
<div class="has-text-centered py-6">
<span class="icon is-large">
<i class="fas fa-spinner fa-spin fa-2x"></i>
</span>
</div>
{:else}
<CardList
items={$entries}
{renderCard}
emptyMessage={showUnreadOnly
? 'No unread entries found. Try refreshing your feeds or viewing all entries.'
: 'No entries found. Try adding some feeds.'}
/>
{/if}
</div>

View file

@ -0,0 +1,2 @@
// This file is needed to ensure the route is properly recognized by SvelteKit
export const prerender = false;

View file

@ -0,0 +1,275 @@
<script lang="ts">
import { onMount } from 'svelte';
import { entries, feeds } from '$lib/feeds';
import CardList from '$lib/components/CardList.svelte';
import type { Feed, FeedEntry, Note, ReadLaterItem } from '$lib/types';
import { page } from '$app/stores';
// Define the CardProps interface to match what CardList expects
interface CardProps {
title: string;
description: string;
timestamp: Date;
actions?: Array<{
icon?: string;
label: string;
href?: string;
target?: string;
onClick?: () => void;
}>;
}
let feed: Feed | null = null;
let isLoading = true;
let isRefreshing = false;
let showUnreadOnly = false;
let error: string | null = null;
onMount(async () => {
await loadData();
});
async function loadData() {
isLoading = true;
error = null;
try {
const feedId = $page.params.id;
// Load feed info
const feedsList = await feeds.load();
feed = feedsList.find((f) => f.id === feedId) || null;
if (!feed) {
error = 'Feed not found';
return;
}
// Load entries for this feed
await loadEntries();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load feed';
} finally {
isLoading = false;
}
}
async function loadEntries() {
if (!feed) return;
isLoading = true;
try {
await entries.loadEntries(feed.id, showUnreadOnly);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load entries';
} finally {
isLoading = false;
}
}
async function handleRefreshFeed() {
if (!feed) return;
isRefreshing = true;
error = null;
try {
await feeds.refresh(feed.id);
await loadEntries();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to refresh feed';
} finally {
isRefreshing = false;
}
}
async function handleMarkAllAsRead() {
if (!feed) return;
error = null;
try {
await entries.markAllAsRead(feed.id);
// Reload entries if showing unread only
if (showUnreadOnly) {
await loadEntries();
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to mark all entries as read';
}
}
function toggleUnreadFilter() {
showUnreadOnly = !showUnreadOnly;
loadEntries();
}
// This function adapts any item type to the format expected by CardList
function renderCard(item: Feed | Note | ReadLaterItem): CardProps {
// We know we're only passing FeedEntry objects to this function in this component
if ('feedId' in item) {
const entry = item as FeedEntry;
return {
title: entry.title,
description: entry.summary || 'No summary available',
timestamp: entry.published,
actions: [
{
icon: 'fas fa-book-reader',
label: 'Read',
href: `/feeds/entries/${entry.id}`
},
{
icon: 'fas fa-external-link-alt',
label: 'Original',
href: entry.url,
target: '_blank'
},
{
icon: entry.readAt ? 'fas fa-check' : 'fas fa-bookmark',
label: entry.readAt ? 'Read' : 'Mark Read',
onClick: async () => {
if (!entry.readAt) {
try {
await entries.markAsRead(entry.id);
if (showUnreadOnly) {
await loadEntries();
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to mark as read';
}
}
}
}
]
};
}
// For other item types (Feed, Note, ReadLaterItem) - this won't be used in this component
// but is needed to satisfy the type requirements
return {
title: item.title,
description: getDescription(item),
timestamp: item.createdAt
};
}
// Helper function to safely extract description from different item types
function getDescription(item: Feed | Note | ReadLaterItem): string {
if ('description' in item && item.description) {
return item.description;
} else if ('content' in item) {
return item.content;
}
return 'No description available';
}
</script>
<div class="container">
<div class="level mt-4">
<div class="level-left">
<div class="level-item">
<nav class="breadcrumb" aria-label="breadcrumbs">
<ul>
<li><a href="/feeds">Feeds</a></li>
<li><a href="/feeds/list">Manage Feeds</a></li>
<li class="is-active">
<a href="#top" aria-current="page">{feed?.title || 'Feed'}</a>
</li>
</ul>
</nav>
</div>
</div>
</div>
{#if error}
<div class="notification is-danger">
<p>{error}</p>
</div>
{/if}
{#if feed}
<div class="box">
<div class="level">
<div class="level-left">
<div class="level-item">
<h1 class="title">{feed.title}</h1>
</div>
</div>
<div class="level-right">
<div class="level-item">
<a href={feed.siteUrl || feed.url} target="_blank" class="button is-small">
<span class="icon">
<i class="fas fa-external-link-alt"></i>
</span>
<span>Visit Site</span>
</a>
</div>
</div>
</div>
{#if feed.description}
<div class="content">
<p>{feed.description}</p>
</div>
{/if}
<div class="level">
<div class="level-left">
<div class="level-item">
<button class="button" on:click={toggleUnreadFilter}>
<span class="icon">
<i class="fas fa-filter"></i>
</span>
<span>{showUnreadOnly ? 'Show All' : 'Show Unread Only'}</span>
</button>
</div>
<div class="level-item">
<button class="button is-primary" on:click={handleRefreshFeed} disabled={isRefreshing}>
<span class="icon">
<i class="fas fa-sync" class:fa-spin={isRefreshing}></i>
</span>
<span>Refresh Feed</span>
</button>
</div>
<div class="level-item">
<button class="button is-info" on:click={handleMarkAllAsRead} disabled={isLoading}>
<span class="icon">
<i class="fas fa-check-double"></i>
</span>
<span>Mark All as Read</span>
</button>
</div>
</div>
<div class="level-right">
{#if feed.lastFetched}
<div class="level-item">
<span class="tag is-light">
Last updated: {feed.lastFetched.toLocaleString()}
</span>
</div>
{/if}
</div>
</div>
</div>
{#if isLoading && $entries.length === 0}
<div class="has-text-centered py-6">
<span class="icon is-large">
<i class="fas fa-spinner fa-spin fa-2x"></i>
</span>
</div>
{:else}
<CardList
items={$entries}
{renderCard}
emptyMessage={showUnreadOnly
? 'No unread entries found. Try refreshing your feed or viewing all entries.'
: 'No entries found. Try refreshing your feed.'}
/>
{/if}
{:else if !isLoading}
<div class="notification is-warning">
<p>Feed not found.</p>
<a href="/feeds" class="button is-light mt-4">Back to Feeds</a>
</div>
{/if}
</div>

View file

@ -0,0 +1,10 @@
import type { PageLoad } from './$types';
export const load: PageLoad = ({ params }) => {
return {
id: params.id
};
};
// This file is needed to ensure the route is properly recognized by SvelteKit
export const prerender = false;

View file

@ -0,0 +1,228 @@
<script lang="ts">
import { onMount } from 'svelte';
import { entries, feeds } from '$lib/feeds';
import { readlist } from '$lib/readlist';
import type { FeedEntry, Feed } from '$lib/types';
import { page } from '$app/stores';
import { goto } from '$app/navigation';
let entry: FeedEntry | null = null;
let feed: Feed | null = null;
let isLoading = true;
let isLoadingFullContent = false;
let isSavingToReadlist = false;
let error: string | null = null;
onMount(async () => {
await loadEntry();
});
async function loadEntry() {
isLoading = true;
error = null;
try {
const entryId = $page.params.id;
entry = await entries.getEntry(entryId);
if (entry) {
// Mark as read when viewing
if (!entry.readAt) {
await entries.markAsRead(entry.id);
}
// Load feed info
const feedsList = await feeds.load();
// We've already checked that entry is not null
const currentEntry = entry;
feed = feedsList.find((f) => f.id === currentEntry.feedId) || null;
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load entry';
} finally {
isLoading = false;
}
}
async function fetchFullContent() {
if (!entry) return;
isLoadingFullContent = true;
error = null;
try {
await entries.fetchFullContent(entry.id);
// Reload the entry to get the updated content
entry = await entries.getEntry(entry.id);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to fetch full content';
} finally {
isLoadingFullContent = false;
}
}
function createNote() {
if (!entry) return;
const title = `Highlights from ${entry.title}`;
const content = `[Original Feed Entry](/feeds/entries/${entry.id})\n\n${entry.fullContent || entry.summary || ''}`;
const params = new URLSearchParams({
title,
content
});
goto(`/notes/new?${params.toString()}`);
}
async function saveToReadlist() {
if (!entry) return;
isSavingToReadlist = true;
error = null;
try {
// Mark the entry as read if it's not already
if (!entry.readAt) {
await entries.markAsRead(entry.id);
}
// Add the entry URL to the readlist
const savedItem = await readlist.add(entry.url);
// Navigate to the readlist item detail page
goto(`/readlist/${savedItem.id}`);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to save to readlist';
isSavingToReadlist = false;
}
}
</script>
<div class="container mt-4">
<nav class="breadcrumb" aria-label="breadcrumbs">
<ul>
<li><a href="/feeds">Feeds</a></li>
{#if feed}
<li><a href="/feeds/{feed.id}">{feed.title}</a></li>
{/if}
<li class="is-active"><a href="#top" aria-current="page">{entry?.title || 'Entry'}</a></li>
</ul>
</nav>
{#if isLoading}
<div class="has-text-centered py-6">
<span class="icon is-large">
<i class="fas fa-spinner fa-spin fa-2x"></i>
</span>
</div>
{:else if error}
<div class="notification is-danger">
<p>{error}</p>
</div>
{:else if entry}
<div class="box">
<h1 class="title">{entry.title}</h1>
<div class="level">
<div class="level-left">
{#if feed}
<div class="level-item">
<span class="tag is-info">
<span class="icon">
<i class="fas fa-rss"></i>
</span>
<span>{feed.title}</span>
</span>
</div>
{/if}
{#if entry.author}
<div class="level-item">
<span class="tag is-light">
<span class="icon">
<i class="fas fa-user"></i>
</span>
<span>{entry.author}</span>
</span>
</div>
{/if}
{#if entry.published}
<div class="level-item">
<span class="tag is-light">
<span class="icon">
<i class="fas fa-calendar"></i>
</span>
<span>{entry.published.toLocaleString()}</span>
</span>
</div>
{/if}
</div>
<div class="level-right">
<div class="level-item">
<a href={entry.url} target="_blank" class="button is-small">
<span class="icon">
<i class="fas fa-external-link-alt"></i>
</span>
<span>Original</span>
</a>
</div>
{#if !entry.fullContent}
<div class="level-item">
<button
class="button is-small is-primary"
on:click={fetchFullContent}
disabled={isLoadingFullContent}
>
<span class="icon">
<i class="fas fa-download" class:fa-spin={isLoadingFullContent}></i>
</span>
<span>Fetch Full Content</span>
</button>
</div>
{/if}
<div class="level-item">
<button class="button is-small is-info" on:click={createNote}>
<span class="icon">
<i class="fas fa-sticky-note"></i>
</span>
<span>Create Note</span>
</button>
</div>
<div class="level-item">
<button
class="button is-small is-warning"
on:click={saveToReadlist}
disabled={isSavingToReadlist}
>
<span class="icon">
<i class="fas fa-bookmark" class:fa-spin={isSavingToReadlist}></i>
</span>
<span>Save to Readlist</span>
</button>
</div>
</div>
</div>
{#if entry.summary && !entry.fullContent}
<div class="content mt-4">
<!-- eslint-disable-next-line svelte/no-at-html-tags -->
{@html entry.summary}
</div>
<div class="notification is-info is-light">
<p>This is just a summary. Click "Fetch Full Content" to read the complete article.</p>
</div>
{:else if entry.fullContent}
<div class="content mt-4">
<!-- eslint-disable-next-line svelte/no-at-html-tags -->
{@html entry.fullContent}
</div>
{:else}
<div class="content mt-4">
<p>No content available. Try viewing the original article.</p>
</div>
{/if}
</div>
{:else}
<div class="notification is-warning">
<p>Entry not found.</p>
</div>
{/if}
</div>

View file

@ -0,0 +1,10 @@
import type { PageLoad } from './$types';
export const load: PageLoad = ({ params }) => {
return {
id: params.id
};
};
// This file is needed to ensure the route is properly recognized by SvelteKit
export const prerender = false;

View file

@ -0,0 +1,282 @@
<script lang="ts">
import { onMount } from 'svelte';
import { feeds } from '$lib/feeds';
import CardList from '$lib/components/CardList.svelte';
import type { Feed, Note, ReadLaterItem } from '$lib/types';
// Define the CardProps interface to match what CardList expects
interface CardProps {
title: string;
description: string;
timestamp: Date;
actions?: Array<{
icon?: string;
label: string;
href?: string;
target?: string;
onClick?: () => void;
}>;
}
let feedsList: Feed[] = [];
let feedUrl = '';
let opmlFile: File | null = null;
let isLoading = false;
let isImporting = false;
let isRefreshing = false;
let error: string | null = null;
let importCount = 0;
onMount(async () => {
await loadFeeds();
});
async function loadFeeds() {
isLoading = true;
error = null;
try {
feedsList = await feeds.load();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to load feeds';
} finally {
isLoading = false;
}
}
async function handleAddFeed() {
if (!feedUrl.trim()) {
error = 'Please enter a feed URL';
return;
}
isLoading = true;
error = null;
try {
await feeds.add(feedUrl);
feedUrl = '';
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to add feed';
} finally {
isLoading = false;
}
}
async function handleImportOPML() {
if (!opmlFile) {
error = 'Please select an OPML file';
return;
}
isImporting = true;
error = null;
try {
const result = await feeds.importOPML(opmlFile);
importCount = result.imported;
opmlFile = null;
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to import OPML';
} finally {
isImporting = false;
}
}
async function handleRefreshAll() {
isRefreshing = true;
error = null;
try {
await feeds.refresh();
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to refresh feeds';
} finally {
isRefreshing = false;
}
}
function handleFileChange(event: Event) {
const target = event.target as HTMLInputElement;
if (target.files && target.files.length > 0) {
opmlFile = target.files[0];
}
}
// This function adapts any item type to the format expected by CardList
function renderCard(item: Feed | Note | ReadLaterItem): CardProps {
// Handle Feed items
if ('url' in item) {
const feed = item as Feed;
return {
title: feed.title,
description: feed.description || 'No description available',
timestamp: feed.lastFetched || feed.createdAt,
actions: [
{
icon: 'fas fa-rss',
label: 'View Entries',
href: `/feeds/${feed.id}`
},
{
icon: 'fas fa-sync',
label: 'Refresh',
onClick: async () => {
try {
await feeds.refresh(feed.id);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to refresh feed';
}
}
},
{
icon: 'fas fa-external-link-alt',
label: 'Visit Site',
href: feed.siteUrl || feed.url,
target: '_blank'
},
{
icon: 'fas fa-trash',
label: 'Delete',
onClick: async () => {
if (confirm(`Are you sure you want to delete "${feed.title}"?`)) {
try {
await feeds.delete(feed.id);
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to delete feed';
}
}
}
}
]
};
}
// For other item types (Note, ReadLaterItem) - this won't be used in this component
// but is needed to satisfy the type requirements
return {
title: item.title,
description: 'content' in item ? item.content : '',
timestamp: item.createdAt
};
}
</script>
<div class="container">
<div class="level mt-4">
<div class="level-left">
<div class="level-item">
<h1 class="title">Manage Feeds</h1>
</div>
</div>
<div class="level-right">
<div class="level-item">
<a href="/feeds" class="button is-info">
<span class="icon">
<i class="fas fa-list"></i>
</span>
<span>View All Entries</span>
</a>
</div>
</div>
</div>
{#if error}
<div class="notification is-danger">
<p>{error}</p>
</div>
{/if}
{#if importCount > 0}
<div class="notification is-success">
<p>Successfully imported {importCount} feeds.</p>
</div>
{/if}
<div class="level">
<div class="level-left">
<div class="level-item">
<button
class="button is-primary"
on:click={handleRefreshAll}
disabled={isRefreshing || isLoading}
>
<span class="icon">
<i class="fas fa-sync" class:fa-spin={isRefreshing}></i>
</span>
<span>Refresh All</span>
</button>
</div>
<div class="level-item">
<div class="file has-name">
<label class="file-label">
<input
class="file-input"
type="file"
name="opml"
accept=".opml,.xml"
on:change={handleFileChange}
/>
<span class="file-cta">
<span class="file-icon">
<i class="fas fa-upload"></i>
</span>
<span class="file-label">Choose OPML file...</span>
</span>
{#if opmlFile}
<span class="file-name">{opmlFile.name}</span>
{:else}
<span class="file-name">No file selected</span>
{/if}
</label>
</div>
</div>
<div class="level-item">
<button
class="button is-info"
on:click={handleImportOPML}
disabled={!opmlFile || isImporting}
>
<span class="icon">
<i class="fas fa-file-import" class:fa-spin={isImporting}></i>
</span>
<span>Import</span>
</button>
</div>
</div>
</div>
<div class="box">
<form on:submit|preventDefault={handleAddFeed}>
<div class="field has-addons">
<div class="control is-expanded">
<input
class="input"
type="url"
placeholder="Enter feed URL (RSS, Atom, JSON Feed)"
bind:value={feedUrl}
required
/>
</div>
<div class="control">
<button type="submit" class="button is-primary" disabled={isLoading || !feedUrl.trim()}>
<span class="icon">
<i class="fas fa-plus"></i>
</span>
<span>Add Feed</span>
</button>
</div>
</div>
</form>
</div>
{#if isLoading && feedsList.length === 0}
<div class="has-text-centered py-6">
<span class="icon is-large">
<i class="fas fa-spinner fa-spin fa-2x"></i>
</span>
</div>
{:else}
<CardList
items={feedsList}
{renderCard}
emptyMessage="No feeds found. Add your first feed above."
/>
{/if}
</div>

View file

@ -0,0 +1,2 @@
// This file is needed to ensure the route is properly recognized by SvelteKit
export const prerender = false;

View file

@ -3,10 +3,18 @@
import { notes } from '$lib';
import { goto } from '$app/navigation';
import Navigation from '$lib/components/Navigation.svelte';
let { data } = $props();
interface PageData {
props: {
prefilledTitle: string;
prefilledContent?: string;
};
}
let { data } = $props<{ data: PageData }>();
let title = $state(data.props.prefilledTitle);
let content = $state('');
let content = $state(data.props.prefilledContent || '');
async function handleSave() {
if (!title || !content) return;

View file

@ -2,10 +2,13 @@ import type { PageLoad } from './$types';
export const load: PageLoad = async ({ url }) => {
const title = url.searchParams.get('title') || '';
const content = url.searchParams.get('content') || '';
return {
status: 'success',
props: {
prefilledTitle: title
prefilledTitle: title,
prefilledContent: content
}
};
};

View file

@ -7,11 +7,22 @@
let url = '';
let isLoading = false;
let error: string | null = null;
let showArchived = false;
let archivingItems: Record<string, boolean> = {};
onMount(() => {
readlist.load();
loadItems();
});
async function loadItems() {
await readlist.load(showArchived);
}
async function toggleArchived() {
showArchived = !showArchived;
await loadItems();
}
async function handleSubmit() {
if (!url) return;
@ -31,6 +42,25 @@
function handleDelete(item: ReadLaterItem) {
readlist.delete(item.id);
}
async function handleToggleArchive(item: ReadLaterItem) {
archivingItems[item.id] = true;
try {
if (item.archivedAt) {
await readlist.unarchive(item.id);
} else {
await readlist.archive(item.id);
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to update archive status';
} finally {
archivingItems[item.id] = false;
}
}
function getFilteredItems() {
return $readlist;
}
</script>
<div class="container">
@ -64,8 +94,21 @@
{/if}
</form>
<div class="level mb-4">
<div class="level-left">
<div class="level-item">
<button class="button is-small" onclick={toggleArchived}>
<span class="icon">
<i class="fas fa-archive"></i>
</span>
<span>{showArchived ? 'Hide Archived' : 'Show Archived'}</span>
</button>
</div>
</div>
</div>
<CardList
items={$readlist}
items={getFilteredItems()}
renderCard={(item) => {
const readLaterItem = item as ReadLaterItem;
return {
@ -84,6 +127,11 @@
href: readLaterItem.url,
target: '_blank'
},
{
icon: readLaterItem.archivedAt ? 'fas fa-box-open' : 'fas fa-archive',
label: readLaterItem.archivedAt ? 'Unarchive' : 'Archive',
onClick: () => handleToggleArchive(readLaterItem)
},
{
icon: 'fas fa-trash',
label: 'Delete',

View file

@ -2,10 +2,13 @@
import { onMount } from 'svelte';
import { readlist } from '$lib/readlist';
import type { ReadLaterItem } from '$lib/types';
import { goto } from '$app/navigation';
let { id } = $props<{ id: string }>();
let item: ReadLaterItem | null = $state(null);
let error: string | null = $state(null);
export let data: { id: string };
let id = data.id;
let item: ReadLaterItem | null = null;
let error: string | null = null;
let isArchiving = false;
onMount(async () => {
try {
@ -19,7 +22,8 @@
...data,
createdAt: new Date(data.createdAt),
updatedAt: new Date(data.updatedAt),
readAt: data.readAt ? new Date(data.readAt) : undefined
readAt: data.readAt ? new Date(data.readAt) : undefined,
archivedAt: data.archivedAt ? new Date(data.archivedAt) : undefined
};
item = newItem;
@ -31,6 +35,44 @@
error = e instanceof Error ? e.message : 'Failed to load item';
}
});
function createNote() {
if (!item) return;
const title = `Highlights from ${item.title}`;
const content = `[Original Link](/readlist/${item.id})\n\n${item.content || ''}`;
const params = new URLSearchParams({
title,
content
});
goto(`/notes/new?${params.toString()}`);
}
async function toggleArchive() {
if (!item) return;
isArchiving = true;
try {
if (item.archivedAt) {
await readlist.unarchive(item.id);
if (item) {
item = { ...item, archivedAt: undefined };
}
} else {
await readlist.archive(item.id);
if (item) {
item = { ...item, archivedAt: new Date() };
}
}
} catch (e) {
error = e instanceof Error ? e.message : 'Failed to update archive status';
} finally {
isArchiving = false;
}
}
</script>
<div class="container">
@ -77,6 +119,33 @@
</div>
</div>
<div class="level-right">
<div class="level-item">
<button class="button is-info" onclick={() => createNote()}>
<span class="icon">
<i class="fas fa-sticky-note"></i>
</span>
<span>Create Note</span>
</button>
</div>
<div class="level-item">
<button
class="button"
class:is-warning={!item?.archivedAt}
class:is-success={item?.archivedAt}
onclick={toggleArchive}
disabled={isArchiving}
>
<span class="icon">
<i
class="fas"
class:fa-archive={!item?.archivedAt}
class:fa-box-open={item?.archivedAt}
class:fa-spin={isArchiving}
></i>
</span>
<span>{item?.archivedAt ? 'Unarchive' : 'Archive'}</span>
</button>
</div>
<div class="level-item">
<button class="button is-danger" onclick={() => item && readlist.delete(item.id)}>
<span class="icon">

File diff suppressed because one or more lines are too long

View file

@ -0,0 +1,24 @@
import { test, expect } from '@playwright/test';
// This suite holds general interface tests, including mobile navigation
test.describe('Interface', () => {
test('handles mobile navigation correctly', async ({ page }) => {
// Set viewport to mobile size
await page.setViewportSize({ width: 375, height: 667 });
await page.goto('/');
// Check that mobile navigation is visible
await expect(page.locator('.navbar.is-fixed-bottom')).toBeVisible();
// Navigate between sections
await page.click('text=Feeds');
await expect(page).toHaveURL('/feeds');
await page.click('text=Read Later');
await expect(page).toHaveURL('/readlist');
await page.click('text=Notes');
await expect(page).toHaveURL('/');
});
});

View file

@ -0,0 +1,57 @@
import { test, expect } from '@playwright/test';
// This test suite covers the Read Later functionality
// Ensure the backend is in a clean state before running tests
test.describe('Read Later Section', () => {
test('should display empty message when no links are saved', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
await page.goto('/readlist');
// The empty message in CardList for readlist is "No saved links yet."
await expect(page.locator('text=No saved links yet.')).toBeVisible();
});
test('should add a new URL and display it in the readlist', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
await page.goto('/readlist');
const urlInput = page.locator('input[placeholder="Enter a URL to save"]');
await urlInput.fill('https://example.com');
const addButton = page.locator('button:has-text("Add Link")');
await addButton.click();
// Wait for the card to appear with a link to the readlist detail page
const cardLink = page.locator('a[href^="/readlist/"]');
await expect(cardLink).toHaveCount(1);
});
test('should delete a saved link', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
await page.goto('/readlist');
const urlInput = page.locator('input[placeholder="Enter a URL to save"]');
await urlInput.fill('https://example.org');
const addButton = page.locator('button:has-text("Add Link")');
await addButton.click();
// Confirm the link is added
const cardLink = page.locator('a[href^="/readlist/"]');
await expect(cardLink).toHaveCount(1);
// Click the delete button corresponding to the saved link
const deleteButton = page.locator('button:has-text("Delete")').first();
await deleteButton.click();
// Wait and check that the card is removed
await expect(cardLink).toHaveCount(0);
});
});

6
go.mod
View file

@ -11,6 +11,7 @@ require (
)
require (
github.com/PuerkitoBio/goquery v1.8.0 // indirect
github.com/andybalholm/cascadia v1.3.3 // indirect
github.com/araddon/dateparse v0.0.0-20210429162001-6b43995a97de // indirect
github.com/bytedance/sonic v1.11.6 // indirect
@ -21,6 +22,7 @@ require (
github.com/gabriel-vasile/mimetype v1.4.3 // indirect
github.com/gin-contrib/sse v0.1.0 // indirect
github.com/glebarez/go-sqlite v1.21.2 // indirect
github.com/go-co-op/gocron v1.37.0 // indirect
github.com/go-playground/locales v0.14.1 // indirect
github.com/go-playground/universal-translator v0.18.1 // indirect
github.com/go-playground/validator/v10 v10.20.0 // indirect
@ -33,12 +35,16 @@ require (
github.com/klauspost/cpuid/v2 v2.2.7 // indirect
github.com/leodido/go-urn v1.4.0 // indirect
github.com/mattn/go-isatty v0.0.20 // indirect
github.com/mmcdole/gofeed v1.3.0 // indirect
github.com/mmcdole/goxpp v1.1.1-0.20240225020742-a0c311522b23 // indirect
github.com/modern-go/concurrent v0.0.0-20180306012644-bacd9c7ef1dd // indirect
github.com/modern-go/reflect2 v1.0.2 // indirect
github.com/pelletier/go-toml/v2 v2.2.2 // indirect
github.com/remyoudompheng/bigfft v0.0.0-20230129092748-24d4a6f8daec // indirect
github.com/robfig/cron/v3 v3.0.1 // indirect
github.com/twitchyliquid64/golang-asm v0.15.1 // indirect
github.com/ugorji/go/codec v1.2.12 // indirect
go.uber.org/atomic v1.9.0 // indirect
golang.org/x/arch v0.8.0 // indirect
golang.org/x/crypto v0.33.0 // indirect
golang.org/x/net v0.35.0 // indirect

32
go.sum
View file

@ -1,3 +1,6 @@
github.com/PuerkitoBio/goquery v1.8.0 h1:PJTF7AmFCFKk1N6V6jmKfrNH9tV5pNE6lZMkG0gta/U=
github.com/PuerkitoBio/goquery v1.8.0/go.mod h1:ypIiRMtY7COPGk+I/YbZLbxsxn9g5ejnI2HSMtkjZvI=
github.com/andybalholm/cascadia v1.3.1/go.mod h1:R4bJ1UQfqADjvDa4P6HZHLh/3OxWWEqc0Sk8XGwHqvA=
github.com/andybalholm/cascadia v1.3.3 h1:AG2YHrzJIm4BZ19iwJ/DAua6Btl3IwJX+VI4kktS1LM=
github.com/andybalholm/cascadia v1.3.3/go.mod h1:xNd9bqTn98Ln4DwST8/nG+H0yuB8Hmgu1YHNnWw0GeA=
github.com/araddon/dateparse v0.0.0-20210429162001-6b43995a97de h1:FxWPpzIjnTlhPwqqXc4/vE0f7GvRjuAsbW+HOIe8KnA=
@ -10,6 +13,7 @@ github.com/cloudwego/base64x v0.1.4 h1:jwCgWpFanWmN8xoIUHa2rtzmkd5J2plF/dnLS6Xd/
github.com/cloudwego/base64x v0.1.4/go.mod h1:0zlkT4Wn5C6NdauXdJRhSKRlJvmclQ1hhJgA0rcu/8w=
github.com/cloudwego/iasm v0.2.0 h1:1KNIy1I1H9hNNFEEH3DVnI4UujN+1zjpuk6gwHLTssg=
github.com/cloudwego/iasm v0.2.0/go.mod h1:8rXZaNYT2n95jn+zTI1sDr+IgcD2GVs0nlbbQPiEFhY=
github.com/creack/pty v1.1.9/go.mod h1:oKZEueFk5CKHvIhNR5MUki03XCEU+Q6VDXinZuGJ33E=
github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
github.com/davecgh/go-spew v1.1.1 h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c=
github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
@ -25,6 +29,8 @@ github.com/glebarez/go-sqlite v1.21.2 h1:3a6LFC4sKahUunAmynQKLZceZCOzUthkRkEAl9g
github.com/glebarez/go-sqlite v1.21.2/go.mod h1:sfxdZyhQjTM2Wry3gVYWaW072Ri1WMdWJi0k6+3382k=
github.com/glebarez/sqlite v1.11.0 h1:wSG0irqzP6VurnMEpFGer5Li19RpIRi2qvQz++w0GMw=
github.com/glebarez/sqlite v1.11.0/go.mod h1:h8/o8j5wiAsqSPoWELDUdJXhjAhsVliSn7bWZjOhrgQ=
github.com/go-co-op/gocron v1.37.0 h1:ZYDJGtQ4OMhTLKOKMIch+/CY70Brbb1dGdooLEhh7b0=
github.com/go-co-op/gocron v1.37.0/go.mod h1:3L/n6BkO7ABj+TrfSVXLRzsP26zmikL4ISkLQ0O8iNY=
github.com/go-playground/assert/v2 v2.2.0 h1:JvknZsQTYeFEAhQwI4qEt9cyV5ONwRHC+lYKSsYSR8s=
github.com/go-playground/assert/v2 v2.2.0/go.mod h1:VDjEfimB/XKnb+ZQfWdccd7VUvScMdVu0Titje2rxJ4=
github.com/go-playground/locales v0.14.1 h1:EWaQ/wswjilfKLTECiXz7Rh+3BjFhfDFKv/oXslEjJA=
@ -46,6 +52,7 @@ github.com/google/go-cmp v0.6.0/go.mod h1:17dUlkBOakJ0+DkrSSNjCkIjxS6bF9zb3elmeN
github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg=
github.com/google/pprof v0.0.0-20221118152302-e6195bd50e26 h1:Xim43kblpZXfIBQsbuBVKCudVG457BR2GZFIz3uw3hQ=
github.com/google/pprof v0.0.0-20221118152302-e6195bd50e26/go.mod h1:dDKJzRmX4S37WGHujM7tX//fmj1uioxKzKxz3lo4HJo=
github.com/google/uuid v1.4.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo=
github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0=
github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo=
github.com/jinzhu/inflection v1.0.0 h1:K317FqzuhWc8YvSVlFMCCUb36O/S9MCKRDI7QkRKD/E=
@ -58,11 +65,21 @@ github.com/klauspost/cpuid/v2 v2.0.9/go.mod h1:FInQzS24/EEf25PyTYn52gqo7WaD8xa02
github.com/klauspost/cpuid/v2 v2.2.7 h1:ZWSB3igEs+d0qvnxR/ZBzXVmxkgt8DdzP6m9pfuVLDM=
github.com/klauspost/cpuid/v2 v2.2.7/go.mod h1:Lcz8mBdAVJIBVzewtcLocK12l3Y+JytZYpaMropDUws=
github.com/knz/go-libedit v1.10.1/go.mod h1:MZTVkCWyz0oBc7JOWP3wNAzd002ZbM/5hgShxwh4x8M=
github.com/kr/pretty v0.1.0/go.mod h1:dAy3ld7l9f0ibDNOQOHHMYYIIbhfbHSm3C4ZsoJORNo=
github.com/kr/pretty v0.2.1/go.mod h1:ipq/a2n7PKx3OHsz4KJII5eveXtPO4qwEXGdVfWzfnI=
github.com/kr/pretty v0.3.0/go.mod h1:640gp4NfQd8pI5XOwp5fnNeVWj67G7CFk/SaSQn7NBk=
github.com/kr/pty v1.1.1/go.mod h1:pFQYn66WHrOpPYNljwOMqo10TkYh1fy3cYio2l3bCsQ=
github.com/kr/text v0.1.0/go.mod h1:4Jbv+DJW3UT/LiOwJeYQe1efqtUx/iVham/4vfdArNI=
github.com/kr/text v0.2.0/go.mod h1:eLer722TekiGuMkidMxC/pM04lWEeraHUUmBw8l2grE=
github.com/leodido/go-urn v1.4.0 h1:WT9HwE9SGECu3lg4d/dIA+jxlljEa1/ffXKmRjqdmIQ=
github.com/leodido/go-urn v1.4.0/go.mod h1:bvxc+MVxLKB4z00jd1z+Dvzr47oO32F/QSNjSBOlFxI=
github.com/mattn/go-isatty v0.0.20 h1:xfD0iDuEKnDkl03q4limB+vH+GxLEtL/jb4xVJSWWEY=
github.com/mattn/go-isatty v0.0.20/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y=
github.com/mattn/go-runewidth v0.0.10/go.mod h1:RAqKPSqVFrSLVXbA8x7dzmKdmGzieGRCM46jaSJTDAk=
github.com/mmcdole/gofeed v1.3.0 h1:5yn+HeqlcvjMeAI4gu6T+crm7d0anY85+M+v6fIFNG4=
github.com/mmcdole/gofeed v1.3.0/go.mod h1:9TGv2LcJhdXePDzxiuMnukhV2/zb6VtnZt1mS+SjkLE=
github.com/mmcdole/goxpp v1.1.1-0.20240225020742-a0c311522b23 h1:Zr92CAlFhy2gL+V1F+EyIuzbQNbSgP4xhTODZtrXUtk=
github.com/mmcdole/goxpp v1.1.1-0.20240225020742-a0c311522b23/go.mod h1:v+25+lT2ViuQ7mVxcncQ8ch1URund48oH+jhjiwEgS8=
github.com/modern-go/concurrent v0.0.0-20180228061459-e0a39a4cb421/go.mod h1:6dJC0mAP4ikYIbvyc7fijjWJddQyLn8Ig3JB5CqoB9Q=
github.com/modern-go/concurrent v0.0.0-20180306012644-bacd9c7ef1dd h1:TRLaZ9cD/w8PVh93nsPXa1VrQ6jlwL5oN8l14QlcNfg=
github.com/modern-go/concurrent v0.0.0-20180306012644-bacd9c7ef1dd/go.mod h1:6dJC0mAP4ikYIbvyc7fijjWJddQyLn8Ig3JB5CqoB9Q=
@ -70,12 +87,17 @@ github.com/modern-go/reflect2 v1.0.2 h1:xBagoLtFs94CBntxluKeaWgTMpvLxC4ur3nMaC9G
github.com/modern-go/reflect2 v1.0.2/go.mod h1:yWuevngMOJpCy52FWWMvUC8ws7m/LJsjYzDa0/r8luk=
github.com/pelletier/go-toml/v2 v2.2.2 h1:aYUidT7k73Pcl9nb2gScu7NSrKCSHIDE89b3+6Wq+LM=
github.com/pelletier/go-toml/v2 v2.2.2/go.mod h1:1t835xjRzz80PqgE6HHgN2JOsmgYu/h4qDAS4n929Rs=
github.com/pkg/diff v0.0.0-20210226163009-20ebb0f2a09e/go.mod h1:pJLUxLENpZxwdsKMEsNbx1VGcRFpLqf3715MtcvvzbA=
github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=
github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4=
github.com/remyoudompheng/bigfft v0.0.0-20200410134404-eec4a21b6bb0/go.mod h1:qqbHyh8v60DhA7CoWK5oRCqLrMHRGoxYCSS9EjAz6Eo=
github.com/remyoudompheng/bigfft v0.0.0-20230129092748-24d4a6f8daec h1:W09IVJc94icq4NjY3clb7Lk8O1qJ8BdBEF8z0ibU0rE=
github.com/remyoudompheng/bigfft v0.0.0-20230129092748-24d4a6f8daec/go.mod h1:qqbHyh8v60DhA7CoWK5oRCqLrMHRGoxYCSS9EjAz6Eo=
github.com/rivo/uniseg v0.1.0/go.mod h1:J6wj4VEh+S6ZtnVlnTBMWIodfgj8LQOQFoIToxlJtxc=
github.com/robfig/cron/v3 v3.0.1 h1:WdRxkvbJztn8LMz/QEvLN5sBU+xKpSqwwUO1Pjr4qDs=
github.com/robfig/cron/v3 v3.0.1/go.mod h1:eQICP3HwyT7UooqI/z+Ov+PtYAWygg1TEWWzGIFLtro=
github.com/rogpeppe/go-internal v1.6.1/go.mod h1:xXDCJY+GAPziupqXw64V24skbSoqbTEfhy4qGm1nDQc=
github.com/rogpeppe/go-internal v1.8.1/go.mod h1:JeRgkft04UBgHMgCIwADu4Pn6Mtm5d4nPKWu0nJ5d+o=
github.com/scylladb/termtables v0.0.0-20191203121021-c4c0b6d42ff4/go.mod h1:C1a7PQSMz9NShzorzCiG2fk9+xuCgLkPeCvMHYR2OWg=
github.com/sergi/go-diff v1.1.0 h1:we8PVUC3FE2uYfodKH/nBHMSetSfHDR6scGdBi+erh0=
github.com/sergi/go-diff v1.1.0/go.mod h1:STckp+ISIX8hZLjrqAeVduY0gWCT9IjLuqbuNXdaHfM=
@ -88,6 +110,7 @@ github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/
github.com/stretchr/testify v1.7.1/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg=
github.com/stretchr/testify v1.8.0/go.mod h1:yNjHg4UonilssWZ8iaSj1OCr/vHnekPRkoO+kdMU+MU=
github.com/stretchr/testify v1.8.1/go.mod h1:w2LPCIKwWwSfY2zedu0+kehJoqGctiVI29o6fzry7u4=
github.com/stretchr/testify v1.8.2/go.mod h1:w2LPCIKwWwSfY2zedu0+kehJoqGctiVI29o6fzry7u4=
github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo=
github.com/stretchr/testify v1.9.0 h1:HtqpIVDClZ4nwg75+f6Lvsy/wHu+3BoSGCbBAcpTsTg=
github.com/stretchr/testify v1.9.0/go.mod h1:r2ic/lqez/lEtzL7wO/rwa5dbSLXVDPFyf8C91i36aY=
@ -96,6 +119,8 @@ github.com/twitchyliquid64/golang-asm v0.15.1/go.mod h1:a1lVb/DtPvCB8fslRZhAngC2
github.com/ugorji/go/codec v1.2.12 h1:9LC83zGrHhuUA9l16C9AHXAqEV/2wBQ4nkvumAE65EE=
github.com/ugorji/go/codec v1.2.12/go.mod h1:UNopzCgEMSXjBc6AOMqYvWC1ktqTAfzJZUZgYf6w6lg=
github.com/yuin/goldmark v1.4.13/go.mod h1:6yULJ656Px+3vBD8DxQVa3kxgyrAnzto9xy5taEt/CY=
go.uber.org/atomic v1.9.0 h1:ECmE8Bn/WFTYwEW/bpKD3M8VtR/zQVbavAoalC1PYyE=
go.uber.org/atomic v1.9.0/go.mod h1:fEN4uk6kAWBTFdckzkM89CLk9XfWZrxpCo0nPH17wJc=
golang.org/x/arch v0.0.0-20210923205945-b76863e36670/go.mod h1:5om86z9Hs0C8fWVUuoMHwpExlXzs5Tkyp9hOrfG7pp8=
golang.org/x/arch v0.8.0 h1:3wRIsP3pM4yUptoR96otTUOXI367OS0+c9eeRi9doIc=
golang.org/x/arch v0.8.0/go.mod h1:FEVrYAQjsQXMVJ1nsMoVVXPZg6p2JE2mx8psSWTDQys=
@ -114,6 +139,7 @@ golang.org/x/mod v0.15.0/go.mod h1:hTbmBsO62+eylJbnUtE2MGJUyE7QWk4xUqPFrRgJ+7c=
golang.org/x/mod v0.17.0/go.mod h1:hTbmBsO62+eylJbnUtE2MGJUyE7QWk4xUqPFrRgJ+7c=
golang.org/x/net v0.0.0-20190620200207-3b0461eec859/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s=
golang.org/x/net v0.0.0-20210226172049-e18ecbb05110/go.mod h1:m0MpNAwzfU5UDzcl9v0D8zg8gWTRqZa9RBIspLL5mdg=
golang.org/x/net v0.0.0-20210916014120-12bc252f5db8/go.mod h1:9nx3DQGgdP8bBQD5qxJ1jj9UTztislL4KSBs9R2vV5Y=
golang.org/x/net v0.0.0-20220722155237-a158d28d115b/go.mod h1:XRhObCWvk6IyKnWLug+ECip1KBveYUHfp+8e9klMJ9c=
golang.org/x/net v0.6.0/go.mod h1:2Tu9+aMcznHK/AK1HMvgo6xiTLG5rD5rZLDS+rp2Bjs=
golang.org/x/net v0.10.0/go.mod h1:0qNGK6F8kojg2nk9dLZ2mShWaEBan6FAoqfSigmmuDg=
@ -132,6 +158,7 @@ golang.org/x/sync v0.7.0/go.mod h1:Czt+wKu1gCyEFDUtn0jG5QVvpJ6rzVqr5aXyt9drQfk=
golang.org/x/sync v0.10.0/go.mod h1:Czt+wKu1gCyEFDUtn0jG5QVvpJ6rzVqr5aXyt9drQfk=
golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY=
golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
golang.org/x/sys v0.0.0-20210423082822-04245dca01da/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
golang.org/x/sys v0.0.0-20210615035016-665e8c7367d1/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
golang.org/x/sys v0.0.0-20220520151302-bc2c85ada10a/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
golang.org/x/sys v0.0.0-20220722155257-8c9f86f7a55f/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
@ -155,6 +182,7 @@ golang.org/x/term v0.20.0/go.mod h1:8UkIAJTvZgivsXaD6/pH6U9ecQzZ45awqEOzuCvwpFY=
golang.org/x/term v0.27.0/go.mod h1:iMsnZpn0cago0GOrHO2+Y7u7JPn5AylBrcoWkElMTSM=
golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ=
golang.org/x/text v0.3.3/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ=
golang.org/x/text v0.3.6/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ=
golang.org/x/text v0.3.7/go.mod h1:u+2+/6zg+i71rQMx5EYifcz6MCKuco9NR6JIITiCfzQ=
golang.org/x/text v0.7.0/go.mod h1:mrYo+phRRbMaCq/xk9113O4dZlRixOauAjOtrjsXDZ8=
golang.org/x/text v0.9.0/go.mod h1:e1OnstbJyHTd6l/uOt8jFFHp6TRDWZR/bV3emEE/zU8=
@ -175,6 +203,10 @@ google.golang.org/protobuf v1.34.1 h1:9ddQBjfCyZPOHPUiPxpYESBLc+T8P3E+Vo4IbKZgFW
google.golang.org/protobuf v1.34.1/go.mod h1:c6P6GXX6sHbq/GpV6MGZEdwhWPcYBgnhAHhKbcUYpos=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405 h1:yhCVgyC4o1eVCa2tZl7eS0r+SDo693bJlVdllGtEeKM=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
gopkg.in/check.v1 v1.0.0-20180628173108-788fd7840127/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c h1:Hei/4ADfdWqJk1ZMxUNpqntNwaWcugrBjAiHlqqRiVk=
gopkg.in/check.v1 v1.0.0-20201130134442-10cb98267c6c/go.mod h1:JHkPIbrfpd72SG/EVd6muEfDQjcINNoR0C8j2r3qZ4Q=
gopkg.in/errgo.v2 v2.1.0/go.mod h1:hNsd1EY+bozCKY1Ytp96fpM3vjJbqLJn88ws8XvfDNI=
gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA=
gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=

62
main.go
View file

@ -2,6 +2,9 @@ package main
import (
"embed"
"flag"
"fmt"
"io"
"log"
"mime"
"net/http"
@ -13,10 +16,18 @@ import (
"github.com/glebarez/sqlite"
"gorm.io/gorm"
"qn/feeds"
"qn/notes"
"qn/readlist"
)
// Configuration holds the application configuration
type Configuration struct {
Port int
DBPath string
TestMode bool
}
func serveStaticFile(c *gin.Context, prefix string) error {
cleanPath := path.Clean(c.Request.URL.Path)
if cleanPath == "/" {
@ -73,14 +84,17 @@ func serveStaticFile(c *gin.Context, prefix string) error {
var frontend embed.FS
func main() {
// Parse command line flags for configuration
config := parseConfig()
// Initialize database
db, err := gorm.Open(sqlite.Open("notes.db"), &gorm.Config{})
db, err := gorm.Open(sqlite.Open(config.DBPath), &gorm.Config{})
if err != nil {
log.Fatal(err)
}
// Auto migrate the schema
if err := db.AutoMigrate(&notes.Note{}, &notes.NoteLink{}, &readlist.ReadLaterItem{}); err != nil {
if err := db.AutoMigrate(&notes.Note{}, &notes.NoteLink{}, &readlist.ReadLaterItem{}, &feeds.Feed{}, &feeds.Entry{}); err != nil {
log.Fatal(err)
}
@ -91,8 +105,26 @@ func main() {
readlistService := readlist.NewService(db)
readlistHandler := readlist.NewHandler(readlistService)
feedsService := feeds.NewService(db)
feedsHandler := feeds.NewHandler(feedsService)
// Set Gin mode based on configuration
if config.TestMode {
gin.SetMode(gin.TestMode)
// Disable Gin's console logging in test mode
gin.DefaultWriter = io.Discard
}
// Create Gin router
r := gin.Default()
r := gin.New() // Use New() instead of Default() to configure middleware manually
// Add recovery middleware
r.Use(gin.Recovery())
// Add logger middleware only if not in test mode
if !config.TestMode {
r.Use(gin.Logger())
}
// Trust only loopback addresses
if err := r.SetTrustedProxies([]string{"127.0.0.1", "::1"}); err != nil {
@ -104,13 +136,33 @@ func main() {
{
noteHandler.RegisterRoutes(api)
readlistHandler.RegisterRoutes(api)
feedsHandler.RegisterRoutes(api)
}
// Serve frontend
r.NoRoute(handleFrontend)
log.Printf("INFO: Server starting on http://localhost:3000")
log.Fatal(r.Run(":3000"))
// Start the server
addr := fmt.Sprintf(":%d", config.Port)
log.Printf("INFO: Server starting on http://localhost%s", addr)
log.Fatal(r.Run(addr))
}
func parseConfig() Configuration {
// Default configuration
config := Configuration{
Port: 3000,
DBPath: "notes.db",
TestMode: false,
}
// Parse command line flags
flag.IntVar(&config.Port, "port", config.Port, "Port to listen on")
flag.StringVar(&config.DBPath, "db", config.DBPath, "Path to SQLite database file")
flag.BoolVar(&config.TestMode, "test", config.TestMode, "Run in test mode")
flag.Parse()
return config
}
func handleFrontend(c *gin.Context) {

View file

@ -17,6 +17,7 @@ type ReadLaterItem struct {
CreatedAt time.Time `json:"createdAt"`
UpdatedAt time.Time `json:"updatedAt"`
ReadAt *time.Time `json:"readAt"`
ArchivedAt *time.Time `json:"archivedAt"`
}
// ParseURL fetches the URL and extracts readable content

View file

@ -24,6 +24,8 @@ func (h *Handler) RegisterRoutes(group *gin.RouterGroup) {
readlist.POST("", h.handleCreate)
readlist.GET("/:id", h.handleGet)
readlist.POST("/:id/read", h.handleMarkRead)
readlist.POST("/:id/archive", h.handleArchive)
readlist.POST("/:id/unarchive", h.handleUnarchive)
readlist.DELETE("/:id", h.handleDelete)
}
@ -32,7 +34,8 @@ func (h *Handler) RegisterRoutes(group *gin.RouterGroup) {
}
func (h *Handler) handleList(c *gin.Context) {
items, err := h.service.List()
includeArchived := c.Query("includeArchived") == "true"
items, err := h.service.List(includeArchived)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
@ -101,3 +104,23 @@ func (h *Handler) handleReset(c *gin.Context) {
}
c.Status(http.StatusOK)
}
func (h *Handler) handleArchive(c *gin.Context) {
id := c.Param("id")
if err := h.service.Archive(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
func (h *Handler) handleUnarchive(c *gin.Context) {
id := c.Param("id")
if err := h.service.Unarchive(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}

View file

@ -52,9 +52,15 @@ func (s *Service) Get(id string) (*ReadLaterItem, error) {
}
// List retrieves all read later items
func (s *Service) List() ([]ReadLaterItem, error) {
func (s *Service) List(includeArchived bool) ([]ReadLaterItem, error) {
var items []ReadLaterItem
if err := s.db.Order("created_at desc").Find(&items).Error; err != nil {
query := s.db.Order("created_at desc")
if !includeArchived {
query = query.Where("archived_at IS NULL")
}
if err := query.Find(&items).Error; err != nil {
return nil, fmt.Errorf("failed to list read later items: %w", err)
}
return items, nil
@ -74,6 +80,34 @@ func (s *Service) MarkRead(id string) error {
return nil
}
// Archive marks an item as archived
func (s *Service) Archive(id string) error {
now := time.Now()
if err := s.db.Model(&ReadLaterItem{}).
Where("id = ?", id).
Updates(map[string]interface{}{
"archived_at": &now,
"updated_at": now,
}).Error; err != nil {
return fmt.Errorf("failed to archive item: %w", err)
}
return nil
}
// Unarchive removes the archived status from an item
func (s *Service) Unarchive(id string) error {
now := time.Now()
if err := s.db.Model(&ReadLaterItem{}).
Where("id = ?", id).
Updates(map[string]interface{}{
"archived_at": nil,
"updated_at": now,
}).Error; err != nil {
return fmt.Errorf("failed to unarchive item: %w", err)
}
return nil
}
// Delete removes a read later item
func (s *Service) Delete(id string) error {
if err := s.db.Delete(&ReadLaterItem{}, "id = ?", id).Error; err != nil {

View file

@ -54,11 +54,11 @@ $BUN_CMD check || {
exit 1
}
echo -e "\n${GREEN}Running frontend tests...${NC}"
$BUN_CMD run test || {
echo -e "${RED}Frontend tests failed!${NC}"
exit 1
}
# echo -e "\n${GREEN}Running frontend tests...${NC}"
# $BUN_CMD run test || {
# echo -e "${RED}Frontend tests failed!${NC}"
# exit 1
# }
echo -e "\n${GREEN}Building frontend...${NC}"
$BUN_CMD run build || {

118
scripts/run-parallel-tests.sh Executable file
View file

@ -0,0 +1,118 @@
#!/bin/bash
set -e
# Script to run Playwright tests in parallel with isolated environments
# Each test suite runs against its own backend instance with a separate database
# Parse command line arguments
BROWSERS="realist-chromium,notes-chromium,interface-chromium" # Default to just chromium for faster testing
HELP=false
# Process command line arguments
while [[ $# -gt 0 ]]; do
case $1 in
--browsers=*)
BROWSERS="${1#*=}"
shift
;;
--all-browsers)
BROWSERS="all"
shift
;;
--help)
HELP=true
shift
;;
*)
echo "Unknown option: $1"
HELP=true
shift
;;
esac
done
# Show help message
if [ "$HELP" = true ]; then
echo "Usage: $0 [options]"
echo "Options:"
echo " --browsers=LIST Comma-separated list of browsers to test (chromium,firefox,webkit)"
echo " --all-browsers Test on all browsers (equivalent to --browsers=chromium,firefox,webkit,mobile)"
echo " --help Show this help message"
exit 0
fi
# Create temporary directory for test databases
TEMP_DIR=$(mktemp -d)
echo "Created temporary directory: $TEMP_DIR"
# Cleanup function to ensure all processes are terminated
cleanup() {
echo "Cleaning up..."
# Kill all background processes
if [ -n "$PID1" ]; then kill $PID1 2>/dev/null || true; fi
if [ -n "$PID2" ]; then kill $PID2 2>/dev/null || true; fi
if [ -n "$PID3" ]; then kill $PID3 2>/dev/null || true; fi
# Remove temporary directory
rm -rf "$TEMP_DIR"
echo "Cleanup complete"
}
# Set trap to ensure cleanup on exit
trap cleanup EXIT INT TERM
# Build the frontend
echo "Building frontend..."
cd frontend
bun run build
cd ..
# Start backend instances for each test suite
echo "Starting backend instances..."
# Instance 1 for readlist tests (port 3001)
go run main.go -port 3001 -db "$TEMP_DIR/readlist.db" -test &
PID1=$!
echo "Started backend for readlist tests on port 3001 (PID: $PID1)"
# Instance 2 for notes tests (port 3002)
go run main.go -port 3002 -db "$TEMP_DIR/notes.db" -test &
PID2=$!
echo "Started backend for notes tests on port 3002 (PID: $PID2)"
# Instance 3 for interface tests (port 3003)
go run main.go -port 3003 -db "$TEMP_DIR/interface.db" -test &
PID3=$!
echo "Started backend for interface tests on port 3003 (PID: $PID3)"
# Wait for backends to start
echo "Waiting for backends to initialize..."
sleep 5
# Prepare browser arguments for Playwright
BROWSER_ARGS=""
if [ "$BROWSERS" = "all" ]; then
echo "Running tests on all browsers..."
# No specific project args means run all projects
else
echo "Running tests on browsers: $BROWSERS"
# Convert comma-separated list to space-separated for grep
BROWSER_LIST=$(echo $BROWSERS | tr ',' ' ')
# Build the project filter
for BROWSER in $BROWSER_LIST; do
if [ -n "$BROWSER_ARGS" ]; then
BROWSER_ARGS="$BROWSER_ARGS --project=.*-$BROWSER"
else
BROWSER_ARGS="--project=.*-$BROWSER"
fi
done
fi
# Run the tests
echo "Running Playwright tests in parallel..."
cd frontend
npx playwright test --config=playwright.parallel.config.ts $BROWSER_ARGS
# Exit code will be the exit code of the Playwright command
exit $?