From 1097cd8804db2cf0a84cf68edad68185571c4f12 Mon Sep 17 00:00:00 2001 From: Nicola Zangrandi Date: Tue, 4 Mar 2025 11:09:47 +0100 Subject: [PATCH] docs(specs): create comprehensive application specifications --- SPECS.md | 41 +++++ specs/api.md | 369 +++++++++++++++++++++++++++++++++++++ specs/architecture.md | 103 +++++++++++ specs/authentication.md | 93 ++++++++++ specs/database.md | 145 +++++++++++++++ specs/emacs_integration.md | 143 ++++++++++++++ specs/feeds.md | 154 ++++++++++++++++ specs/frontend.md | 187 +++++++++++++++++++ specs/notes.md | 144 +++++++++++++++ specs/readlist.md | 123 +++++++++++++ 10 files changed, 1502 insertions(+) create mode 100644 SPECS.md create mode 100644 specs/api.md create mode 100644 specs/architecture.md create mode 100644 specs/authentication.md create mode 100644 specs/database.md create mode 100644 specs/emacs_integration.md create mode 100644 specs/feeds.md create mode 100644 specs/frontend.md create mode 100644 specs/notes.md create mode 100644 specs/readlist.md diff --git a/SPECS.md b/SPECS.md new file mode 100644 index 0000000..96b9eb3 --- /dev/null +++ b/SPECS.md @@ -0,0 +1,41 @@ +# QuickNotes Application Specifications + +This document provides an overview of the QuickNotes application specifications. QuickNotes is a personal knowledge management system that allows users to create and manage notes, read later items, and RSS/Atom feeds. + +## Overview + +QuickNotes is built with a Go backend and a Svelte frontend. It uses SQLite for data storage and provides a RESTful API for communication between the frontend and backend. + +## Specification Documents + +The following table lists all the specification documents for the QuickNotes application: + +| Domain | Description | Link | +|--------|-------------|------| +| Architecture | Overall system architecture | [Architecture](specs/architecture.md) | +| Notes | Note creation, management, and linking | [Notes](specs/notes.md) | +| Readlist | Read later functionality | [Readlist](specs/readlist.md) | +| Feeds | RSS/Atom feed management | [Feeds](specs/feeds.md) | +| Database | Database schema and relationships | [Database](specs/database.md) | +| API | API endpoints and communication | [API](specs/api.md) | +| Frontend | User interface and client-side features | [Frontend](specs/frontend.md) | +| Authentication | User authentication (if applicable) | [Authentication](specs/authentication.md) | +| Emacs Integration | Emacs mode for QuickNotes | [Emacs Integration](specs/emacs_integration.md) | + +## Key Features + +- Create, edit, and delete notes with Markdown support +- Link notes together using wiki-style `[[note-title]]` syntax +- Visualize note connections with an interactive graph +- Save articles for later reading with automatic content extraction +- Manage and read RSS/Atom feeds +- Import notes from Obsidian vaults +- Emacs integration for accessing QuickNotes features + +## Technology Stack + +- **Backend**: Go with Gin web framework +- **Frontend**: Svelte with SvelteKit +- **Database**: SQLite with GORM +- **Package Management**: Bun (frontend), Go modules (backend) +- **Testing**: Go testing framework, Playwright for frontend testing \ No newline at end of file diff --git a/specs/api.md b/specs/api.md new file mode 100644 index 0000000..aa7c6c3 --- /dev/null +++ b/specs/api.md @@ -0,0 +1,369 @@ +# API Specification + +## Overview + +QuickNotes provides a RESTful API for communication between the frontend and backend. The API is built using the Gin web framework and follows REST principles. + +## Base URL + +All API endpoints are prefixed with `/api`. + +## Authentication + +The API does not currently implement authentication as it is designed for local use. + +## Response Format + +API responses are formatted as JSON with the following structure: + +- For successful responses returning data: + ```json + { + "field1": "value1", + "field2": "value2", + ... + } + ``` + +- For successful responses returning arrays: + ```json + [ + { + "field1": "value1", + "field2": "value2", + ... + }, + ... + ] + ``` + +- For error responses: + ```json + { + "error": "Error message" + } + ``` + +## Status Codes + +The API uses standard HTTP status codes: + +- `200 OK`: The request was successful +- `400 Bad Request`: The request was invalid +- `404 Not Found`: The requested resource was not found +- `500 Internal Server Error`: An error occurred on the server + +## Endpoints + +### Notes + +#### List Notes + +- **URL**: `/api/notes` +- **Method**: `GET` +- **Description**: Get a list of all notes +- **Response**: Array of Note objects + ```json + [ + { + "id": "note-id", + "title": "Note Title", + "content": "Note content in Markdown", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z" + }, + ... + ] + ``` + +#### Create Note + +- **URL**: `/api/notes` +- **Method**: `POST` +- **Description**: Create a new note +- **Request Body**: Note object without ID + ```json + { + "title": "Note Title", + "content": "Note content in Markdown" + } + ``` +- **Response**: Created Note object with ID + ```json + { + "id": "note-id", + "title": "Note Title", + "content": "Note content in Markdown", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z" + } + ``` + +#### Get Note + +- **URL**: `/api/notes/:id` +- **Method**: `GET` +- **Description**: Get a specific note by ID +- **URL Parameters**: `id` - ID of the note +- **Response**: Note object + ```json + { + "id": "note-id", + "title": "Note Title", + "content": "Note content in Markdown", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z", + "linksTo": [ + { + "id": "linked-note-id", + "title": "Linked Note Title" + } + ], + "linkedBy": [ + { + "id": "linking-note-id", + "title": "Linking Note Title" + } + ] + } + ``` + +#### Update Note + +- **URL**: `/api/notes/:id` +- **Method**: `PUT` +- **Description**: Update a specific note +- **URL Parameters**: `id` - ID of the note +- **Request Body**: Note object with updated fields + ```json + { + "title": "Updated Title", + "content": "Updated content" + } + ``` +- **Response**: Updated Note object + ```json + { + "id": "note-id", + "title": "Updated Title", + "content": "Updated content", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-02T12:00:00Z" + } + ``` + +#### Delete Note + +- **URL**: `/api/notes/:id` +- **Method**: `DELETE` +- **Description**: Delete a specific note +- **URL Parameters**: `id` - ID of the note +- **Response**: Empty response with status code 200 + +#### Import Obsidian Vault + +- **URL**: `/api/notes/import` +- **Method**: `POST` +- **Description**: Import notes from an Obsidian vault +- **Request Body**: Multipart form with a `file` field containing the zip file +- **Response**: Import result + ```json + { + "imported": 42 + } + ``` + +### Readlist + +#### List Read Later Items + +- **URL**: `/api/readlist` +- **Method**: `GET` +- **Description**: Get a list of all read later items +- **Query Parameters**: + - `status` - Filter by status (`read`, `unread`, `archived`, `unarchived`) +- **Response**: Array of ReadLaterItem objects + ```json + [ + { + "id": "item-id", + "url": "https://example.com/article", + "title": "Article Title", + "description": "Article description", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z", + "readAt": null, + "archivedAt": null + }, + ... + ] + ``` + +#### Save Article + +- **URL**: `/api/readlist` +- **Method**: `POST` +- **Description**: Save a new article +- **Request Body**: ReadLaterItem object with URL + ```json + { + "url": "https://example.com/article" + } + ``` +- **Response**: Created ReadLaterItem object + ```json + { + "id": "item-id", + "url": "https://example.com/article", + "title": "Article Title", + "content": "Article content in HTML", + "description": "Article description", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z", + "readAt": null, + "archivedAt": null + } + ``` + +#### Get Article + +- **URL**: `/api/readlist/:id` +- **Method**: `GET` +- **Description**: Get a specific article by ID +- **URL Parameters**: `id` - ID of the article +- **Response**: ReadLaterItem object + ```json + { + "id": "item-id", + "url": "https://example.com/article", + "title": "Article Title", + "content": "Article content in HTML", + "description": "Article description", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z", + "readAt": null, + "archivedAt": null + } + ``` + +#### Mark as Read/Unread + +- **URL**: `/api/readlist/:id/read` or `/api/readlist/:id/unread` +- **Method**: `PUT` +- **Description**: Mark an article as read or unread +- **URL Parameters**: `id` - ID of the article +- **Response**: Updated ReadLaterItem object + +#### Archive/Unarchive + +- **URL**: `/api/readlist/:id/archive` or `/api/readlist/:id/unarchive` +- **Method**: `PUT` +- **Description**: Archive or unarchive an article +- **URL Parameters**: `id` - ID of the article +- **Response**: Updated ReadLaterItem object + +### Feeds + +#### List Feeds + +- **URL**: `/api/feeds` +- **Method**: `GET` +- **Description**: Get a list of all feeds +- **Response**: Array of Feed objects + ```json + [ + { + "id": "feed-id", + "title": "Feed Title", + "url": "https://example.com/feed.xml", + "description": "Feed description", + "siteUrl": "https://example.com", + "imageUrl": "https://example.com/logo.png", + "lastFetched": "2023-01-01T12:00:00Z", + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z" + }, + ... + ] + ``` + +#### Subscribe to Feed + +- **URL**: `/api/feeds` +- **Method**: `POST` +- **Description**: Subscribe to a new feed +- **Request Body**: Feed object with URL + ```json + { + "url": "https://example.com/feed.xml" + } + ``` +- **Response**: Created Feed object + +#### List Entries + +- **URL**: `/api/feeds/entries` or `/api/feeds/:id/entries` +- **Method**: `GET` +- **Description**: Get a list of entries from all feeds or a specific feed +- **URL Parameters**: `id` (optional) - ID of the feed +- **Query Parameters**: + - `status` - Filter by status (`read`, `unread`) + - `limit` - Maximum number of entries to return + - `offset` - Offset for pagination +- **Response**: Array of Entry objects + ```json + [ + { + "id": "entry-id", + "feedId": "feed-id", + "title": "Entry Title", + "url": "https://example.com/article", + "content": "Entry content in HTML", + "summary": "Entry summary", + "author": "Author Name", + "published": "2023-01-01T12:00:00Z", + "updated": "2023-01-01T12:00:00Z", + "readAt": null, + "createdAt": "2023-01-01T12:00:00Z", + "updatedAt": "2023-01-01T12:00:00Z" + }, + ... + ] + ``` + +#### Refresh Feeds + +- **URL**: `/api/feeds/refresh` or `/api/feeds/:id/refresh` +- **Method**: `POST` +- **Description**: Refresh all feeds or a specific feed +- **URL Parameters**: `id` (optional) - ID of the feed +- **Response**: Refresh result + ```json + { + "newEntries": 5 + } + ``` + +## Error Handling + +The API handles errors by returning appropriate HTTP status codes and error messages: + +```json +{ + "error": "Detailed error message" +} +``` + +Common error scenarios: + +1. **Invalid Input**: Returns 400 Bad Request +2. **Resource Not Found**: Returns 404 Not Found +3. **Server Error**: Returns 500 Internal Server Error + +## Rate Limiting + +The API does not currently implement rate limiting as it is designed for local use. + +## Versioning + +The API does not currently implement versioning. Future versions may include a version prefix in the URL path (e.g., `/api/v1/notes`). \ No newline at end of file diff --git a/specs/architecture.md b/specs/architecture.md new file mode 100644 index 0000000..c25dc93 --- /dev/null +++ b/specs/architecture.md @@ -0,0 +1,103 @@ +# Architecture Specification + +## Overview + +QuickNotes is a personal knowledge management application with a client-server architecture. It consists of a Go backend and a Svelte frontend, with SQLite as the database. + +## System Components + +### Backend + +The backend is built with Go and uses the following key components: + +1. **Gin Web Framework**: Handles HTTP routing and middleware +2. **GORM**: Object-relational mapping for database operations +3. **SQLite**: Embedded database for data storage +4. **Domain Modules**: + - Notes: Manages note creation, retrieval, and linking + - Readlist: Handles read-later functionality + - Feeds: Manages RSS/Atom feed subscriptions and entries + +### Frontend + +The frontend is built with Svelte and SvelteKit, providing a responsive single-page application experience: + +1. **SvelteKit**: Framework for building the frontend application +2. **Bulma CSS**: CSS framework for styling +3. **FontAwesome**: Icon library +4. **D3.js**: Used for the notes graph visualization +5. **Marked**: Markdown parsing and rendering + +### Database + +SQLite is used as the database, with the following main tables: + +1. **Notes**: Stores user notes +2. **Note Links**: Stores relationships between notes +3. **Read Later Items**: Stores saved articles +4. **Feeds**: Stores feed subscriptions +5. **Entries**: Stores feed entries + +## Communication Flow + +1. The frontend communicates with the backend via RESTful API calls +2. The backend processes these requests, interacts with the database, and returns responses +3. The frontend renders the data and handles user interactions + +``` +┌─────────────┐ HTTP/JSON ┌─────────────┐ SQL ┌─────────────┐ +│ Frontend │ ─────────────────► │ Backend │ ───────────► │ Database │ +│ (Svelte) │ ◄───────────────── │ (Go) │ ◄─────────── │ (SQLite) │ +└─────────────┘ └─────────────┘ └─────────────┘ +``` + +## Deployment Architecture + +The application is designed to be run locally as a single binary that embeds the frontend assets: + +1. The Go backend serves the compiled Svelte frontend +2. The SQLite database is stored as a local file +3. The application is accessed via a web browser at `http://localhost:3000` + +## File Structure + +``` +quicknotes/ +├── main.go # Application entry point +├── go.mod # Go module definition +├── go.sum # Go module checksums +├── notes/ # Notes module +│ ├── model.go # Note data models +│ ├── service.go # Business logic +│ └── routes.go # API endpoints +├── readlist/ # Readlist module +│ ├── model.go # Readlist data models +│ ├── service.go # Business logic +│ └── routes.go # API endpoints +├── feeds/ # Feeds module +│ ├── model.go # Feed data models +│ ├── service.go # Business logic +│ └── handler.go # API endpoints +├── frontend/ # Frontend application +│ ├── src/ # Source code +│ │ ├── routes/ # SvelteKit routes +│ │ ├── lib/ # Shared components and utilities +│ │ └── app.html # HTML template +│ ├── static/ # Static assets +│ └── build/ # Compiled frontend (embedded in binary) +└── notes.db # SQLite database file +``` + +## Design Patterns + +1. **Model-View-Controller (MVC)**: The backend follows an MVC-like pattern with models, services, and handlers +2. **Repository Pattern**: Database operations are abstracted in service layers +3. **Dependency Injection**: Services are injected into handlers +4. **RESTful API**: The backend exposes a RESTful API for the frontend to consume + +## Security Considerations + +1. The application is designed for local use and does not implement authentication +2. Input validation is performed on both client and server sides +3. Content Security Policy headers are set for frontend assets +4. The application uses parameterized queries to prevent SQL injection \ No newline at end of file diff --git a/specs/authentication.md b/specs/authentication.md new file mode 100644 index 0000000..fe30339 --- /dev/null +++ b/specs/authentication.md @@ -0,0 +1,93 @@ +# Authentication Specification + +## Overview + +The QuickNotes application is designed primarily for local use and does not currently implement a comprehensive authentication system. This document outlines the current state of authentication in the application and potential future enhancements. + +## Current Implementation + +### Local Usage Model + +QuickNotes currently operates on a local-only model: + +1. The application runs as a local server on the user's machine +2. Access is restricted to localhost connections +3. No user accounts or login functionality is implemented +4. All data is stored locally in the SQLite database + +### Security Considerations + +Despite the lack of formal authentication, the application implements several security measures: + +1. **Trusted Proxies**: The application only trusts loopback addresses (127.0.0.1, ::1) +2. **Input Validation**: All user inputs are validated to prevent injection attacks +3. **Content Security Policy**: Headers are set to prevent cross-site scripting +4. **CSRF Protection**: The application includes measures to prevent cross-site request forgery + +## Potential Future Authentication + +If authentication were to be implemented in the future, the following approach could be adopted: + +### User Model + +A potential `User` entity would have the following attributes: + +| Field | Type | Description | +|-------|------|-------------| +| ID | string | Unique identifier for the user (UUID) | +| Username | string | Username for login | +| PasswordHash | string | Hashed password (not stored in plaintext) | +| Email | string | User's email address | +| CreatedAt | timestamp | When the user account was created | +| UpdatedAt | timestamp | When the user account was last updated | + +### Authentication Flow + +1. **Registration**: Users would create an account with a username and password +2. **Login**: Users would authenticate with their credentials +3. **Session Management**: Authenticated sessions would be maintained using JWT or session cookies +4. **Logout**: Users would be able to terminate their sessions + +### API Endpoints + +| Method | Endpoint | Description | +|--------|----------|-------------| +| POST | /api/auth/register | Register a new user | +| POST | /api/auth/login | Authenticate a user | +| POST | /api/auth/logout | End a user's session | +| GET | /api/auth/me | Get the current user's information | +| PUT | /api/auth/password | Change a user's password | + +### Multi-User Support + +With authentication, the application could support multiple users: + +1. **Data Isolation**: Each user would only see their own notes, readlist items, and feeds +2. **User Preferences**: Users could have individual settings and preferences +3. **Sharing**: Users could optionally share specific notes or collections with other users + +### Security Enhancements + +Authentication would bring additional security measures: + +1. **Password Hashing**: Using bcrypt or Argon2 for secure password storage +2. **Rate Limiting**: Preventing brute force attacks +3. **Two-Factor Authentication**: Optional additional security layer +4. **API Tokens**: For programmatic access to the API + +## Integration with Emacs Mode + +The Emacs mode would need to be updated to support authentication: + +1. **Credential Storage**: Securely storing user credentials +2. **Authentication Flow**: Handling login and session management +3. **Token Refresh**: Automatically refreshing expired tokens + +## Implementation Considerations + +If authentication were to be implemented, the following considerations would be important: + +1. **Backward Compatibility**: Ensuring existing data can be migrated to user accounts +2. **Simplicity**: Maintaining the application's ease of use +3. **Privacy**: Ensuring user data remains private and secure +4. **Performance**: Minimizing the performance impact of authentication checks \ No newline at end of file diff --git a/specs/database.md b/specs/database.md new file mode 100644 index 0000000..a3480e8 --- /dev/null +++ b/specs/database.md @@ -0,0 +1,145 @@ +# Database Specification + +## Overview + +QuickNotes uses SQLite as its database engine, with GORM as the object-relational mapping (ORM) layer. The database stores notes, read later items, feeds, and feed entries. + +## Database Engine + +- **SQLite**: A self-contained, serverless, zero-configuration, transactional SQL database engine +- **File Location**: The database is stored in a file named `notes.db` in the application root directory +- **Access**: The database is accessed directly by the Go backend using the `glebarez/sqlite` driver for GORM + +## Schema + +### Notes Table + +| Column | Type | Constraints | Description | +|--------|------|-------------|-------------| +| id | TEXT | PRIMARY KEY | Unique identifier for the note | +| title | TEXT | NOT NULL | Title of the note | +| content | TEXT | NOT NULL | Content of the note in Markdown format | +| created_at | DATETIME | | When the note was created | +| updated_at | DATETIME | | When the note was last updated | + +### Note Links Table + +| Column | Type | Constraints | Description | +|--------|------|-------------|-------------| +| source_note_id | TEXT | PRIMARY KEY, FOREIGN KEY | ID of the source note | +| target_note_id | TEXT | PRIMARY KEY, FOREIGN KEY | ID of the target note | +| created_at | DATETIME | | When the link was created | + +### Read Later Items Table + +| Column | Type | Constraints | Description | +|--------|------|-------------|-------------| +| id | TEXT | PRIMARY KEY | Unique identifier for the item | +| url | TEXT | NOT NULL | Original URL of the article | +| title | TEXT | NOT NULL | Title of the article | +| content | TEXT | | Extracted HTML content of the article | +| description | TEXT | | Brief description or excerpt of the article | +| created_at | DATETIME | | When the item was saved | +| updated_at | DATETIME | | When the item was last updated | +| read_at | DATETIME | | When the item was marked as read (null if unread) | +| archived_at | DATETIME | | When the item was archived (null if not archived) | + +### Feeds Table + +| Column | Type | Constraints | Description | +|--------|------|-------------|-------------| +| id | TEXT | PRIMARY KEY | Unique identifier for the feed | +| title | TEXT | | Title of the feed | +| url | TEXT | UNIQUE | URL of the feed (RSS/Atom) | +| description | TEXT | | Description of the feed | +| site_url | TEXT | | URL of the website associated with the feed | +| image_url | TEXT | | URL of the feed's image or logo | +| last_fetched | DATETIME | | When the feed was last fetched | +| created_at | DATETIME | | When the feed was added | +| updated_at | DATETIME | | When the feed was last updated | + +### Entries Table + +| Column | Type | Constraints | Description | +|--------|------|-------------|-------------| +| id | TEXT | PRIMARY KEY | Unique identifier for the entry | +| feed_id | TEXT | FOREIGN KEY, INDEX | ID of the parent feed | +| title | TEXT | | Title of the entry | +| url | TEXT | UNIQUE | URL of the entry | +| content | TEXT | | HTML content of the entry | +| summary | TEXT | | Summary or excerpt of the entry | +| author | TEXT | | Author of the entry | +| published | DATETIME | | When the entry was published | +| updated | DATETIME | | When the entry was last updated | +| read_at | DATETIME | | When the entry was marked as read (null if unread) | +| full_content | TEXT | | Full content of the entry (if fetched separately) | +| created_at | DATETIME | | When the entry was added to the system | +| updated_at | DATETIME | | When the entry was last updated in the system | + +## Relationships + +1. **Notes to Notes (Many-to-Many)**: + - A note can link to many other notes + - A note can be linked from many other notes + - The relationship is managed through the `note_links` table + +2. **Feeds to Entries (One-to-Many)**: + - A feed can have many entries + - An entry belongs to one feed + - The relationship is managed through the `feed_id` foreign key in the `entries` table + +## Initialization + +The database schema is automatically created and migrated when the application starts: + +```go +// Initialize database +db, err := gorm.Open(sqlite.Open(config.DBPath), &gorm.Config{}) +if err != nil { + log.Fatal(err) +} + +// Auto migrate the schema +if err := db.AutoMigrate(¬es.Note{}, ¬es.NoteLink{}, &readlist.ReadLaterItem{}, &feeds.Feed{}, &feeds.Entry{}); err != nil { + log.Fatal(err) +} +``` + +## Indexes + +The following indexes are created to optimize query performance: + +1. **URL Index on Feeds**: Ensures fast lookup of feeds by URL +2. **Feed ID Index on Entries**: Ensures fast lookup of entries by feed +3. **URL Index on Entries**: Ensures fast lookup of entries by URL + +## Data Access + +Data access is managed through GORM, which provides: + +1. **Object-Relational Mapping**: Maps Go structs to database tables +2. **Query Building**: Simplifies building SQL queries +3. **Transactions**: Ensures data consistency +4. **Hooks**: Allows for custom logic before and after database operations + +## Data Integrity + +The following measures ensure data integrity: + +1. **Foreign Key Constraints**: Ensure referential integrity between related tables +2. **Unique Constraints**: Prevent duplicate entries for URLs +3. **Not Null Constraints**: Ensure required fields are provided +4. **Transactions**: Used for operations that affect multiple tables + +## Backup and Recovery + +The SQLite database file (`notes.db`) can be backed up by: + +1. Copying the file when the application is not running +2. Using SQLite's backup API +3. Exporting data to a SQL dump file + +Recovery can be performed by: + +1. Replacing the database file with a backup +2. Importing data from a SQL dump file \ No newline at end of file diff --git a/specs/emacs_integration.md b/specs/emacs_integration.md new file mode 100644 index 0000000..2fe57f4 --- /dev/null +++ b/specs/emacs_integration.md @@ -0,0 +1,143 @@ +# Emacs Integration Specification + +## Overview + +QuickNotes provides an Emacs mode that allows users to access and interact with the application directly from Emacs. This integration enables viewing feeds, readlist items, and notes without leaving the editor. + +## Features + +### Core Functionality + +1. **View Feed Entries**: Browse entries from RSS/Atom feeds +2. **Browse Readlist**: Access saved read-later items +3. **Navigate Notes**: Browse and search through notes +4. **View Content**: Read feed entries, readlist items, and notes +5. **Mark as Read**: Mark items as read/unread +6. **HTML to Org Conversion**: Convert HTML content to Org mode format + +### Navigation + +1. **List Views**: Display lists of feeds, readlist items, and notes +2. **Item View**: Display the content of a selected item +3. **Back Navigation**: Return to previous views +4. **Refresh**: Update content from the server + +### Content Rendering + +1. **HTML Rendering**: Display HTML content in Emacs +2. **Org Mode Conversion**: Convert HTML to Org mode format using Pandoc +3. **Syntax Highlighting**: Apply appropriate syntax highlighting to code blocks +4. **Link Handling**: Make links clickable and functional + +## Implementation + +### Dependencies + +1. **request.el**: For API communication +2. **markdown-mode**: For rendering Markdown content +3. **pandoc**: For converting HTML to Org mode format (optional) + +### Configuration + +```elisp +;; Set the API URL +(setq quicknotes-api-url "http://localhost:3000/api") + +;; Enable Pandoc conversion to Org mode +(setq quicknotes-use-pandoc t) +``` + +### Key Bindings + +| Key | Function | Description | +|-----|----------|-------------| +| `RET` | `quicknotes-open-item` | Open the item at point | +| `r` | `quicknotes-mark-read` | Mark the item as read | +| `f` | `quicknotes-list-feeds` | List feed entries | +| `l` | `quicknotes-list-readlist` | List read later items | +| `n` | `quicknotes-list-notes` | List notes | +| `o` | `quicknotes-toggle-org` | Toggle between HTML and Org mode rendering | +| `g` | `quicknotes-refresh` | Refresh the current buffer | +| `q` | `quicknotes-quit` | Quit the current buffer | + +### Buffer Types + +1. **Feeds List Buffer**: Displays a list of feed entries +2. **Readlist Buffer**: Displays a list of read later items +3. **Notes List Buffer**: Displays a list of notes +4. **Content Buffer**: Displays the content of a selected item + +## API Integration + +### API Endpoints Used + +1. **GET /api/feeds/entries**: Fetch feed entries +2. **GET /api/readlist**: Fetch read later items +3. **GET /api/notes**: Fetch notes +4. **GET /api/feeds/entries/:id**: Fetch a specific feed entry +5. **GET /api/readlist/:id**: Fetch a specific read later item +6. **GET /api/notes/:id**: Fetch a specific note +7. **PUT /api/feeds/entries/:id/read**: Mark a feed entry as read +8. **PUT /api/readlist/:id/read**: Mark a read later item as read + +### Authentication + +The Emacs mode does not currently implement authentication, as the QuickNotes API is designed for local use without authentication. + +## User Interface + +### List View + +``` +QuickNotes - Feeds + +[2023-01-01] Title of Feed Entry 1 +[2023-01-02] Title of Feed Entry 2 +[2023-01-03] Title of Feed Entry 3 + +Press 'f' for feeds, 'l' for readlist, 'n' for notes, 'q' to quit +``` + +### Content View + +``` +Title: Example Article + +This is the content of the article, rendered in Emacs. + +Links are clickable, and code blocks have syntax highlighting. + +Press 'r' to mark as read, 'o' to toggle Org mode, 'q' to return to list +``` + +## HTML to Org Conversion + +The Emacs mode can convert HTML content to Org mode format using Pandoc: + +```elisp +(defun quicknotes-html-to-org (html) + "Convert HTML to Org mode format using Pandoc." + (when (and quicknotes-use-pandoc (executable-find "pandoc")) + (with-temp-buffer + (insert html) + (shell-command-on-region (point-min) (point-max) + "pandoc -f html -t org" + (current-buffer) t) + (buffer-string)))) +``` + +## Error Handling + +1. **Connection Errors**: Display a message when the API is unreachable +2. **Not Found Errors**: Handle 404 responses gracefully +3. **Server Errors**: Display error messages from the server +4. **Pandoc Errors**: Fall back to HTML rendering if Pandoc conversion fails + +## Future Enhancements + +1. **Create/Edit Notes**: Allow creating and editing notes from Emacs +2. **Save to Readlist**: Add the ability to save URLs to the readlist +3. **Subscribe to Feeds**: Add the ability to subscribe to new feeds +4. **Search**: Implement search functionality across all content types +5. **Offline Mode**: Cache content for offline access +6. **Customizable Faces**: Allow customizing the appearance of different elements \ No newline at end of file diff --git a/specs/feeds.md b/specs/feeds.md new file mode 100644 index 0000000..32043ee --- /dev/null +++ b/specs/feeds.md @@ -0,0 +1,154 @@ +# Feeds Specification + +## Overview + +The Feeds module allows users to subscribe to and read RSS/Atom feeds. It provides feed management, automatic fetching of new entries, and a clean reading experience for feed content. + +## Data Model + +### Feed + +The `Feed` entity has the following attributes: + +| Field | Type | Description | +|-------|------|-------------| +| ID | string | Unique identifier for the feed (UUID) | +| Title | string | Title of the feed | +| URL | string | URL of the feed (RSS/Atom) | +| Description | string | Description of the feed | +| SiteURL | string | URL of the website associated with the feed | +| ImageURL | string | URL of the feed's image or logo | +| LastFetched | timestamp | When the feed was last fetched | +| CreatedAt | timestamp | When the feed was added | +| UpdatedAt | timestamp | When the feed was last updated | + +### Entry + +The `Entry` entity represents a single item in a feed: + +| Field | Type | Description | +|-------|------|-------------| +| ID | string | Unique identifier for the entry (UUID) | +| FeedID | string | ID of the parent feed | +| Title | string | Title of the entry | +| URL | string | URL of the entry | +| Content | string | HTML content of the entry | +| Summary | string | Summary or excerpt of the entry | +| Author | string | Author of the entry | +| Published | timestamp | When the entry was published | +| Updated | timestamp | When the entry was last updated | +| ReadAt | timestamp | When the entry was marked as read (null if unread) | +| FullContent | string | Full content of the entry (if fetched separately) | +| CreatedAt | timestamp | When the entry was added to the system | +| UpdatedAt | timestamp | When the entry was last updated in the system | + +## Features + +### Feed Management + +1. **Subscribe to Feed**: Users can subscribe to new feeds by providing a URL +2. **Unsubscribe from Feed**: Users can unsubscribe from feeds +3. **List Feeds**: Users can view a list of all subscribed feeds +4. **View Feed Details**: Users can view details about a specific feed + +### Entry Management + +1. **List Entries**: Users can view a list of entries from all feeds or a specific feed +2. **View Entry**: Users can view the content of a specific entry +3. **Mark as Read**: Users can mark entries as read +4. **Mark as Unread**: Users can mark entries as unread +5. **Filter Entries**: Users can filter entries by read/unread status + +### Feed Fetching + +1. **Manual Refresh**: Users can manually refresh feeds to fetch new entries +2. **Automatic Refresh**: The system can automatically refresh feeds at regular intervals +3. **Content Extraction**: For feeds that only provide summaries, the system can fetch the full content + +## API Endpoints + +| Method | Endpoint | Description | +|--------|----------|-------------| +| GET | /api/feeds | List all feeds | +| POST | /api/feeds | Subscribe to a new feed | +| GET | /api/feeds/:id | Get a specific feed by ID | +| PUT | /api/feeds/:id | Update a specific feed | +| DELETE | /api/feeds/:id | Unsubscribe from a feed | +| GET | /api/feeds/:id/entries | List entries for a specific feed | +| GET | /api/feeds/entries | List entries from all feeds | +| GET | /api/feeds/entries/:id | Get a specific entry by ID | +| PUT | /api/feeds/entries/:id/read | Mark an entry as read | +| PUT | /api/feeds/entries/:id/unread | Mark an entry as unread | +| POST | /api/feeds/refresh | Refresh all feeds | +| POST | /api/feeds/:id/refresh | Refresh a specific feed | + +## Frontend Routes + +| Route | Description | +|-------|-------------| +| /feeds | List of subscribed feeds | +| /feeds/:id | View entries from a specific feed | +| /feeds/entries/:id | View a specific entry | + +## Implementation Details + +### Feed Parsing + +The system uses the `gofeed` library to parse RSS and Atom feeds: + +```go +func (s *Service) parseFeed(feedURL string) (*gofeed.Feed, error) { + fp := gofeed.NewParser() + feed, err := fp.ParseURL(feedURL) + if err != nil { + return nil, fmt.Errorf("failed to parse feed: %w", err) + } + return feed, nil +} +``` + +### Feed Refreshing + +When refreshing a feed, the system: + +1. Fetches the feed content from the URL +2. Parses the feed to extract entries +3. Compares entries with existing ones to identify new entries +4. Saves new entries to the database + +### Content Extraction + +For feeds that only provide summaries, the system can optionally fetch the full content of entries: + +1. Extract the URL of the entry +2. Fetch the web page at that URL +3. Use a content extraction algorithm to extract the main content +4. Save the extracted content as the entry's full content + +## User Interface + +### Feed List + +- Displays a list of subscribed feeds with titles, descriptions, and icons +- Shows the number of unread entries for each feed +- Provides buttons for refreshing, editing, and unsubscribing + +### Entry List + +- Displays a list of entries from all feeds or a specific feed +- Shows entry titles, summaries, publication dates, and read status +- Provides filters for read/unread status +- Includes buttons for marking as read/unread + +### Entry Viewer + +- Displays the entry content in a clean, reader-friendly format +- Shows the entry title, author, and publication date +- Provides buttons for marking as read/unread and returning to the list +- Includes a link to the original article + +### Subscribe Form + +- Input field for the feed URL +- Automatic detection of feed format (RSS/Atom) +- Preview of feed details before subscribing \ No newline at end of file diff --git a/specs/frontend.md b/specs/frontend.md new file mode 100644 index 0000000..b9d7ba3 --- /dev/null +++ b/specs/frontend.md @@ -0,0 +1,187 @@ +# Frontend Specification + +## Overview + +The QuickNotes frontend is built with Svelte and SvelteKit, providing a responsive single-page application experience. It communicates with the backend via RESTful API calls and provides a user-friendly interface for managing notes, read later items, and feeds. + +## Technology Stack + +- **SvelteKit**: Framework for building the frontend application +- **Bulma CSS**: CSS framework for styling +- **FontAwesome**: Icon library +- **D3.js**: Used for the notes graph visualization +- **Marked**: Markdown parsing and rendering + +## Architecture + +The frontend follows the SvelteKit architecture: + +1. **Routes**: Defined in the `src/routes` directory, with each route corresponding to a page in the application +2. **Components**: Reusable UI components in the `src/lib/components` directory +3. **Stores**: Svelte stores for state management in the `src/lib` directory +4. **API Client**: Functions for communicating with the backend API in the `src/lib/api` directory + +## Routes + +| Route | Component | Description | +|-------|-----------|-------------| +| `/` | `+page.svelte` | Home page with list of notes | +| `/notes/new` | `notes/new/+page.svelte` | Create a new note | +| `/notes/:id` | `notes/[id]/+page.svelte` | View or edit a specific note | +| `/notes/graph` | `notes/graph/+page.svelte` | View the notes graph | +| `/readlist` | `readlist/+page.svelte` | List of read later items | +| `/readlist/:id` | `readlist/[id]/+page.svelte` | View a specific read later item | +| `/feeds` | `feeds/+page.svelte` | List of feeds | +| `/feeds/:id` | `feeds/[id]/+page.svelte` | View entries from a specific feed | +| `/feeds/entries/:id` | `feeds/entries/[id]/+page.svelte` | View a specific feed entry | + +## Components + +### Layout Components + +- **Navigation**: Main navigation bar with links to different sections +- **Footer**: Page footer with application information +- **Layout**: Main layout component that wraps all pages + +### UI Components + +- **CardList**: Reusable component for displaying lists of items as cards +- **SearchBar**: Search input with filtering functionality +- **Pagination**: Pagination controls for lists +- **Modal**: Modal dialog for confirmations and forms +- **Tabs**: Tabbed interface for switching between views +- **Dropdown**: Dropdown menu for actions +- **Toast**: Notification component for displaying messages + +### Feature Components + +- **NoteEditor**: Markdown editor for creating and editing notes +- **NoteViewer**: Component for rendering note content with Markdown support +- **NoteGraph**: D3.js-based graph visualization of note connections +- **ReadLaterForm**: Form for saving new read later items +- **ArticleViewer**: Component for displaying read later items with clean formatting +- **FeedList**: Component for displaying a list of feeds +- **EntryList**: Component for displaying a list of feed entries + +## State Management + +The frontend uses Svelte stores for state management: + +1. **Notes Store**: Manages the state of notes + ```javascript + // Example notes store + export const notes = writable([]); + + // Load notes from the API + notes.load = async () => { + const response = await fetch('/api/notes'); + const data = await response.json(); + notes.set(data); + }; + + // Add other methods for CRUD operations + ``` + +2. **Readlist Store**: Manages the state of read later items +3. **Feeds Store**: Manages the state of feeds and entries + +## API Integration + +The frontend communicates with the backend API using the Fetch API: + +```javascript +// Example API client function +export async function fetchNotes() { + const response = await fetch('/api/notes'); + if (!response.ok) { + const error = await response.json(); + throw new Error(error.message || 'Failed to fetch notes'); + } + return await response.json(); +} +``` + +## User Interface + +### Home Page + +- List of notes with search functionality +- Buttons for creating new notes and importing from Obsidian +- Link to the notes graph visualization + +### Note Editor + +- Markdown editor with preview functionality +- Title input field +- Save and cancel buttons +- Auto-save functionality + +### Note Viewer + +- Rendered Markdown content +- Links to related notes +- Edit and delete buttons + +### Notes Graph + +- Interactive graph visualization of note connections +- Zoom and pan controls +- Search functionality to find specific notes in the graph + +### Readlist Page + +- List of read later items with filters for read/unread and archived/unarchived +- Form for saving new items +- Buttons for marking as read, archiving, and deleting + +### Article Viewer + +- Clean, reader-friendly display of article content +- Buttons for marking as read, archiving, and returning to the list + +### Feeds Page + +- List of subscribed feeds with unread counts +- Form for subscribing to new feeds +- Buttons for refreshing, editing, and unsubscribing + +### Feed Entries Page + +- List of entries from a specific feed or all feeds +- Filters for read/unread status +- Buttons for marking as read/unread + +## Responsive Design + +The frontend is designed to be responsive and work well on different screen sizes: + +1. **Desktop**: Full layout with sidebar navigation +2. **Tablet**: Adapted layout with collapsible navigation +3. **Mobile**: Simplified layout with mobile-friendly controls + +## Accessibility + +The frontend follows accessibility best practices: + +1. **Semantic HTML**: Using appropriate HTML elements for their intended purpose +2. **ARIA Attributes**: Adding ARIA attributes where necessary +3. **Keyboard Navigation**: Ensuring all functionality is accessible via keyboard +4. **Color Contrast**: Ensuring sufficient contrast for text and UI elements + +## Performance Optimization + +The frontend is optimized for performance: + +1. **Code Splitting**: Loading only the necessary code for each route +2. **Lazy Loading**: Loading components and data only when needed +3. **Caching**: Caching API responses where appropriate +4. **Optimized Assets**: Minimizing CSS and JavaScript files + +## Testing + +The frontend includes tests using Playwright for end-to-end testing: + +1. **Page Tests**: Testing each page's functionality +2. **Component Tests**: Testing individual components +3. **Integration Tests**: Testing the interaction between components +4. **API Mock Tests**: Testing with mocked API responses \ No newline at end of file diff --git a/specs/notes.md b/specs/notes.md new file mode 100644 index 0000000..88d51ec --- /dev/null +++ b/specs/notes.md @@ -0,0 +1,144 @@ +# Notes Specification + +## Overview + +The Notes module is a core component of QuickNotes that allows users to create, edit, view, and link notes. It supports a wiki-style linking system and provides a graph visualization of note connections. + +## Data Model + +### Note + +The `Note` entity has the following attributes: + +| Field | Type | Description | +|-------|------|-------------| +| ID | string | Unique identifier for the note (UUID) | +| Title | string | Title of the note | +| Content | string | Content of the note in Markdown format | +| CreatedAt | timestamp | When the note was created | +| UpdatedAt | timestamp | When the note was last updated | +| LinksTo | []*Note | Notes that this note links to | +| LinkedBy | []*Note | Notes that link to this note | + +### NoteLink + +The `NoteLink` entity represents a connection between two notes: + +| Field | Type | Description | +|-------|------|-------------| +| SourceNoteID | string | ID of the source note | +| TargetNoteID | string | ID of the target note | +| CreatedAt | timestamp | When the link was created | + +## Features + +### Note Management + +1. **Create Note**: Users can create new notes with a title and content +2. **Edit Note**: Users can edit existing notes +3. **Delete Note**: Users can delete notes +4. **View Note**: Users can view notes with rendered Markdown content +5. **List Notes**: Users can view a list of all notes + +### Note Linking + +1. **Wiki-style Links**: Users can create links between notes using the `[[note-title]]` syntax +2. **Automatic Link Management**: Links are automatically created, updated, or removed when notes are saved +3. **Bidirectional Links**: Links are bidirectional, allowing navigation in both directions + +### Note Graph + +1. **Graph Visualization**: Users can view a graph visualization of note connections +2. **Interactive Navigation**: Users can click on nodes in the graph to navigate to notes +3. **Force-directed Layout**: The graph uses a force-directed layout for optimal visualization + +### Obsidian Import + +1. **Import Vault**: Users can import notes from an Obsidian vault (zip file) +2. **Markdown Compatibility**: Imported Markdown files are converted to QuickNotes format +3. **Link Preservation**: Links between notes are preserved during import + +## API Endpoints + +| Method | Endpoint | Description | +|--------|----------|-------------| +| GET | /api/notes | List all notes | +| POST | /api/notes | Create a new note | +| GET | /api/notes/:id | Get a specific note by ID | +| PUT | /api/notes/:id | Update a specific note | +| DELETE | /api/notes/:id | Delete a specific note | +| POST | /api/notes/import | Import notes from an Obsidian vault | + +## Frontend Routes + +| Route | Description | +|-------|-------------| +| / | Home page with list of notes | +| /notes/new | Create a new note | +| /notes/:id | View a specific note | +| /notes/:id?edit=true | Edit a specific note | +| /notes/graph | View the notes graph | + +## Implementation Details + +### Link Extraction + +The system extracts links from note content using a regular expression that matches the `[[note-title]]` pattern: + +```go +func (n *Note) ExtractLinks(content string) []string { + re := regexp.MustCompile(`\[\[(.*?)\]\]`) + matches := re.FindAllStringSubmatch(content, -1) + titles := make([]string, 0, len(matches)) + for _, match := range matches { + if len(match) > 1 { + titles = append(titles, match[1]) + } + } + return titles +} +``` + +### Link Management + +When a note is created or updated, the system: + +1. Extracts all links from the note content +2. Finds the corresponding target notes by title +3. Creates link records in the database +4. Updates the note's relationships + +### Graph Visualization + +The notes graph is implemented using D3.js with a force-directed layout: + +1. Nodes represent notes +2. Edges represent links between notes +3. Node size can be based on the number of connections +4. Users can zoom, pan, and click on nodes to navigate + +## User Interface + +### Note List + +- Displays a list of all notes with titles and snippets +- Provides search functionality to filter notes +- Includes buttons for creating, editing, and deleting notes + +### Note Editor + +- Markdown editor with preview functionality +- Auto-completion for note links +- Save and cancel buttons + +### Note Viewer + +- Rendered Markdown content +- Clickable links to other notes +- Edit button to switch to editor mode + +### Graph View + +- Interactive visualization of note connections +- Zoom and pan controls +- Search functionality to find specific notes in the graph \ No newline at end of file diff --git a/specs/readlist.md b/specs/readlist.md new file mode 100644 index 0000000..2a8696a --- /dev/null +++ b/specs/readlist.md @@ -0,0 +1,123 @@ +# Readlist Specification + +## Overview + +The Readlist module allows users to save web articles for later reading. It provides a "read it later" service similar to Pocket or Instapaper, with automatic content extraction and a clean reading experience. + +## Data Model + +### ReadLaterItem + +The `ReadLaterItem` entity has the following attributes: + +| Field | Type | Description | +|-------|------|-------------| +| ID | string | Unique identifier for the item (UUID) | +| URL | string | Original URL of the article | +| Title | string | Title of the article | +| Content | string | Extracted HTML content of the article | +| Description | string | Brief description or excerpt of the article | +| CreatedAt | timestamp | When the item was saved | +| UpdatedAt | timestamp | When the item was last updated | +| ReadAt | timestamp | When the item was marked as read (null if unread) | +| ArchivedAt | timestamp | When the item was archived (null if not archived) | + +## Features + +### Item Management + +1. **Save Article**: Users can save articles by providing a URL +2. **View Article**: Users can view saved articles in a clean, reader-friendly format +3. **Mark as Read**: Users can mark articles as read +4. **Archive Article**: Users can archive articles to remove them from the main list +5. **Delete Article**: Users can delete articles permanently +6. **List Articles**: Users can view a list of all saved articles + +### Content Extraction + +1. **Automatic Extraction**: The system automatically extracts the main content from web pages +2. **Title Extraction**: The system extracts the title of the article +3. **Description Extraction**: The system extracts a brief description or excerpt of the article +4. **HTML Cleaning**: The system cleans the HTML to provide a distraction-free reading experience + +### Filtering and Sorting + +1. **Filter by Status**: Users can filter articles by read/unread status +2. **Filter by Archive**: Users can filter articles by archived/unarchived status +3. **Sort by Date**: Users can sort articles by date saved or date read + +## API Endpoints + +| Method | Endpoint | Description | +|--------|----------|-------------| +| GET | /api/readlist | List all read later items | +| POST | /api/readlist | Save a new article | +| GET | /api/readlist/:id | Get a specific article by ID | +| PUT | /api/readlist/:id | Update a specific article | +| DELETE | /api/readlist/:id | Delete a specific article | +| PUT | /api/readlist/:id/read | Mark an article as read | +| PUT | /api/readlist/:id/unread | Mark an article as unread | +| PUT | /api/readlist/:id/archive | Archive an article | +| PUT | /api/readlist/:id/unarchive | Unarchive an article | + +## Frontend Routes + +| Route | Description | +|-------|-------------| +| /readlist | List of saved articles | +| /readlist/:id | View a specific article | + +## Implementation Details + +### Content Extraction + +The system uses the `go-readability` library to extract content from web pages: + +```go +func (r *ReadLaterItem) ParseURL() error { + article, err := readability.FromURL(r.URL, 30*time.Second) + if err != nil { + return fmt.Errorf("failed to parse URL: %w", err) + } + + r.Title = article.Title + r.Content = article.Content + r.Description = article.Excerpt + return nil +} +``` + +### HTML Sanitization + +The extracted HTML content is sanitized to remove potentially harmful elements and provide a consistent reading experience: + +1. Remove JavaScript and other active content +2. Preserve images, links, and basic formatting +3. Apply a consistent style to the content + +### Status Management + +The system tracks the status of articles using nullable timestamp fields: + +1. `ReadAt`: When set, indicates the article has been read +2. `ArchivedAt`: When set, indicates the article has been archived + +## User Interface + +### Article List + +- Displays a list of saved articles with titles, descriptions, and dates +- Provides filters for read/unread and archived/unarchived status +- Includes buttons for marking as read, archiving, and deleting + +### Article Viewer + +- Displays the article content in a clean, reader-friendly format +- Preserves images and links from the original article +- Provides buttons for marking as read, archiving, and returning to the list + +### Save Form + +- Input field for the URL to save +- Automatic extraction of content after submission +- Preview of the extracted content before saving \ No newline at end of file