Merge branch 'develop'

This commit is contained in:
Nicola Zangrandi 2025-02-21 13:35:16 +01:00
commit e91d31af00
Signed by: wasp
GPG key ID: 43C1470D890F23ED
52 changed files with 32686 additions and 196 deletions

View file

@ -0,0 +1,74 @@
---
description: Keep business logic in the backend to ensure security and compatibility
globs: **/*.{ts,js,go}
---
<rule>
When implementing features that involve business logic:
1. Keep critical business logic in the backend:
- Data validation and sanitization
- ID/UUID generation
- Timestamp management
- Access control and authorization
- Complex calculations or data transformations
- Relationship management and graph traversal
- Link extraction and validation
2. Frontend should only handle:
- UI state management
- User input collection
- Data display and formatting
- Basic input validation for UX
- UI-specific transformations
- Relationship visualization
3. Security-sensitive operations must always be in backend:
- Cryptographic operations
- Token generation/validation
- Password handling
- Session management
4. When in doubt about where to place logic:
- If it affects data integrity → backend
- If it requires secure execution → backend
- If it needs to work without JavaScript → backend
- If it's purely for display/interaction → frontend
5. Data synchronization guidelines:
- Backend owns the source of truth for relationships
- Frontend should never compute relationships locally
- Use backend-provided relationship data for display
- Cache relationship data in frontend stores
- Update relationship cache on mutations
- Preload relationships when beneficial for UX
metadata:
priority: high
version: 1.1
</rule>
examples:
- input: |
# Bad: Generating UUIDs in frontend
const id = crypto.randomUUID();
output: |
// Backend generates ID
const response = await api.createResource(data);
const { id } = response;
- input: |
# Bad: Validating permissions in frontend
if (user.hasPermission('edit')) { ... }
output: |
// Let backend handle authorization
const response = await api.updateResource(id, data);
if (response.status === 403) {
showError('Not authorized');
}
- input: |
# Bad: Computing relationships in frontend
const links = content.match(/\[\[(.*?)\]\]/g);
output: |
// Use backend-provided relationships
const { linksTo, linkedBy } = await api.getNote(id);

View file

@ -0,0 +1,118 @@
---
description: Standards for using Bulma CSS framework consistently across the application
globs: **/*.{svelte,css,html}
---
<rule>
When styling components:
1. Use Bulma's Built-in Classes:
- Prefer Bulma utility classes over custom CSS
- Use spacing utilities (m*, p*) for margins and padding
- Use color utilities for consistent theming
- Use responsive helpers for different screen sizes
- Use flexbox utilities for layout
2. Component Structure:
- Follow Bulma's component structure exactly
- Use proper nesting (e.g., navbar > navbar-brand > navbar-item)
- Keep modifier classes consistent with Bulma's patterns
- Use semantic Bulma classes (e.g., 'button is-primary' not custom colors)
3. Dark Mode Implementation:
- Define CSS variables in app.html for global theme
- Use --bulma-* prefix for all theme variables
- Override component-specific variables as needed
- Test all components in both light/dark modes
- Common variables to define:
```css
body.dark-mode {
--bulma-scheme-main: #1a1a1a;
--bulma-scheme-main-bis: #242424;
--bulma-scheme-main-ter: #2f2f2f;
--bulma-text: #e6e6e6;
--bulma-text-strong: #ffffff;
--bulma-border: #4a4a4a;
}
```
4. Navigation Patterns:
- Mobile: Use fixed bottom navbar
- Desktop: Use fixed left sidebar
- Handle responsive transitions cleanly
- Use consistent icon + label patterns
- Maintain active state indicators
5. Card Patterns:
- Use standard card structure:
```html
<div class="card">
<div class="card-content">
<p class="title is-4">Title</p>
<p class="subtitle is-6">Subtitle</p>
<div class="content">Content</div>
</div>
<footer class="card-footer">
<a class="card-footer-item">Action</a>
</footer>
</div>
```
- Keep actions in card-footer
- Use consistent spacing
- Handle long content gracefully
6. Form Patterns:
- Use standard field structure:
```html
<div class="field">
<label class="label">Label</label>
<div class="control">
<input class="input" />
</div>
</div>
```
- Group related fields with field-group
- Use appropriate input types
- Add helper text when needed
7. Responsive Design:
- Use Bulma's responsive classes
- Test all breakpoints
- Maintain consistent spacing
- Use proper container classes
- Handle mobile-specific patterns:
- Touch-friendly tap targets
- Simplified navigation
- Adjusted font sizes
- Full-width buttons
metadata:
priority: high
version: 1.1
</rule>
examples:
- input: |
# Bad: Custom dark mode colors
.dark-mode .button {
background: #333;
color: white;
}
output: |
# Good: Theme variables
body.dark-mode {
--bulma-button-background-color: #363636;
--bulma-button-color: #e6e6e6;
}
- input: |
# Bad: Inconsistent navigation
<div class="nav-mobile">...</div>
<div class="sidebar">...</div>
output: |
# Good: Responsive navigation
{#if isMobile}
<nav class="navbar is-fixed-bottom">...</nav>
{:else}
<nav class="menu is-fixed-left">...</nav>
{/if}
</rewritten_file>

54
.cursor/rules/bun.mdc Normal file
View file

@ -0,0 +1,54 @@
---
description: Always use Bun instead of Node/npm, and ensure to use the local installation at ~/.bun/bin/bun
globs: **/*.{ts,js,json,svelte}
---
<rule>
When using Bun:
1. Installation and Path:
- Primary: Use Bun from PATH if available
- Fallback: $HOME/.bun/bin/bun
- Always use command path resolution pattern from command-paths.mdc
2. Package Management:
- Use Bun instead of Node/npm for all package management
- Replace npm scripts with Bun equivalents in package.json
- Use Bun for installing, running, and testing packages
3. Command Mappings:
- npm install -> bun install
- npm run -> bun run
- node -> bun
4. CI/CD and Automation:
- Ensure Bun is used for all CI/CD pipelines
- Document any exceptions where Node/npm must be used
- Use build.sh for consistent builds across environments
Never use npm or node commands directly.
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Using absolute path directly
~/.bun/bin/bun test
output: |
# Good: Try PATH first
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
$BUN_CMD test
- input: |
# Bad: Using npm commands
npm install express
output: |
# Good: Using Bun with PATH resolution
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
$BUN_CMD add express

View file

@ -0,0 +1,89 @@
---
description: Standards for handling command paths in scripts, preferring PATH over absolute paths
globs: **/*.{sh,bash}
---
<rule>
When writing scripts that use external commands:
1. Always try PATH first:
```bash
if command -v COMMAND >/dev/null 2>&1; then
CMD="COMMAND"
else
CMD="/absolute/path/to/COMMAND"
fi
```
2. Known fallback paths:
- Bun: $HOME/.bun/bin/bun
- Go: /usr/local/go/bin/go
3. Guidelines:
- Use command -v to check if command exists in PATH
- Store command path in a variable for reuse
- Use meaningful variable names (e.g., BUN_CMD, GO_CMD)
- Document why absolute paths are needed as fallback
- Consider environment-specific paths
- Use $HOME instead of ~ for home directory paths
4. Error Handling:
- Always use `set -euo pipefail`
- Wrap critical commands in error handlers:
```bash
COMMAND || {
echo "Command failed!"
exit 1
}
```
- Add descriptive echo statements before and after important commands
- Use meaningful exit codes
- Ensure proper cleanup on error
4. Example pattern:
```bash
# Find executable
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
# Use the command
$BUN_CMD run build
```
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Using absolute path directly
/usr/local/go/bin/go build
output: |
# Good: Try PATH first
if command -v go >/dev/null 2>&1; then
GO_CMD="go"
else
GO_CMD="/usr/local/go/bin/go"
fi
$GO_CMD build
- input: |
# Bad: No error handling
go build -o app
output: |
# Good: With error handling
echo "Building application..."
go build -o app || {
echo "Build failed!"
exit 1
}
# Good: Use $HOME
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
$BUN_CMD install

View file

@ -0,0 +1,82 @@
---
description: Automatically commit changes made by CursorAI using conventional commits format
globs: **/*
---
<rule>
Before committing changes:
1. Review Rules First:
- Check if changes affect or require updates to existing rules
- Consider if new rules are needed to codify patterns or standards
- Update or create rules before committing main changes
- Commit rule changes separately from feature changes
2. Review changed files:
```bash
git status # Check which files were modified
```
3. Follow conventional commits format:
```
<type>(<scope>): <description>
```
4. Types:
- feat: A new feature
- fix: A bug fix
- docs: Documentation only changes
- style: Changes that do not affect the meaning of the code
- refactor: A code change that neither fixes a bug nor adds a feature
- perf: A code change that improves performance
- test: Adding missing tests or correcting existing tests
- chore: Changes to the build process or auxiliary tools
5. Guidelines:
- Scope should be derived from the file path or affected component
- special cases:
- `notes`, `feeds` and `links` indicate the three subapplication scopes
- `rules` indicates changes to cursor rules
- `frontend` and `go` indicates broad changes to the typescript or go code respectively
- `infra` is for changes to the repo "infrastructure": scripts, ci configs etc
- Description should be clear, concise, and in imperative mood
- If changes span multiple scopes, use comma separation or omit scope
- If changes are breaking, add ! after type/scope: feat!: or feat(scope)!:
6. Post-Commit Rule Review:
- After each feature or significant change
- After each commit that introduces new patterns
- When discovering undocumented standards
- Before moving to next feature/task
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# After adding a new function
git status
CHANGE_DESCRIPTION="add user authentication function"
FILE="src/auth/login.ts"
output: "feat(src-auth): add user authentication function"
- input: |
# After fixing a bug
git status
CHANGE_DESCRIPTION="fix incorrect date parsing"
FILE="lib/utils/date.js"
output: "fix(lib-utils): fix incorrect date parsing"
- input: |
# After updating build process
git status
CHANGES="Updated build.sh and added new rule"
FILES=".cursor/rules/command-paths.mdc build.sh"
output: |
# First commit rules
git add .cursor/rules/command-paths.mdc
git commit -m "feat(rules): add command path resolution standards"
# Then commit implementation
git add build.sh
git commit -m "feat(infra): implement command path resolution"

View file

@ -0,0 +1,69 @@
---
description: Standards for placing Cursor rule files in the correct directory
globs: *.mdc
---
<rule>
filters:
# Match any .mdc files
- type: file_extension
pattern: "\\.mdc$"
# Match files that look like Cursor rules
- type: content
pattern: "(?s)<rule>.*?</rule>"
# Match file creation events
- type: event
pattern: "file_create"
actions:
- type: reject
conditions:
- pattern: "^(?!\\.\\/\\.cursor\\/rules\\/.*\\.mdc$)"
message: "Cursor rule files (.mdc) must be placed in the .cursor/rules directory"
- type: suggest
message: |
When creating Cursor rules:
1. Always place rule files in PROJECT_ROOT/.cursor/rules/:
```
.cursor/rules/
├── your-rule-name.mdc
├── another-rule.mdc
└── ...
```
2. Follow the naming convention:
- Use kebab-case for filenames
- Always use .mdc extension
- Make names descriptive of the rule's purpose
3. Directory structure:
```
PROJECT_ROOT/
├── .cursor/
│ └── rules/
│ ├── your-rule-name.mdc
│ └── ...
└── ...
```
4. Never place rule files:
- In the project root
- In subdirectories outside .cursor/rules
- In any other location
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Rule file in wrong location
rules/my-rule.mdc
my-rule.mdc
.rules/my-rule.mdc
# Good: Rule file in correct location
.cursor/rules/my-rule.mdc
output: "Correctly placed Cursor rule file"

View file

@ -0,0 +1,112 @@
---
description: Frontend testing standards using Playwright for end-to-end testing
globs: **/*.{ts,js,svelte}
---
<rule>
When working on frontend features:
1. Test Coverage Requirements:
- All new features must have e2e tests
- Critical user flows must be tested
- Test both success and error paths
- Test responsive behavior for mobile/desktop
- Test accessibility where applicable
2. Test Structure:
- Use descriptive test names
- Reset database state before each test
- Group related tests in describe blocks
- Keep tests focused and atomic
- Add explicit waits and checks at key points
3. Testing Best Practices:
- Test user interactions, not implementation
- Use data-testid for test-specific selectors
- Test across different viewport sizes
- Test across multiple browsers
- Verify visual and functional aspects
4. Reliable Test Execution:
- Always reset database state with `/api/test/reset`
- Wait for redirects with URL checks
- Wait for content with `.waitForSelector()`
- Check element visibility before interaction
- Use specific selectors (id, role, exact text)
- Add explicit waits after state changes
- Store URLs after navigation for reliable returns
5. Required Test Cases:
- Navigation flows
- Form submissions
- Error handling
- Loading states
- Responsive behavior
- Cross-browser compatibility
6. Database Considerations:
- Use single worker mode due to shared database
- Reset database state before each test
- Avoid parallel test execution
- Consider test isolation needs
7. Running Tests:
- Run tests before committing: `bun test`
- Debug tests with UI: `bun test:ui`
- Debug specific test: `bun test:debug`
- Install browsers: `bun test:install`
metadata:
priority: high
version: 1.1
</rule>
examples:
- input: |
# Bad: Unreliable waiting
await page.click('button');
await page.locator('h1').textContent();
output: |
# Good: Explicit waits and checks
await page.click('button');
await expect(page).toHaveURL(/\/expected-path/);
await page.waitForSelector('h1');
await expect(page.locator('h1')).toBeVisible();
- input: |
# Bad: No state reset
test('creates item', async ({ page }) => {
await page.goto('/items/new');
});
output: |
# Good: Reset state first
test('creates item', async ({ page }) => {
await page.goto('/');
await page.request.post('/api/test/reset');
await page.goto('/items/new');
});
- input: |
# Bad: No tests for new feature
git commit -m "feat: add note search"
output: |
# Good: Feature with tests
bun test
git commit -m "feat: add note search with e2e tests
Tests added:
- Search functionality
- Empty results handling
- Error states
- Mobile layout"
- input: |
# Bad: Testing implementation details
test('internal state is correct', () => {
expect(component.state.value).toBe(true)
})
output: |
# Good: Testing user interaction
test('user can toggle feature', async ({ page }) => {
await page.click('[data-testid=toggle]')
await expect(page.locator('.status')).toHaveText('Enabled')
})

142
.cursor/rules/go.mdc Normal file
View file

@ -0,0 +1,142 @@
---
description: Standards for Go development, including installation paths and build preferences
globs: **/*.{go,mod,sum}
---
<rule>
When working with Go:
1. Installation and Path:
- Primary: Use Go from PATH if available
- Fallback: /usr/local/go/bin/go
- Always use command path resolution pattern from command-paths.mdc
2. Dependencies:
- Prefer pure Go implementations over CGO when available
- Examples:
- Use github.com/glebarez/sqlite over gorm.io/driver/sqlite
- Document any CGO dependencies in go.mod comments
3. Build Process:
- Always run `go mod tidy` after dependency changes
- Verify builds work without CGO: `CGO_ENABLED=0 go build`
- Use build.sh for full application builds
4. Module Management:
- Keep go.mod and go.sum in sync
- Document version constraints
- Run `go mod verify` before commits
5. HTTP Framework Standards:
- Use Gin for HTTP routing and middleware
- Group related routes under common prefixes
- Use consistent error response format:
```go
c.JSON(status, gin.H{"error": err.Error()})
```
- Leverage Gin's built-in features (binding, validation, etc.)
- Keep handlers focused and small
6. GORM Standards:
- Use struct tags for model definitions:
```go
type Model struct {
ID string `gorm:"primaryKey" json:"id"`
// Add json tags for all fields that need serialization
}
```
- Always handle GORM errors explicitly
- Use proper GORM hooks for timestamps (CreatedAt, UpdatedAt)
- Prefer query building over raw SQL
- Use transactions for multi-step operations
- Follow GORM naming conventions:
- Model names: singular, CamelCase
- Table names: plural, snake_case (auto-converted by GORM)
- Use appropriate GORM tags:
- `gorm:"primaryKey"` for primary keys
- `gorm:"not null"` for required fields
- `gorm:"index"` for indexed fields
- `gorm:"type:text"` for specific SQL types
7. Testing Standards:
- Place tests in _test.go files next to the code they test
- Use table-driven tests for multiple test cases
- Use meaningful test names that describe the scenario
- Create test helpers for common setup/teardown
- Use subtests for related test cases
- Test both success and error cases
- For database tests:
- Use in-memory SQLite for speed
- Clean up after each test
- Use transactions where appropriate
- Write focused tests that test one thing
- Include examples in test files when helpful
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Using CGO-dependent SQLite
import "gorm.io/driver/sqlite"
output: |
# Good: Using pure Go SQLite
import "github.com/glebarez/sqlite"
- input: |
# Bad: Direct dependency add
go get some/package
output: |
# Good: Add dependency and tidy
go get some/package
go mod tidy
go mod verify
- input: |
# Bad: Flat route structure
r.GET("/notes", handleNotes)
r.GET("/notes/:id", handleNote)
output: |
# Good: Grouped routes
notes := r.Group("/notes")
{
notes.GET("", handleGetNotes)
notes.GET("/:id", handleGetNote)
}
- input: |
# Bad: Raw SQL and error handling
db.Exec("UPDATE notes SET content = ? WHERE id = ?", content, id)
output: |
# Good: GORM query building and error handling
if err := db.Model(&Note{}).Where("id = ?", id).Update("content", content).Error; err != nil {
return fmt.Errorf("failed to update note: %w", err)
}
- input: |
# Bad: Single monolithic test
func TestFeature(t *testing.T) {
// Test everything here
}
output: |
# Good: Table-driven tests with subtests
func TestFeature(t *testing.T) {
tests := []struct{
name string
input string
want string
}{
{"simple case", "input", "want"},
{"edge case", "edge", "result"},
}
for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
got := Feature(tt.input)
if got != tt.want {
t.Errorf("got %v, want %v", got, tt.want)
}
})
}
}

View file

@ -0,0 +1,51 @@
---
description: Always use build.sh for building the application, and remind to run it manually
globs: **/*.{ts,js,go,svelte}
---
<rule>
When making changes that require rebuilding the application:
1. Never attempt to run build commands directly. Instead:
- Use the build.sh script from the project root
- Command: ./build.sh
- This ensures consistent build process across all environments
2. The build script handles:
- Frontend build with correct environment
- Static assets copying
- Backend compilation
- All necessary pre and post-build steps
3. When to run build.sh:
- After any frontend code changes
- After any backend code changes
- After dependency updates
- Before testing production builds
- Before deploying
4. Important notes:
- Always run from project root directory
- Ensure script has execute permissions (chmod +x build.sh)
- Wait for the build to complete before testing changes
- Check build output for any errors
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Running individual build commands
cd frontend && bun run build
output: |
# Good: Using build script
./build.sh
- input: |
# Bad: Manual multi-step build
bun run build
go build
output: |
# Good: Using unified build script
./build.sh

View file

@ -0,0 +1,90 @@
---
description: Ensure manual testing of key functionality before committing changes
globs: **/*.{ts,js,go,svelte}
---
<rule>
When making changes that affect functionality:
1. Build and Run Requirements:
- Run `./build.sh` to ensure everything builds
- Start the application with `./notes-app`
- Wait for server to be ready at http://localhost:3000
2. Core Functionality Testing:
- Test all features directly affected by changes
- For note-related changes:
- Create a new note
- Edit an existing note
- Check note links work (if link-related changes)
- Verify note deletion
- For UI changes:
- Check responsive behavior
- Verify all interactive elements work
- Test navigation flows
3. Cross-Feature Testing:
- Test features that interact with changed components
- Verify no regressions in related functionality
- Check both success and error paths
4. Browser Testing:
- Test in primary development browser
- Verify critical paths in secondary browser
- Check console for errors
5. Error Cases:
- Test invalid inputs
- Verify error messages are clear
- Check error handling behavior
6. Cleanup:
- Stop running services
- Clean up test data if necessary
- Reset to known good state
7. Documentation:
- Add testing steps to commit message body
- Note any special test cases or considerations
- Document any known limitations
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Direct commit after code changes
git add . && git commit -m "feat: add note linking"
output: |
# Good: Manual testing before commit
./build.sh
./notes-app
# Manual testing steps...
# 1. Create note "Test Note"
# 2. Create note "Linked Note"
# 3. Add link [[Linked Note]] to "Test Note"
# 4. Verify link works
git add . && git commit -m "feat: add note linking
Testing completed:
- Created and linked notes successfully
- Verified bidirectional navigation
- Tested invalid link handling"
- input: |
# Bad: Commit UI changes without testing
git commit -m "fix: update note editor styling"
output: |
# Good: Test UI changes across scenarios
./build.sh
./notes-app
# 1. Test editor with short/long content
# 2. Verify mobile responsiveness
# 3. Check different browsers
git commit -m "fix: update note editor styling
Tested:
- Responsive behavior on desktop/mobile
- Long content handling
- Chrome and Firefox compatibility"

View file

@ -0,0 +1,62 @@
---
description: Always run pre-commit checks before committing changes
globs: **/*
---
<rule>
Before committing changes:
1. Run pre-commit checks:
```bash
./scripts/pre-commit.sh
```
2. Frontend checks must pass:
- Code formatting (bun format)
- Linting (bun lint)
- Type checking (bun check)
- Build verification (bun run build)
3. Backend checks must pass:
- Go tests (go test -v ./...)
- Go linting (golangci-lint run)
4. All checks must pass before committing:
- Fix any formatting issues
- Address all linting errors
- Fix type errors
- Fix failing tests
- Fix build errors
5. Do not bypass checks:
- Never use git commit --no-verify
- Fix issues rather than skipping checks
- Keep the codebase clean and consistent
metadata:
priority: high
version: 1.0
</rule>
examples:
- input: |
# Bad: Bypassing checks
git commit --no-verify -m "quick fix"
output: |
# Good: Run checks and fix issues
./scripts/pre-commit.sh
# Fix any issues
git add .
git commit -m "fix: resolve linting issues"
- input: |
# Bad: Ignoring failing checks
# Checks failed but commit anyway
output: |
# Good: Address all issues
./scripts/pre-commit.sh
# Fix frontend formatting
bun format
# Fix Go lint issues
# Fix failing tests
./scripts/pre-commit.sh # Run again to verify
git commit

31
.gitignore vendored
View file

@ -1,27 +1,3 @@
node_modules
# Output
.output
.vercel
.netlify
.wrangler
/.svelte-kit
/build
# OS
.DS_Store
Thumbs.db
# Env
.env
.env.*
!.env.example
!.env.test
# Vite
vite.config.js.timestamp-*
vite.config.ts.timestamp-*
# Aider
.aider*
@ -29,9 +5,4 @@ vite.config.ts.timestamp-*
notes-app
# SQLite db
notes.db
# Playwright
/test-results/
/playwright-report/
/playwright/.cache/
notes.db

27
.golangci.yml Normal file
View file

@ -0,0 +1,27 @@
linters:
enable:
- gofmt
- govet
- gosimple
- staticcheck
- unused
- misspell
- goimports
- ineffassign
- gocritic
- errcheck
run:
deadline: 5m
tests: true
issues:
exclude-use-default: false
max-issues-per-linter: 0
max-same-issues: 0
output:
formats:
- format: colored-line-number
print-issued-lines: true
print-linter-name: true

28
frontend/.gitignore vendored Normal file
View file

@ -0,0 +1,28 @@
node_modules
# Output
.output
.vercel
.netlify
.wrangler
/.svelte-kit
/build
# OS
.DS_Store
Thumbs.db
# Env
.env
.env.*
!.env.example
!.env.test
# Vite
vite.config.js.timestamp-*
vite.config.ts.timestamp-*
# Playwright
**/test-results/
**/playwright-report/
**/playwright/.cache/

1
frontend/.npmrc Normal file
View file

@ -0,0 +1 @@
engine-strict=true

4
frontend/.prettierignore Normal file
View file

@ -0,0 +1,4 @@
# Package Managers
package-lock.json
pnpm-lock.yaml
yarn.lock

15
frontend/.prettierrc Normal file
View file

@ -0,0 +1,15 @@
{
"useTabs": true,
"singleQuote": true,
"trailingComma": "none",
"printWidth": 100,
"plugins": ["prettier-plugin-svelte"],
"overrides": [
{
"files": "*.svelte",
"options": {
"parser": "svelte"
}
}
]
}

508
frontend/bun.lock Normal file
View file

@ -0,0 +1,508 @@
{
"lockfileVersion": 1,
"workspaces": {
"": {
"name": "quicknotes",
"dependencies": {
"@types/marked": "^6.0.0",
"bulma": "^1.0.3",
"marked": "^15.0.7",
},
"devDependencies": {
"@eslint/compat": "^1.2.5",
"@eslint/js": "^9.18.0",
"@playwright/test": "^1.40.0",
"@sveltejs/adapter-static": "^3.0.8",
"@sveltejs/kit": "^2.5.27",
"@sveltejs/vite-plugin-svelte": "^5.0.0",
"@types/node": "^22.13.4",
"eslint": "^9.18.0",
"eslint-config-prettier": "^10.0.1",
"eslint-plugin-svelte": "^2.46.1",
"globals": "^15.14.0",
"prettier": "^3.4.2",
"prettier-plugin-svelte": "^3.3.3",
"svelte": "^5.0.0",
"svelte-check": "^4.0.0",
"typescript": "^5.5.0",
"typescript-eslint": "^8.20.0",
"vite": "^6.0.0",
},
},
},
"packages": {
"@ampproject/remapping": ["@ampproject/remapping@2.3.0", "", { "dependencies": { "@jridgewell/gen-mapping": "^0.3.5", "@jridgewell/trace-mapping": "^0.3.24" } }, "sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw=="],
"@esbuild/aix-ppc64": ["@esbuild/aix-ppc64@0.24.2", "", { "os": "aix", "cpu": "ppc64" }, "sha512-thpVCb/rhxE/BnMLQ7GReQLLN8q9qbHmI55F4489/ByVg2aQaQ6kbcLb6FHkocZzQhxc4gx0sCk0tJkKBFzDhA=="],
"@esbuild/android-arm": ["@esbuild/android-arm@0.24.2", "", { "os": "android", "cpu": "arm" }, "sha512-tmwl4hJkCfNHwFB3nBa8z1Uy3ypZpxqxfTQOcHX+xRByyYgunVbZ9MzUUfb0RxaHIMnbHagwAxuTL+tnNM+1/Q=="],
"@esbuild/android-arm64": ["@esbuild/android-arm64@0.24.2", "", { "os": "android", "cpu": "arm64" }, "sha512-cNLgeqCqV8WxfcTIOeL4OAtSmL8JjcN6m09XIgro1Wi7cF4t/THaWEa7eL5CMoMBdjoHOTh/vwTO/o2TRXIyzg=="],
"@esbuild/android-x64": ["@esbuild/android-x64@0.24.2", "", { "os": "android", "cpu": "x64" }, "sha512-B6Q0YQDqMx9D7rvIcsXfmJfvUYLoP722bgfBlO5cGvNVb5V/+Y7nhBE3mHV9OpxBf4eAS2S68KZztiPaWq4XYw=="],
"@esbuild/darwin-arm64": ["@esbuild/darwin-arm64@0.24.2", "", { "os": "darwin", "cpu": "arm64" }, "sha512-kj3AnYWc+CekmZnS5IPu9D+HWtUI49hbnyqk0FLEJDbzCIQt7hg7ucF1SQAilhtYpIujfaHr6O0UHlzzSPdOeA=="],
"@esbuild/darwin-x64": ["@esbuild/darwin-x64@0.24.2", "", { "os": "darwin", "cpu": "x64" }, "sha512-WeSrmwwHaPkNR5H3yYfowhZcbriGqooyu3zI/3GGpF8AyUdsrrP0X6KumITGA9WOyiJavnGZUwPGvxvwfWPHIA=="],
"@esbuild/freebsd-arm64": ["@esbuild/freebsd-arm64@0.24.2", "", { "os": "freebsd", "cpu": "arm64" }, "sha512-UN8HXjtJ0k/Mj6a9+5u6+2eZ2ERD7Edt1Q9IZiB5UZAIdPnVKDoG7mdTVGhHJIeEml60JteamR3qhsr1r8gXvg=="],
"@esbuild/freebsd-x64": ["@esbuild/freebsd-x64@0.24.2", "", { "os": "freebsd", "cpu": "x64" }, "sha512-TvW7wE/89PYW+IevEJXZ5sF6gJRDY/14hyIGFXdIucxCsbRmLUcjseQu1SyTko+2idmCw94TgyaEZi9HUSOe3Q=="],
"@esbuild/linux-arm": ["@esbuild/linux-arm@0.24.2", "", { "os": "linux", "cpu": "arm" }, "sha512-n0WRM/gWIdU29J57hJyUdIsk0WarGd6To0s+Y+LwvlC55wt+GT/OgkwoXCXvIue1i1sSNWblHEig00GBWiJgfA=="],
"@esbuild/linux-arm64": ["@esbuild/linux-arm64@0.24.2", "", { "os": "linux", "cpu": "arm64" }, "sha512-7HnAD6074BW43YvvUmE/35Id9/NB7BeX5EoNkK9obndmZBUk8xmJJeU7DwmUeN7tkysslb2eSl6CTrYz6oEMQg=="],
"@esbuild/linux-ia32": ["@esbuild/linux-ia32@0.24.2", "", { "os": "linux", "cpu": "ia32" }, "sha512-sfv0tGPQhcZOgTKO3oBE9xpHuUqguHvSo4jl+wjnKwFpapx+vUDcawbwPNuBIAYdRAvIDBfZVvXprIj3HA+Ugw=="],
"@esbuild/linux-loong64": ["@esbuild/linux-loong64@0.24.2", "", { "os": "linux", "cpu": "none" }, "sha512-CN9AZr8kEndGooS35ntToZLTQLHEjtVB5n7dl8ZcTZMonJ7CCfStrYhrzF97eAecqVbVJ7APOEe18RPI4KLhwQ=="],
"@esbuild/linux-mips64el": ["@esbuild/linux-mips64el@0.24.2", "", { "os": "linux", "cpu": "none" }, "sha512-iMkk7qr/wl3exJATwkISxI7kTcmHKE+BlymIAbHO8xanq/TjHaaVThFF6ipWzPHryoFsesNQJPE/3wFJw4+huw=="],
"@esbuild/linux-ppc64": ["@esbuild/linux-ppc64@0.24.2", "", { "os": "linux", "cpu": "ppc64" }, "sha512-shsVrgCZ57Vr2L8mm39kO5PPIb+843FStGt7sGGoqiiWYconSxwTiuswC1VJZLCjNiMLAMh34jg4VSEQb+iEbw=="],
"@esbuild/linux-riscv64": ["@esbuild/linux-riscv64@0.24.2", "", { "os": "linux", "cpu": "none" }, "sha512-4eSFWnU9Hhd68fW16GD0TINewo1L6dRrB+oLNNbYyMUAeOD2yCK5KXGK1GH4qD/kT+bTEXjsyTCiJGHPZ3eM9Q=="],
"@esbuild/linux-s390x": ["@esbuild/linux-s390x@0.24.2", "", { "os": "linux", "cpu": "s390x" }, "sha512-S0Bh0A53b0YHL2XEXC20bHLuGMOhFDO6GN4b3YjRLK//Ep3ql3erpNcPlEFed93hsQAjAQDNsvcK+hV90FubSw=="],
"@esbuild/linux-x64": ["@esbuild/linux-x64@0.24.2", "", { "os": "linux", "cpu": "x64" }, "sha512-8Qi4nQcCTbLnK9WoMjdC9NiTG6/E38RNICU6sUNqK0QFxCYgoARqVqxdFmWkdonVsvGqWhmm7MO0jyTqLqwj0Q=="],
"@esbuild/netbsd-arm64": ["@esbuild/netbsd-arm64@0.24.2", "", { "os": "none", "cpu": "arm64" }, "sha512-wuLK/VztRRpMt9zyHSazyCVdCXlpHkKm34WUyinD2lzK07FAHTq0KQvZZlXikNWkDGoT6x3TD51jKQ7gMVpopw=="],
"@esbuild/netbsd-x64": ["@esbuild/netbsd-x64@0.24.2", "", { "os": "none", "cpu": "x64" }, "sha512-VefFaQUc4FMmJuAxmIHgUmfNiLXY438XrL4GDNV1Y1H/RW3qow68xTwjZKfj/+Plp9NANmzbH5R40Meudu8mmw=="],
"@esbuild/openbsd-arm64": ["@esbuild/openbsd-arm64@0.24.2", "", { "os": "openbsd", "cpu": "arm64" }, "sha512-YQbi46SBct6iKnszhSvdluqDmxCJA+Pu280Av9WICNwQmMxV7nLRHZfjQzwbPs3jeWnuAhE9Jy0NrnJ12Oz+0A=="],
"@esbuild/openbsd-x64": ["@esbuild/openbsd-x64@0.24.2", "", { "os": "openbsd", "cpu": "x64" }, "sha512-+iDS6zpNM6EnJyWv0bMGLWSWeXGN/HTaF/LXHXHwejGsVi+ooqDfMCCTerNFxEkM3wYVcExkeGXNqshc9iMaOA=="],
"@esbuild/sunos-x64": ["@esbuild/sunos-x64@0.24.2", "", { "os": "sunos", "cpu": "x64" }, "sha512-hTdsW27jcktEvpwNHJU4ZwWFGkz2zRJUz8pvddmXPtXDzVKTTINmlmga3ZzwcuMpUvLw7JkLy9QLKyGpD2Yxig=="],
"@esbuild/win32-arm64": ["@esbuild/win32-arm64@0.24.2", "", { "os": "win32", "cpu": "arm64" }, "sha512-LihEQ2BBKVFLOC9ZItT9iFprsE9tqjDjnbulhHoFxYQtQfai7qfluVODIYxt1PgdoyQkz23+01rzwNwYfutxUQ=="],
"@esbuild/win32-ia32": ["@esbuild/win32-ia32@0.24.2", "", { "os": "win32", "cpu": "ia32" }, "sha512-q+iGUwfs8tncmFC9pcnD5IvRHAzmbwQ3GPS5/ceCyHdjXubwQWI12MKWSNSMYLJMq23/IUCvJMS76PDqXe1fxA=="],
"@esbuild/win32-x64": ["@esbuild/win32-x64@0.24.2", "", { "os": "win32", "cpu": "x64" }, "sha512-7VTgWzgMGvup6aSqDPLiW5zHaxYJGTO4OokMjIlrCtf+VpEL+cXKtCvg723iguPYI5oaUNdS+/V7OU2gvXVWEg=="],
"@eslint-community/eslint-utils": ["@eslint-community/eslint-utils@4.4.1", "", { "dependencies": { "eslint-visitor-keys": "^3.4.3" }, "peerDependencies": { "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" } }, "sha512-s3O3waFUrMV8P/XaF/+ZTp1X9XBZW1a4B97ZnjQF2KYWaFD2A8KyFBsrsfSjEmjn3RGWAIuvlneuZm3CUK3jbA=="],
"@eslint-community/regexpp": ["@eslint-community/regexpp@4.12.1", "", {}, "sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ=="],
"@eslint/compat": ["@eslint/compat@1.2.6", "", { "peerDependencies": { "eslint": "^9.10.0" }, "optionalPeers": ["eslint"] }, "sha512-k7HNCqApoDHM6XzT30zGoETj+D+uUcZUb+IVAJmar3u6bvHf7hhHJcWx09QHj4/a2qrKZMWU0E16tvkiAdv06Q=="],
"@eslint/config-array": ["@eslint/config-array@0.19.2", "", { "dependencies": { "@eslint/object-schema": "^2.1.6", "debug": "^4.3.1", "minimatch": "^3.1.2" } }, "sha512-GNKqxfHG2ySmJOBSHg7LxeUx4xpuCoFjacmlCoYWEbaPXLwvfIjixRI12xCQZeULksQb23uiA8F40w5TojpV7w=="],
"@eslint/core": ["@eslint/core@0.11.0", "", { "dependencies": { "@types/json-schema": "^7.0.15" } }, "sha512-DWUB2pksgNEb6Bz2fggIy1wh6fGgZP4Xyy/Mt0QZPiloKKXerbqq9D3SBQTlCRYOrcRPu4vuz+CGjwdfqxnoWA=="],
"@eslint/eslintrc": ["@eslint/eslintrc@3.2.0", "", { "dependencies": { "ajv": "^6.12.4", "debug": "^4.3.2", "espree": "^10.0.1", "globals": "^14.0.0", "ignore": "^5.2.0", "import-fresh": "^3.2.1", "js-yaml": "^4.1.0", "minimatch": "^3.1.2", "strip-json-comments": "^3.1.1" } }, "sha512-grOjVNN8P3hjJn/eIETF1wwd12DdnwFDoyceUJLYYdkpbwq3nLi+4fqrTAONx7XDALqlL220wC/RHSC/QTI/0w=="],
"@eslint/js": ["@eslint/js@9.20.0", "", {}, "sha512-iZA07H9io9Wn836aVTytRaNqh00Sad+EamwOVJT12GTLw1VGMFV/4JaME+JjLtr9fiGaoWgYnS54wrfWsSs4oQ=="],
"@eslint/object-schema": ["@eslint/object-schema@2.1.6", "", {}, "sha512-RBMg5FRL0I0gs51M/guSAj5/e14VQ4tpZnQNWwuDT66P14I43ItmPfIZRhO9fUVIPOAQXU47atlywZ/czoqFPA=="],
"@eslint/plugin-kit": ["@eslint/plugin-kit@0.2.5", "", { "dependencies": { "@eslint/core": "^0.10.0", "levn": "^0.4.1" } }, "sha512-lB05FkqEdUg2AA0xEbUz0SnkXT1LcCTa438W4IWTUh4hdOnVbQyOJ81OrDXsJk/LSiJHubgGEFoR5EHq1NsH1A=="],
"@humanfs/core": ["@humanfs/core@0.19.1", "", {}, "sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA=="],
"@humanfs/node": ["@humanfs/node@0.16.6", "", { "dependencies": { "@humanfs/core": "^0.19.1", "@humanwhocodes/retry": "^0.3.0" } }, "sha512-YuI2ZHQL78Q5HbhDiBA1X4LmYdXCKCMQIfw0pw7piHJwyREFebJUvrQN4cMssyES6x+vfUbx1CIpaQUKYdQZOw=="],
"@humanwhocodes/module-importer": ["@humanwhocodes/module-importer@1.0.1", "", {}, "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA=="],
"@humanwhocodes/retry": ["@humanwhocodes/retry@0.4.1", "", {}, "sha512-c7hNEllBlenFTHBky65mhq8WD2kbN9Q6gk0bTk8lSBvc554jpXSkST1iePudpt7+A/AQvuHs9EMqjHDXMY1lrA=="],
"@jridgewell/gen-mapping": ["@jridgewell/gen-mapping@0.3.8", "", { "dependencies": { "@jridgewell/set-array": "^1.2.1", "@jridgewell/sourcemap-codec": "^1.4.10", "@jridgewell/trace-mapping": "^0.3.24" } }, "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA=="],
"@jridgewell/resolve-uri": ["@jridgewell/resolve-uri@3.1.2", "", {}, "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw=="],
"@jridgewell/set-array": ["@jridgewell/set-array@1.2.1", "", {}, "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A=="],
"@jridgewell/sourcemap-codec": ["@jridgewell/sourcemap-codec@1.5.0", "", {}, "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ=="],
"@jridgewell/trace-mapping": ["@jridgewell/trace-mapping@0.3.25", "", { "dependencies": { "@jridgewell/resolve-uri": "^3.1.0", "@jridgewell/sourcemap-codec": "^1.4.14" } }, "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ=="],
"@nodelib/fs.scandir": ["@nodelib/fs.scandir@2.1.5", "", { "dependencies": { "@nodelib/fs.stat": "2.0.5", "run-parallel": "^1.1.9" } }, "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g=="],
"@nodelib/fs.stat": ["@nodelib/fs.stat@2.0.5", "", {}, "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A=="],
"@nodelib/fs.walk": ["@nodelib/fs.walk@1.2.8", "", { "dependencies": { "@nodelib/fs.scandir": "2.1.5", "fastq": "^1.6.0" } }, "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg=="],
"@playwright/test": ["@playwright/test@1.50.1", "", { "dependencies": { "playwright": "1.50.1" }, "bin": { "playwright": "cli.js" } }, "sha512-Jii3aBg+CEDpgnuDxEp/h7BimHcUTDlpEtce89xEumlJ5ef2hqepZ+PWp1DDpYC/VO9fmWVI1IlEaoI5fK9FXQ=="],
"@polka/url": ["@polka/url@1.0.0-next.28", "", {}, "sha512-8LduaNlMZGwdZ6qWrKlfa+2M4gahzFkprZiAt2TF8uS0qQgBizKXpXURqvTJ4WtmupWxaLqjRb2UCTe72mu+Aw=="],
"@rollup/rollup-android-arm-eabi": ["@rollup/rollup-android-arm-eabi@4.34.8", "", { "os": "android", "cpu": "arm" }, "sha512-q217OSE8DTp8AFHuNHXo0Y86e1wtlfVrXiAlwkIvGRQv9zbc6mE3sjIVfwI8sYUyNxwOg0j/Vm1RKM04JcWLJw=="],
"@rollup/rollup-android-arm64": ["@rollup/rollup-android-arm64@4.34.8", "", { "os": "android", "cpu": "arm64" }, "sha512-Gigjz7mNWaOL9wCggvoK3jEIUUbGul656opstjaUSGC3eT0BM7PofdAJaBfPFWWkXNVAXbaQtC99OCg4sJv70Q=="],
"@rollup/rollup-darwin-arm64": ["@rollup/rollup-darwin-arm64@4.34.8", "", { "os": "darwin", "cpu": "arm64" }, "sha512-02rVdZ5tgdUNRxIUrFdcMBZQoaPMrxtwSb+/hOfBdqkatYHR3lZ2A2EGyHq2sGOd0Owk80oV3snlDASC24He3Q=="],
"@rollup/rollup-darwin-x64": ["@rollup/rollup-darwin-x64@4.34.8", "", { "os": "darwin", "cpu": "x64" }, "sha512-qIP/elwR/tq/dYRx3lgwK31jkZvMiD6qUtOycLhTzCvrjbZ3LjQnEM9rNhSGpbLXVJYQ3rq39A6Re0h9tU2ynw=="],
"@rollup/rollup-freebsd-arm64": ["@rollup/rollup-freebsd-arm64@4.34.8", "", { "os": "freebsd", "cpu": "arm64" }, "sha512-IQNVXL9iY6NniYbTaOKdrlVP3XIqazBgJOVkddzJlqnCpRi/yAeSOa8PLcECFSQochzqApIOE1GHNu3pCz+BDA=="],
"@rollup/rollup-freebsd-x64": ["@rollup/rollup-freebsd-x64@4.34.8", "", { "os": "freebsd", "cpu": "x64" }, "sha512-TYXcHghgnCqYFiE3FT5QwXtOZqDj5GmaFNTNt3jNC+vh22dc/ukG2cG+pi75QO4kACohZzidsq7yKTKwq/Jq7Q=="],
"@rollup/rollup-linux-arm-gnueabihf": ["@rollup/rollup-linux-arm-gnueabihf@4.34.8", "", { "os": "linux", "cpu": "arm" }, "sha512-A4iphFGNkWRd+5m3VIGuqHnG3MVnqKe7Al57u9mwgbyZ2/xF9Jio72MaY7xxh+Y87VAHmGQr73qoKL9HPbXj1g=="],
"@rollup/rollup-linux-arm-musleabihf": ["@rollup/rollup-linux-arm-musleabihf@4.34.8", "", { "os": "linux", "cpu": "arm" }, "sha512-S0lqKLfTm5u+QTxlFiAnb2J/2dgQqRy/XvziPtDd1rKZFXHTyYLoVL58M/XFwDI01AQCDIevGLbQrMAtdyanpA=="],
"@rollup/rollup-linux-arm64-gnu": ["@rollup/rollup-linux-arm64-gnu@4.34.8", "", { "os": "linux", "cpu": "arm64" }, "sha512-jpz9YOuPiSkL4G4pqKrus0pn9aYwpImGkosRKwNi+sJSkz+WU3anZe6hi73StLOQdfXYXC7hUfsQlTnjMd3s1A=="],
"@rollup/rollup-linux-arm64-musl": ["@rollup/rollup-linux-arm64-musl@4.34.8", "", { "os": "linux", "cpu": "arm64" }, "sha512-KdSfaROOUJXgTVxJNAZ3KwkRc5nggDk+06P6lgi1HLv1hskgvxHUKZ4xtwHkVYJ1Rep4GNo+uEfycCRRxht7+Q=="],
"@rollup/rollup-linux-loongarch64-gnu": ["@rollup/rollup-linux-loongarch64-gnu@4.34.8", "", { "os": "linux", "cpu": "none" }, "sha512-NyF4gcxwkMFRjgXBM6g2lkT58OWztZvw5KkV2K0qqSnUEqCVcqdh2jN4gQrTn/YUpAcNKyFHfoOZEer9nwo6uQ=="],
"@rollup/rollup-linux-powerpc64le-gnu": ["@rollup/rollup-linux-powerpc64le-gnu@4.34.8", "", { "os": "linux", "cpu": "ppc64" }, "sha512-LMJc999GkhGvktHU85zNTDImZVUCJ1z/MbAJTnviiWmmjyckP5aQsHtcujMjpNdMZPT2rQEDBlJfubhs3jsMfw=="],
"@rollup/rollup-linux-riscv64-gnu": ["@rollup/rollup-linux-riscv64-gnu@4.34.8", "", { "os": "linux", "cpu": "none" }, "sha512-xAQCAHPj8nJq1PI3z8CIZzXuXCstquz7cIOL73HHdXiRcKk8Ywwqtx2wrIy23EcTn4aZ2fLJNBB8d0tQENPCmw=="],
"@rollup/rollup-linux-s390x-gnu": ["@rollup/rollup-linux-s390x-gnu@4.34.8", "", { "os": "linux", "cpu": "s390x" }, "sha512-DdePVk1NDEuc3fOe3dPPTb+rjMtuFw89gw6gVWxQFAuEqqSdDKnrwzZHrUYdac7A7dXl9Q2Vflxpme15gUWQFA=="],
"@rollup/rollup-linux-x64-gnu": ["@rollup/rollup-linux-x64-gnu@4.34.8", "", { "os": "linux", "cpu": "x64" }, "sha512-8y7ED8gjxITUltTUEJLQdgpbPh1sUQ0kMTmufRF/Ns5tI9TNMNlhWtmPKKHCU0SilX+3MJkZ0zERYYGIVBYHIA=="],
"@rollup/rollup-linux-x64-musl": ["@rollup/rollup-linux-x64-musl@4.34.8", "", { "os": "linux", "cpu": "x64" }, "sha512-SCXcP0ZpGFIe7Ge+McxY5zKxiEI5ra+GT3QRxL0pMMtxPfpyLAKleZODi1zdRHkz5/BhueUrYtYVgubqe9JBNQ=="],
"@rollup/rollup-win32-arm64-msvc": ["@rollup/rollup-win32-arm64-msvc@4.34.8", "", { "os": "win32", "cpu": "arm64" }, "sha512-YHYsgzZgFJzTRbth4h7Or0m5O74Yda+hLin0irAIobkLQFRQd1qWmnoVfwmKm9TXIZVAD0nZ+GEb2ICicLyCnQ=="],
"@rollup/rollup-win32-ia32-msvc": ["@rollup/rollup-win32-ia32-msvc@4.34.8", "", { "os": "win32", "cpu": "ia32" }, "sha512-r3NRQrXkHr4uWy5TOjTpTYojR9XmF0j/RYgKCef+Ag46FWUTltm5ziticv8LdNsDMehjJ543x/+TJAek/xBA2w=="],
"@rollup/rollup-win32-x64-msvc": ["@rollup/rollup-win32-x64-msvc@4.34.8", "", { "os": "win32", "cpu": "x64" }, "sha512-U0FaE5O1BCpZSeE6gBl3c5ObhePQSfk9vDRToMmTkbhCOgW4jqvtS5LGyQ76L1fH8sM0keRp4uDTsbjiUyjk0g=="],
"@sveltejs/adapter-static": ["@sveltejs/adapter-static@3.0.8", "", { "peerDependencies": { "@sveltejs/kit": "^2.0.0" } }, "sha512-YaDrquRpZwfcXbnlDsSrBQNCChVOT9MGuSg+dMAyfsAa1SmiAhrA5jUYUiIMC59G92kIbY/AaQOWcBdq+lh+zg=="],
"@sveltejs/kit": ["@sveltejs/kit@2.17.2", "", { "dependencies": { "@types/cookie": "^0.6.0", "cookie": "^0.6.0", "devalue": "^5.1.0", "esm-env": "^1.2.2", "import-meta-resolve": "^4.1.0", "kleur": "^4.1.5", "magic-string": "^0.30.5", "mrmime": "^2.0.0", "sade": "^1.8.1", "set-cookie-parser": "^2.6.0", "sirv": "^3.0.0" }, "peerDependencies": { "@sveltejs/vite-plugin-svelte": "^3.0.0 || ^4.0.0-next.1 || ^5.0.0", "svelte": "^4.0.0 || ^5.0.0-next.0", "vite": "^5.0.3 || ^6.0.0" }, "bin": { "svelte-kit": "svelte-kit.js" } }, "sha512-Vypk02baf7qd3SOB1uUwUC/3Oka+srPo2J0a8YN3EfJypRshDkNx9HzNKjSmhOnGWwT+SSO06+N0mAb8iVTmTQ=="],
"@sveltejs/vite-plugin-svelte": ["@sveltejs/vite-plugin-svelte@5.0.3", "", { "dependencies": { "@sveltejs/vite-plugin-svelte-inspector": "^4.0.1", "debug": "^4.4.0", "deepmerge": "^4.3.1", "kleur": "^4.1.5", "magic-string": "^0.30.15", "vitefu": "^1.0.4" }, "peerDependencies": { "svelte": "^5.0.0", "vite": "^6.0.0" } }, "sha512-MCFS6CrQDu1yGwspm4qtli0e63vaPCehf6V7pIMP15AsWgMKrqDGCPFF/0kn4SP0ii4aySu4Pa62+fIRGFMjgw=="],
"@sveltejs/vite-plugin-svelte-inspector": ["@sveltejs/vite-plugin-svelte-inspector@4.0.1", "", { "dependencies": { "debug": "^4.3.7" }, "peerDependencies": { "@sveltejs/vite-plugin-svelte": "^5.0.0", "svelte": "^5.0.0", "vite": "^6.0.0" } }, "sha512-J/Nmb2Q2y7mck2hyCX4ckVHcR5tu2J+MtBEQqpDrrgELZ2uvraQcK/ioCV61AqkdXFgriksOKIceDcQmqnGhVw=="],
"@types/cookie": ["@types/cookie@0.6.0", "", {}, "sha512-4Kh9a6B2bQciAhf7FSuMRRkUWecJgJu9nPnx3yzpsfXX/c50REIqpHY4C82bXP90qrLtXtkDxTZosYO3UpOwlA=="],
"@types/estree": ["@types/estree@1.0.6", "", {}, "sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw=="],
"@types/json-schema": ["@types/json-schema@7.0.15", "", {}, "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA=="],
"@types/marked": ["@types/marked@6.0.0", "", { "dependencies": { "marked": "*" } }, "sha512-jmjpa4BwUsmhxcfsgUit/7A9KbrC48Q0q8KvnY107ogcjGgTFDlIL3RpihNpx2Mu1hM4mdFQjoVc4O6JoGKHsA=="],
"@types/node": ["@types/node@22.13.4", "", { "dependencies": { "undici-types": "~6.20.0" } }, "sha512-ywP2X0DYtX3y08eFVx5fNIw7/uIv8hYUKgXoK8oayJlLnKcRfEYCxWMVE1XagUdVtCJlZT1AU4LXEABW+L1Peg=="],
"@typescript-eslint/eslint-plugin": ["@typescript-eslint/eslint-plugin@8.24.0", "", { "dependencies": { "@eslint-community/regexpp": "^4.10.0", "@typescript-eslint/scope-manager": "8.24.0", "@typescript-eslint/type-utils": "8.24.0", "@typescript-eslint/utils": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0", "graphemer": "^1.4.0", "ignore": "^5.3.1", "natural-compare": "^1.4.0", "ts-api-utils": "^2.0.1" }, "peerDependencies": { "@typescript-eslint/parser": "^8.0.0 || ^8.0.0-alpha.0", "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-aFcXEJJCI4gUdXgoo/j9udUYIHgF23MFkg09LFz2dzEmU0+1Plk4rQWv/IYKvPHAtlkkGoB3m5e6oUp+JPsNaQ=="],
"@typescript-eslint/parser": ["@typescript-eslint/parser@8.24.0", "", { "dependencies": { "@typescript-eslint/scope-manager": "8.24.0", "@typescript-eslint/types": "8.24.0", "@typescript-eslint/typescript-estree": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0", "debug": "^4.3.4" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-MFDaO9CYiard9j9VepMNa9MTcqVvSny2N4hkY6roquzj8pdCBRENhErrteaQuu7Yjn1ppk0v1/ZF9CG3KIlrTA=="],
"@typescript-eslint/scope-manager": ["@typescript-eslint/scope-manager@8.24.0", "", { "dependencies": { "@typescript-eslint/types": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0" } }, "sha512-HZIX0UByphEtdVBKaQBgTDdn9z16l4aTUz8e8zPQnyxwHBtf5vtl1L+OhH+m1FGV9DrRmoDuYKqzVrvWDcDozw=="],
"@typescript-eslint/type-utils": ["@typescript-eslint/type-utils@8.24.0", "", { "dependencies": { "@typescript-eslint/typescript-estree": "8.24.0", "@typescript-eslint/utils": "8.24.0", "debug": "^4.3.4", "ts-api-utils": "^2.0.1" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-8fitJudrnY8aq0F1wMiPM1UUgiXQRJ5i8tFjq9kGfRajU+dbPyOuHbl0qRopLEidy0MwqgTHDt6CnSeXanNIwA=="],
"@typescript-eslint/types": ["@typescript-eslint/types@8.24.0", "", {}, "sha512-VacJCBTyje7HGAw7xp11q439A+zeGG0p0/p2zsZwpnMzjPB5WteaWqt4g2iysgGFafrqvyLWqq6ZPZAOCoefCw=="],
"@typescript-eslint/typescript-estree": ["@typescript-eslint/typescript-estree@8.24.0", "", { "dependencies": { "@typescript-eslint/types": "8.24.0", "@typescript-eslint/visitor-keys": "8.24.0", "debug": "^4.3.4", "fast-glob": "^3.3.2", "is-glob": "^4.0.3", "minimatch": "^9.0.4", "semver": "^7.6.0", "ts-api-utils": "^2.0.1" }, "peerDependencies": { "typescript": ">=4.8.4 <5.8.0" } }, "sha512-ITjYcP0+8kbsvT9bysygfIfb+hBj6koDsu37JZG7xrCiy3fPJyNmfVtaGsgTUSEuTzcvME5YI5uyL5LD1EV5ZQ=="],
"@typescript-eslint/utils": ["@typescript-eslint/utils@8.24.0", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.4.0", "@typescript-eslint/scope-manager": "8.24.0", "@typescript-eslint/types": "8.24.0", "@typescript-eslint/typescript-estree": "8.24.0" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-07rLuUBElvvEb1ICnafYWr4hk8/U7X9RDCOqd9JcAMtjh/9oRmcfN4yGzbPVirgMR0+HLVHehmu19CWeh7fsmQ=="],
"@typescript-eslint/visitor-keys": ["@typescript-eslint/visitor-keys@8.24.0", "", { "dependencies": { "@typescript-eslint/types": "8.24.0", "eslint-visitor-keys": "^4.2.0" } }, "sha512-kArLq83QxGLbuHrTMoOEWO+l2MwsNS2TGISEdx8xgqpkbytB07XmlQyQdNDrCc1ecSqx0cnmhGvpX+VBwqqSkg=="],
"acorn": ["acorn@8.14.0", "", { "bin": { "acorn": "bin/acorn" } }, "sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA=="],
"acorn-jsx": ["acorn-jsx@5.3.2", "", { "peerDependencies": { "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" } }, "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ=="],
"acorn-typescript": ["acorn-typescript@1.4.13", "", { "peerDependencies": { "acorn": ">=8.9.0" } }, "sha512-xsc9Xv0xlVfwp2o7sQ+GCQ1PgbkdcpWdTzrwXxO3xDMTAywVS3oXVOcOHuRjAPkS4P9b+yc/qNF15460v+jp4Q=="],
"ajv": ["ajv@6.12.6", "", { "dependencies": { "fast-deep-equal": "^3.1.1", "fast-json-stable-stringify": "^2.0.0", "json-schema-traverse": "^0.4.1", "uri-js": "^4.2.2" } }, "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g=="],
"ansi-styles": ["ansi-styles@4.3.0", "", { "dependencies": { "color-convert": "^2.0.1" } }, "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg=="],
"argparse": ["argparse@2.0.1", "", {}, "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q=="],
"aria-query": ["aria-query@5.3.2", "", {}, "sha512-COROpnaoap1E2F000S62r6A60uHZnmlvomhfyT2DlTcrY1OrBKn2UhH7qn5wTC9zMvD0AY7csdPSNwKP+7WiQw=="],
"axobject-query": ["axobject-query@4.1.0", "", {}, "sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ=="],
"balanced-match": ["balanced-match@1.0.2", "", {}, "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw=="],
"brace-expansion": ["brace-expansion@1.1.11", "", { "dependencies": { "balanced-match": "^1.0.0", "concat-map": "0.0.1" } }, "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA=="],
"braces": ["braces@3.0.3", "", { "dependencies": { "fill-range": "^7.1.1" } }, "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA=="],
"bulma": ["bulma@1.0.3", "", {}, "sha512-9eVXBrXwlU337XUXBjIIq7i88A+tRbJYAjXQjT/21lwam+5tpvKF0R7dCesre9N+HV9c6pzCNEPKrtgvBBes2g=="],
"callsites": ["callsites@3.1.0", "", {}, "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ=="],
"chalk": ["chalk@4.1.2", "", { "dependencies": { "ansi-styles": "^4.1.0", "supports-color": "^7.1.0" } }, "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA=="],
"chokidar": ["chokidar@4.0.3", "", { "dependencies": { "readdirp": "^4.0.1" } }, "sha512-Qgzu8kfBvo+cA4962jnP1KkS6Dop5NS6g7R5LFYJr4b8Ub94PPQXUksCw9PvXoeXPRRddRNC5C1JQUR2SMGtnA=="],
"clsx": ["clsx@2.1.1", "", {}, "sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA=="],
"color-convert": ["color-convert@2.0.1", "", { "dependencies": { "color-name": "~1.1.4" } }, "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ=="],
"color-name": ["color-name@1.1.4", "", {}, "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA=="],
"concat-map": ["concat-map@0.0.1", "", {}, "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg=="],
"cookie": ["cookie@0.6.0", "", {}, "sha512-U71cyTamuh1CRNCfpGY6to28lxvNwPG4Guz/EVjgf3Jmzv0vlDp1atT9eS5dDjMYHucpHbWns6Lwf3BKz6svdw=="],
"cross-spawn": ["cross-spawn@7.0.6", "", { "dependencies": { "path-key": "^3.1.0", "shebang-command": "^2.0.0", "which": "^2.0.1" } }, "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA=="],
"cssesc": ["cssesc@3.0.0", "", { "bin": { "cssesc": "bin/cssesc" } }, "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg=="],
"debug": ["debug@4.4.0", "", { "dependencies": { "ms": "^2.1.3" } }, "sha512-6WTZ/IxCY/T6BALoZHaE4ctp9xm+Z5kY/pzYaCHRFeyVhojxlrm+46y68HA6hr0TcwEssoxNiDEUJQjfPZ/RYA=="],
"deep-is": ["deep-is@0.1.4", "", {}, "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ=="],
"deepmerge": ["deepmerge@4.3.1", "", {}, "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A=="],
"devalue": ["devalue@5.1.1", "", {}, "sha512-maua5KUiapvEwiEAe+XnlZ3Rh0GD+qI1J/nb9vrJc3muPXvcF/8gXYTWF76+5DAqHyDUtOIImEuo0YKE9mshVw=="],
"esbuild": ["esbuild@0.24.2", "", { "optionalDependencies": { "@esbuild/aix-ppc64": "0.24.2", "@esbuild/android-arm": "0.24.2", "@esbuild/android-arm64": "0.24.2", "@esbuild/android-x64": "0.24.2", "@esbuild/darwin-arm64": "0.24.2", "@esbuild/darwin-x64": "0.24.2", "@esbuild/freebsd-arm64": "0.24.2", "@esbuild/freebsd-x64": "0.24.2", "@esbuild/linux-arm": "0.24.2", "@esbuild/linux-arm64": "0.24.2", "@esbuild/linux-ia32": "0.24.2", "@esbuild/linux-loong64": "0.24.2", "@esbuild/linux-mips64el": "0.24.2", "@esbuild/linux-ppc64": "0.24.2", "@esbuild/linux-riscv64": "0.24.2", "@esbuild/linux-s390x": "0.24.2", "@esbuild/linux-x64": "0.24.2", "@esbuild/netbsd-arm64": "0.24.2", "@esbuild/netbsd-x64": "0.24.2", "@esbuild/openbsd-arm64": "0.24.2", "@esbuild/openbsd-x64": "0.24.2", "@esbuild/sunos-x64": "0.24.2", "@esbuild/win32-arm64": "0.24.2", "@esbuild/win32-ia32": "0.24.2", "@esbuild/win32-x64": "0.24.2" }, "bin": { "esbuild": "bin/esbuild" } }, "sha512-+9egpBW8I3CD5XPe0n6BfT5fxLzxrlDzqydF3aviG+9ni1lDC/OvMHcxqEFV0+LANZG5R1bFMWfUrjVsdwxJvA=="],
"escape-string-regexp": ["escape-string-regexp@4.0.0", "", {}, "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA=="],
"eslint": ["eslint@9.20.1", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.2.0", "@eslint-community/regexpp": "^4.12.1", "@eslint/config-array": "^0.19.0", "@eslint/core": "^0.11.0", "@eslint/eslintrc": "^3.2.0", "@eslint/js": "9.20.0", "@eslint/plugin-kit": "^0.2.5", "@humanfs/node": "^0.16.6", "@humanwhocodes/module-importer": "^1.0.1", "@humanwhocodes/retry": "^0.4.1", "@types/estree": "^1.0.6", "@types/json-schema": "^7.0.15", "ajv": "^6.12.4", "chalk": "^4.0.0", "cross-spawn": "^7.0.6", "debug": "^4.3.2", "escape-string-regexp": "^4.0.0", "eslint-scope": "^8.2.0", "eslint-visitor-keys": "^4.2.0", "espree": "^10.3.0", "esquery": "^1.5.0", "esutils": "^2.0.2", "fast-deep-equal": "^3.1.3", "file-entry-cache": "^8.0.0", "find-up": "^5.0.0", "glob-parent": "^6.0.2", "ignore": "^5.2.0", "imurmurhash": "^0.1.4", "is-glob": "^4.0.0", "json-stable-stringify-without-jsonify": "^1.0.1", "lodash.merge": "^4.6.2", "minimatch": "^3.1.2", "natural-compare": "^1.4.0", "optionator": "^0.9.3" }, "peerDependencies": { "jiti": "*" }, "optionalPeers": ["jiti"], "bin": { "eslint": "bin/eslint.js" } }, "sha512-m1mM33o6dBUjxl2qb6wv6nGNwCAsns1eKtaQ4l/NPHeTvhiUPbtdfMyktxN4B3fgHIgsYh1VT3V9txblpQHq+g=="],
"eslint-compat-utils": ["eslint-compat-utils@0.5.1", "", { "dependencies": { "semver": "^7.5.4" }, "peerDependencies": { "eslint": ">=6.0.0" } }, "sha512-3z3vFexKIEnjHE3zCMRo6fn/e44U7T1khUjg+Hp0ZQMCigh28rALD0nPFBcGZuiLC5rLZa2ubQHDRln09JfU2Q=="],
"eslint-config-prettier": ["eslint-config-prettier@10.0.1", "", { "peerDependencies": { "eslint": ">=7.0.0" }, "bin": { "eslint-config-prettier": "build/bin/cli.js" } }, "sha512-lZBts941cyJyeaooiKxAtzoPHTN+GbQTJFAIdQbRhA4/8whaAraEh47Whw/ZFfrjNSnlAxqfm9i0XVAEkULjCw=="],
"eslint-plugin-svelte": ["eslint-plugin-svelte@2.46.1", "", { "dependencies": { "@eslint-community/eslint-utils": "^4.4.0", "@jridgewell/sourcemap-codec": "^1.4.15", "eslint-compat-utils": "^0.5.1", "esutils": "^2.0.3", "known-css-properties": "^0.35.0", "postcss": "^8.4.38", "postcss-load-config": "^3.1.4", "postcss-safe-parser": "^6.0.0", "postcss-selector-parser": "^6.1.0", "semver": "^7.6.2", "svelte-eslint-parser": "^0.43.0" }, "peerDependencies": { "eslint": "^7.0.0 || ^8.0.0-0 || ^9.0.0-0", "svelte": "^3.37.0 || ^4.0.0 || ^5.0.0" }, "optionalPeers": ["svelte"] }, "sha512-7xYr2o4NID/f9OEYMqxsEQsCsj4KaMy4q5sANaKkAb6/QeCjYFxRmDm2S3YC3A3pl1kyPZ/syOx/i7LcWYSbIw=="],
"eslint-scope": ["eslint-scope@8.2.0", "", { "dependencies": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" } }, "sha512-PHlWUfG6lvPc3yvP5A4PNyBL1W8fkDUccmI21JUu/+GKZBoH/W5u6usENXUrWFRsyoW5ACUjFGgAFQp5gUlb/A=="],
"eslint-visitor-keys": ["eslint-visitor-keys@4.2.0", "", {}, "sha512-UyLnSehNt62FFhSwjZlHmeokpRK59rcz29j+F1/aDgbkbRTk7wIc9XzdoasMUbRNKDM0qQt/+BJ4BrpFeABemw=="],
"esm-env": ["esm-env@1.2.2", "", {}, "sha512-Epxrv+Nr/CaL4ZcFGPJIYLWFom+YeV1DqMLHJoEd9SYRxNbaFruBwfEX/kkHUJf55j2+TUbmDcmuilbP1TmXHA=="],
"espree": ["espree@10.3.0", "", { "dependencies": { "acorn": "^8.14.0", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^4.2.0" } }, "sha512-0QYC8b24HWY8zjRnDTL6RiHfDbAWn63qb4LMj1Z4b076A4une81+z03Kg7l7mn/48PUTqoLptSXez8oknU8Clg=="],
"esquery": ["esquery@1.6.0", "", { "dependencies": { "estraverse": "^5.1.0" } }, "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg=="],
"esrap": ["esrap@1.4.5", "", { "dependencies": { "@jridgewell/sourcemap-codec": "^1.4.15" } }, "sha512-CjNMjkBWWZeHn+VX+gS8YvFwJ5+NDhg8aWZBSFJPR8qQduDNjbJodA2WcwCm7uQa5Rjqj+nZvVmceg1RbHFB9g=="],
"esrecurse": ["esrecurse@4.3.0", "", { "dependencies": { "estraverse": "^5.2.0" } }, "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag=="],
"estraverse": ["estraverse@5.3.0", "", {}, "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA=="],
"esutils": ["esutils@2.0.3", "", {}, "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g=="],
"fast-deep-equal": ["fast-deep-equal@3.1.3", "", {}, "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q=="],
"fast-glob": ["fast-glob@3.3.3", "", { "dependencies": { "@nodelib/fs.stat": "^2.0.2", "@nodelib/fs.walk": "^1.2.3", "glob-parent": "^5.1.2", "merge2": "^1.3.0", "micromatch": "^4.0.8" } }, "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg=="],
"fast-json-stable-stringify": ["fast-json-stable-stringify@2.1.0", "", {}, "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw=="],
"fast-levenshtein": ["fast-levenshtein@2.0.6", "", {}, "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw=="],
"fastq": ["fastq@1.19.0", "", { "dependencies": { "reusify": "^1.0.4" } }, "sha512-7SFSRCNjBQIZH/xZR3iy5iQYR8aGBE0h3VG6/cwlbrpdciNYBMotQav8c1XI3HjHH+NikUpP53nPdlZSdWmFzA=="],
"fdir": ["fdir@6.4.3", "", { "peerDependencies": { "picomatch": "^3 || ^4" }, "optionalPeers": ["picomatch"] }, "sha512-PMXmW2y1hDDfTSRc9gaXIuCCRpuoz3Kaz8cUelp3smouvfT632ozg2vrT6lJsHKKOF59YLbOGfAWGUcKEfRMQw=="],
"file-entry-cache": ["file-entry-cache@8.0.0", "", { "dependencies": { "flat-cache": "^4.0.0" } }, "sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ=="],
"fill-range": ["fill-range@7.1.1", "", { "dependencies": { "to-regex-range": "^5.0.1" } }, "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg=="],
"find-up": ["find-up@5.0.0", "", { "dependencies": { "locate-path": "^6.0.0", "path-exists": "^4.0.0" } }, "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng=="],
"flat-cache": ["flat-cache@4.0.1", "", { "dependencies": { "flatted": "^3.2.9", "keyv": "^4.5.4" } }, "sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw=="],
"flatted": ["flatted@3.3.2", "", {}, "sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA=="],
"fsevents": ["fsevents@2.3.3", "", { "os": "darwin" }, "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw=="],
"glob-parent": ["glob-parent@6.0.2", "", { "dependencies": { "is-glob": "^4.0.3" } }, "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A=="],
"globals": ["globals@15.15.0", "", {}, "sha512-7ACyT3wmyp3I61S4fG682L0VA2RGD9otkqGJIwNUMF1SWUombIIk+af1unuDYgMm082aHYwD+mzJvv9Iu8dsgg=="],
"graphemer": ["graphemer@1.4.0", "", {}, "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag=="],
"has-flag": ["has-flag@4.0.0", "", {}, "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ=="],
"ignore": ["ignore@5.3.2", "", {}, "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g=="],
"import-fresh": ["import-fresh@3.3.1", "", { "dependencies": { "parent-module": "^1.0.0", "resolve-from": "^4.0.0" } }, "sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ=="],
"import-meta-resolve": ["import-meta-resolve@4.1.0", "", {}, "sha512-I6fiaX09Xivtk+THaMfAwnA3MVA5Big1WHF1Dfx9hFuvNIWpXnorlkzhcQf6ehrqQiiZECRt1poOAkPmer3ruw=="],
"imurmurhash": ["imurmurhash@0.1.4", "", {}, "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA=="],
"is-extglob": ["is-extglob@2.1.1", "", {}, "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ=="],
"is-glob": ["is-glob@4.0.3", "", { "dependencies": { "is-extglob": "^2.1.1" } }, "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg=="],
"is-number": ["is-number@7.0.0", "", {}, "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng=="],
"is-reference": ["is-reference@3.0.3", "", { "dependencies": { "@types/estree": "^1.0.6" } }, "sha512-ixkJoqQvAP88E6wLydLGGqCJsrFUnqoH6HnaczB8XmDH1oaWU+xxdptvikTgaEhtZ53Ky6YXiBuUI2WXLMCwjw=="],
"isexe": ["isexe@2.0.0", "", {}, "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw=="],
"js-yaml": ["js-yaml@4.1.0", "", { "dependencies": { "argparse": "^2.0.1" }, "bin": { "js-yaml": "bin/js-yaml.js" } }, "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA=="],
"json-buffer": ["json-buffer@3.0.1", "", {}, "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ=="],
"json-schema-traverse": ["json-schema-traverse@0.4.1", "", {}, "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg=="],
"json-stable-stringify-without-jsonify": ["json-stable-stringify-without-jsonify@1.0.1", "", {}, "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw=="],
"keyv": ["keyv@4.5.4", "", { "dependencies": { "json-buffer": "3.0.1" } }, "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw=="],
"kleur": ["kleur@4.1.5", "", {}, "sha512-o+NO+8WrRiQEE4/7nwRJhN1HWpVmJm511pBHUxPLtp0BUISzlBplORYSmTclCnJvQq2tKu/sgl3xVpkc7ZWuQQ=="],
"known-css-properties": ["known-css-properties@0.35.0", "", {}, "sha512-a/RAk2BfKk+WFGhhOCAYqSiFLc34k8Mt/6NWRI4joER0EYUzXIcFivjjnoD3+XU1DggLn/tZc3DOAgke7l8a4A=="],
"levn": ["levn@0.4.1", "", { "dependencies": { "prelude-ls": "^1.2.1", "type-check": "~0.4.0" } }, "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ=="],
"lilconfig": ["lilconfig@2.1.0", "", {}, "sha512-utWOt/GHzuUxnLKxB6dk81RoOeoNeHgbrXiuGk4yyF5qlRz+iIVWu56E2fqGHFrXz0QNUhLB/8nKqvRH66JKGQ=="],
"locate-character": ["locate-character@3.0.0", "", {}, "sha512-SW13ws7BjaeJ6p7Q6CO2nchbYEc3X3J6WrmTTDto7yMPqVSZTUyY5Tjbid+Ab8gLnATtygYtiDIJGQRRn2ZOiA=="],
"locate-path": ["locate-path@6.0.0", "", { "dependencies": { "p-locate": "^5.0.0" } }, "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw=="],
"lodash.merge": ["lodash.merge@4.6.2", "", {}, "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ=="],
"magic-string": ["magic-string@0.30.17", "", { "dependencies": { "@jridgewell/sourcemap-codec": "^1.5.0" } }, "sha512-sNPKHvyjVf7gyjwS4xGTaW/mCnF8wnjtifKBEhxfZ7E/S8tQ0rssrwGNn6q8JH/ohItJfSQp9mBtQYuTlH5QnA=="],
"marked": ["marked@15.0.7", "", { "bin": { "marked": "bin/marked.js" } }, "sha512-dgLIeKGLx5FwziAnsk4ONoGwHwGPJzselimvlVskE9XLN4Orv9u2VA3GWw/lYUqjfA0rUT/6fqKwfZJapP9BEg=="],
"merge2": ["merge2@1.4.1", "", {}, "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg=="],
"micromatch": ["micromatch@4.0.8", "", { "dependencies": { "braces": "^3.0.3", "picomatch": "^2.3.1" } }, "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA=="],
"minimatch": ["minimatch@3.1.2", "", { "dependencies": { "brace-expansion": "^1.1.7" } }, "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw=="],
"mri": ["mri@1.2.0", "", {}, "sha512-tzzskb3bG8LvYGFF/mDTpq3jpI6Q9wc3LEmBaghu+DdCssd1FakN7Bc0hVNmEyGq1bq3RgfkCb3cmQLpNPOroA=="],
"mrmime": ["mrmime@2.0.0", "", {}, "sha512-eu38+hdgojoyq63s+yTpN4XMBdt5l8HhMhc4VKLO9KM5caLIBvUm4thi7fFaxyTmCKeNnXZ5pAlBwCUnhA09uw=="],
"ms": ["ms@2.1.3", "", {}, "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA=="],
"nanoid": ["nanoid@3.3.8", "", { "bin": { "nanoid": "bin/nanoid.cjs" } }, "sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w=="],
"natural-compare": ["natural-compare@1.4.0", "", {}, "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw=="],
"optionator": ["optionator@0.9.4", "", { "dependencies": { "deep-is": "^0.1.3", "fast-levenshtein": "^2.0.6", "levn": "^0.4.1", "prelude-ls": "^1.2.1", "type-check": "^0.4.0", "word-wrap": "^1.2.5" } }, "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g=="],
"p-limit": ["p-limit@3.1.0", "", { "dependencies": { "yocto-queue": "^0.1.0" } }, "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ=="],
"p-locate": ["p-locate@5.0.0", "", { "dependencies": { "p-limit": "^3.0.2" } }, "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw=="],
"parent-module": ["parent-module@1.0.1", "", { "dependencies": { "callsites": "^3.0.0" } }, "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g=="],
"path-exists": ["path-exists@4.0.0", "", {}, "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w=="],
"path-key": ["path-key@3.1.1", "", {}, "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q=="],
"picocolors": ["picocolors@1.1.1", "", {}, "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA=="],
"picomatch": ["picomatch@2.3.1", "", {}, "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA=="],
"playwright": ["playwright@1.50.1", "", { "dependencies": { "playwright-core": "1.50.1" }, "optionalDependencies": { "fsevents": "2.3.2" }, "bin": { "playwright": "cli.js" } }, "sha512-G8rwsOQJ63XG6BbKj2w5rHeavFjy5zynBA9zsJMMtBoe/Uf757oG12NXz6e6OirF7RCrTVAKFXbLmn1RbL7Qaw=="],
"playwright-core": ["playwright-core@1.50.1", "", { "bin": { "playwright-core": "cli.js" } }, "sha512-ra9fsNWayuYumt+NiM069M6OkcRb1FZSK8bgi66AtpFoWkg2+y0bJSNmkFrWhMbEBbVKC/EruAHH3g0zmtwGmQ=="],
"postcss": ["postcss@8.5.2", "", { "dependencies": { "nanoid": "^3.3.8", "picocolors": "^1.1.1", "source-map-js": "^1.2.1" } }, "sha512-MjOadfU3Ys9KYoX0AdkBlFEF1Vx37uCCeN4ZHnmwm9FfpbsGWMZeBLMmmpY+6Ocqod7mkdZ0DT31OlbsFrLlkA=="],
"postcss-load-config": ["postcss-load-config@3.1.4", "", { "dependencies": { "lilconfig": "^2.0.5", "yaml": "^1.10.2" }, "peerDependencies": { "postcss": ">=8.0.9", "ts-node": ">=9.0.0" }, "optionalPeers": ["postcss", "ts-node"] }, "sha512-6DiM4E7v4coTE4uzA8U//WhtPwyhiim3eyjEMFCnUpzbrkK9wJHgKDT2mR+HbtSrd/NubVaYTOpSpjUl8NQeRg=="],
"postcss-safe-parser": ["postcss-safe-parser@6.0.0", "", { "peerDependencies": { "postcss": "^8.3.3" } }, "sha512-FARHN8pwH+WiS2OPCxJI8FuRJpTVnn6ZNFiqAM2aeW2LwTHWWmWgIyKC6cUo0L8aeKiF/14MNvnpls6R2PBeMQ=="],
"postcss-scss": ["postcss-scss@4.0.9", "", { "peerDependencies": { "postcss": "^8.4.29" } }, "sha512-AjKOeiwAitL/MXxQW2DliT28EKukvvbEWx3LBmJIRN8KfBGZbRTxNYW0kSqi1COiTZ57nZ9NW06S6ux//N1c9A=="],
"postcss-selector-parser": ["postcss-selector-parser@6.1.2", "", { "dependencies": { "cssesc": "^3.0.0", "util-deprecate": "^1.0.2" } }, "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg=="],
"prelude-ls": ["prelude-ls@1.2.1", "", {}, "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g=="],
"prettier": ["prettier@3.5.1", "", { "bin": { "prettier": "bin/prettier.cjs" } }, "sha512-hPpFQvHwL3Qv5AdRvBFMhnKo4tYxp0ReXiPn2bxkiohEX6mBeBwEpBSQTkD458RaaDKQMYSp4hX4UtfUTA5wDw=="],
"prettier-plugin-svelte": ["prettier-plugin-svelte@3.3.3", "", { "peerDependencies": { "prettier": "^3.0.0", "svelte": "^3.2.0 || ^4.0.0-next.0 || ^5.0.0-next.0" } }, "sha512-yViK9zqQ+H2qZD1w/bH7W8i+bVfKrD8GIFjkFe4Thl6kCT9SlAsXVNmt3jCvQOCsnOhcvYgsoVlRV/Eu6x5nNw=="],
"punycode": ["punycode@2.3.1", "", {}, "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg=="],
"queue-microtask": ["queue-microtask@1.2.3", "", {}, "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A=="],
"readdirp": ["readdirp@4.1.2", "", {}, "sha512-GDhwkLfywWL2s6vEjyhri+eXmfH6j1L7JE27WhqLeYzoh/A3DBaYGEj2H/HFZCn/kMfim73FXxEJTw06WtxQwg=="],
"resolve-from": ["resolve-from@4.0.0", "", {}, "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g=="],
"reusify": ["reusify@1.0.4", "", {}, "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw=="],
"rollup": ["rollup@4.34.8", "", { "dependencies": { "@types/estree": "1.0.6" }, "optionalDependencies": { "@rollup/rollup-android-arm-eabi": "4.34.8", "@rollup/rollup-android-arm64": "4.34.8", "@rollup/rollup-darwin-arm64": "4.34.8", "@rollup/rollup-darwin-x64": "4.34.8", "@rollup/rollup-freebsd-arm64": "4.34.8", "@rollup/rollup-freebsd-x64": "4.34.8", "@rollup/rollup-linux-arm-gnueabihf": "4.34.8", "@rollup/rollup-linux-arm-musleabihf": "4.34.8", "@rollup/rollup-linux-arm64-gnu": "4.34.8", "@rollup/rollup-linux-arm64-musl": "4.34.8", "@rollup/rollup-linux-loongarch64-gnu": "4.34.8", "@rollup/rollup-linux-powerpc64le-gnu": "4.34.8", "@rollup/rollup-linux-riscv64-gnu": "4.34.8", "@rollup/rollup-linux-s390x-gnu": "4.34.8", "@rollup/rollup-linux-x64-gnu": "4.34.8", "@rollup/rollup-linux-x64-musl": "4.34.8", "@rollup/rollup-win32-arm64-msvc": "4.34.8", "@rollup/rollup-win32-ia32-msvc": "4.34.8", "@rollup/rollup-win32-x64-msvc": "4.34.8", "fsevents": "~2.3.2" }, "bin": { "rollup": "dist/bin/rollup" } }, "sha512-489gTVMzAYdiZHFVA/ig/iYFllCcWFHMvUHI1rpFmkoUtRlQxqh6/yiNqnYibjMZ2b/+FUQwldG+aLsEt6bglQ=="],
"run-parallel": ["run-parallel@1.2.0", "", { "dependencies": { "queue-microtask": "^1.2.2" } }, "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA=="],
"sade": ["sade@1.8.1", "", { "dependencies": { "mri": "^1.1.0" } }, "sha512-xal3CZX1Xlo/k4ApwCFrHVACi9fBqJ7V+mwhBsuf/1IOKbBy098Fex+Wa/5QMubw09pSZ/u8EY8PWgevJsXp1A=="],
"semver": ["semver@7.7.1", "", { "bin": { "semver": "bin/semver.js" } }, "sha512-hlq8tAfn0m/61p4BVRcPzIGr6LKiMwo4VM6dGi6pt4qcRkmNzTcWq6eCEjEh+qXjkMDvPlOFFSGwQjoEa6gyMA=="],
"set-cookie-parser": ["set-cookie-parser@2.7.1", "", {}, "sha512-IOc8uWeOZgnb3ptbCURJWNjWUPcO3ZnTTdzsurqERrP6nPyv+paC55vJM0LpOlT2ne+Ix+9+CRG1MNLlyZ4GjQ=="],
"shebang-command": ["shebang-command@2.0.0", "", { "dependencies": { "shebang-regex": "^3.0.0" } }, "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA=="],
"shebang-regex": ["shebang-regex@3.0.0", "", {}, "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A=="],
"sirv": ["sirv@3.0.0", "", { "dependencies": { "@polka/url": "^1.0.0-next.24", "mrmime": "^2.0.0", "totalist": "^3.0.0" } }, "sha512-BPwJGUeDaDCHihkORDchNyyTvWFhcusy1XMmhEVTQTwGeybFbp8YEmB+njbPnth1FibULBSBVwCQni25XlCUDg=="],
"source-map-js": ["source-map-js@1.2.1", "", {}, "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA=="],
"strip-json-comments": ["strip-json-comments@3.1.1", "", {}, "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig=="],
"supports-color": ["supports-color@7.2.0", "", { "dependencies": { "has-flag": "^4.0.0" } }, "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw=="],
"svelte": ["svelte@5.20.1", "", { "dependencies": { "@ampproject/remapping": "^2.3.0", "@jridgewell/sourcemap-codec": "^1.5.0", "@types/estree": "^1.0.5", "acorn": "^8.12.1", "acorn-typescript": "^1.4.13", "aria-query": "^5.3.1", "axobject-query": "^4.1.0", "clsx": "^2.1.1", "esm-env": "^1.2.1", "esrap": "^1.4.3", "is-reference": "^3.0.3", "locate-character": "^3.0.0", "magic-string": "^0.30.11", "zimmerframe": "^1.1.2" } }, "sha512-aCARru2WTdzJl55Ws8SK27+kvQwd8tijl4kY7NoDUXUHtTHhxMa8Lf6QNZKmU7cuPu3jjFloDO1j5HgYJNIIWg=="],
"svelte-check": ["svelte-check@4.1.4", "", { "dependencies": { "@jridgewell/trace-mapping": "^0.3.25", "chokidar": "^4.0.1", "fdir": "^6.2.0", "picocolors": "^1.0.0", "sade": "^1.7.4" }, "peerDependencies": { "svelte": "^4.0.0 || ^5.0.0-next.0", "typescript": ">=5.0.0" }, "bin": { "svelte-check": "bin/svelte-check" } }, "sha512-v0j7yLbT29MezzaQJPEDwksybTE2Ups9rUxEXy92T06TiA0cbqcO8wAOwNUVkFW6B0hsYHA+oAX3BS8b/2oHtw=="],
"svelte-eslint-parser": ["svelte-eslint-parser@0.43.0", "", { "dependencies": { "eslint-scope": "^7.2.2", "eslint-visitor-keys": "^3.4.3", "espree": "^9.6.1", "postcss": "^8.4.39", "postcss-scss": "^4.0.9" }, "peerDependencies": { "svelte": "^3.37.0 || ^4.0.0 || ^5.0.0" }, "optionalPeers": ["svelte"] }, "sha512-GpU52uPKKcVnh8tKN5P4UZpJ/fUDndmq7wfsvoVXsyP+aY0anol7Yqo01fyrlaWGMFfm4av5DyrjlaXdLRJvGA=="],
"to-regex-range": ["to-regex-range@5.0.1", "", { "dependencies": { "is-number": "^7.0.0" } }, "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ=="],
"totalist": ["totalist@3.0.1", "", {}, "sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ=="],
"ts-api-utils": ["ts-api-utils@2.0.1", "", { "peerDependencies": { "typescript": ">=4.8.4" } }, "sha512-dnlgjFSVetynI8nzgJ+qF62efpglpWRk8isUEWZGWlJYySCTD6aKvbUDu+zbPeDakk3bg5H4XpitHukgfL1m9w=="],
"type-check": ["type-check@0.4.0", "", { "dependencies": { "prelude-ls": "^1.2.1" } }, "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew=="],
"typescript": ["typescript@5.7.3", "", { "bin": { "tsc": "bin/tsc", "tsserver": "bin/tsserver" } }, "sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw=="],
"typescript-eslint": ["typescript-eslint@8.24.0", "", { "dependencies": { "@typescript-eslint/eslint-plugin": "8.24.0", "@typescript-eslint/parser": "8.24.0", "@typescript-eslint/utils": "8.24.0" }, "peerDependencies": { "eslint": "^8.57.0 || ^9.0.0", "typescript": ">=4.8.4 <5.8.0" } }, "sha512-/lmv4366en/qbB32Vz5+kCNZEMf6xYHwh1z48suBwZvAtnXKbP+YhGe8OLE2BqC67LMqKkCNLtjejdwsdW6uOQ=="],
"undici-types": ["undici-types@6.20.0", "", {}, "sha512-Ny6QZ2Nju20vw1SRHe3d9jVu6gJ+4e3+MMpqu7pqE5HT6WsTSlce++GQmK5UXS8mzV8DSYHrQH+Xrf2jVcuKNg=="],
"uri-js": ["uri-js@4.4.1", "", { "dependencies": { "punycode": "^2.1.0" } }, "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg=="],
"util-deprecate": ["util-deprecate@1.0.2", "", {}, "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw=="],
"vite": ["vite@6.1.0", "", { "dependencies": { "esbuild": "^0.24.2", "postcss": "^8.5.1", "rollup": "^4.30.1" }, "optionalDependencies": { "fsevents": "~2.3.3" }, "peerDependencies": { "@types/node": "^18.0.0 || ^20.0.0 || >=22.0.0", "jiti": ">=1.21.0", "less": "*", "lightningcss": "^1.21.0", "sass": "*", "sass-embedded": "*", "stylus": "*", "sugarss": "*", "terser": "^5.16.0", "tsx": "^4.8.1", "yaml": "^2.4.2" }, "optionalPeers": ["@types/node", "jiti", "less", "lightningcss", "sass", "sass-embedded", "stylus", "sugarss", "terser", "tsx", "yaml"], "bin": { "vite": "bin/vite.js" } }, "sha512-RjjMipCKVoR4hVfPY6GQTgveinjNuyLw+qruksLDvA5ktI1150VmcMBKmQaEWJhg/j6Uaf6dNCNA0AfdzUb/hQ=="],
"vitefu": ["vitefu@1.0.5", "", { "peerDependencies": { "vite": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0" }, "optionalPeers": ["vite"] }, "sha512-h4Vflt9gxODPFNGPwp4zAMZRpZR7eslzwH2c5hn5kNZ5rhnKyRJ50U+yGCdc2IRaBs8O4haIgLNGrV5CrpMsCA=="],
"which": ["which@2.0.2", "", { "dependencies": { "isexe": "^2.0.0" }, "bin": { "node-which": "./bin/node-which" } }, "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA=="],
"word-wrap": ["word-wrap@1.2.5", "", {}, "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA=="],
"yaml": ["yaml@1.10.2", "", {}, "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg=="],
"yocto-queue": ["yocto-queue@0.1.0", "", {}, "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q=="],
"zimmerframe": ["zimmerframe@1.1.2", "", {}, "sha512-rAbqEGa8ovJy4pyBxZM70hg4pE6gDgaQ0Sl9M3enG3I0d6H4XSAM3GeNGLKnsBpuijUow064sf7ww1nutC5/3w=="],
"@eslint-community/eslint-utils/eslint-visitor-keys": ["eslint-visitor-keys@3.4.3", "", {}, "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag=="],
"@eslint/eslintrc/globals": ["globals@14.0.0", "", {}, "sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ=="],
"@eslint/plugin-kit/@eslint/core": ["@eslint/core@0.10.0", "", { "dependencies": { "@types/json-schema": "^7.0.15" } }, "sha512-gFHJ+xBOo4G3WRlR1e/3G8A6/KZAH6zcE/hkLRCZTi/B9avAG365QhFA8uOGzTMqgTghpn7/fSnscW++dpMSAw=="],
"@humanfs/node/@humanwhocodes/retry": ["@humanwhocodes/retry@0.3.1", "", {}, "sha512-JBxkERygn7Bv/GbN5Rv8Ul6LVknS+5Bp6RgDC/O8gEBU/yeH5Ui5C/OlWrTb6qct7LjjfT6Re2NxB0ln0yYybA=="],
"@typescript-eslint/typescript-estree/minimatch": ["minimatch@9.0.5", "", { "dependencies": { "brace-expansion": "^2.0.1" } }, "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow=="],
"fast-glob/glob-parent": ["glob-parent@5.1.2", "", { "dependencies": { "is-glob": "^4.0.1" } }, "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow=="],
"playwright/fsevents": ["fsevents@2.3.2", "", { "os": "darwin" }, "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA=="],
"svelte-eslint-parser/eslint-scope": ["eslint-scope@7.2.2", "", { "dependencies": { "esrecurse": "^4.3.0", "estraverse": "^5.2.0" } }, "sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg=="],
"svelte-eslint-parser/eslint-visitor-keys": ["eslint-visitor-keys@3.4.3", "", {}, "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag=="],
"svelte-eslint-parser/espree": ["espree@9.6.1", "", { "dependencies": { "acorn": "^8.9.0", "acorn-jsx": "^5.3.2", "eslint-visitor-keys": "^3.4.1" } }, "sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ=="],
"@typescript-eslint/typescript-estree/minimatch/brace-expansion": ["brace-expansion@2.0.1", "", { "dependencies": { "balanced-match": "^1.0.0" } }, "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA=="],
}
}

34
frontend/eslint.config.js Normal file
View file

@ -0,0 +1,34 @@
import prettier from 'eslint-config-prettier';
import js from '@eslint/js';
import { includeIgnoreFile } from '@eslint/compat';
import svelte from 'eslint-plugin-svelte';
import globals from 'globals';
import { fileURLToPath } from 'node:url';
import ts from 'typescript-eslint';
const gitignorePath = fileURLToPath(new URL('./.gitignore', import.meta.url));
export default ts.config(
includeIgnoreFile(gitignorePath),
js.configs.recommended,
...ts.configs.recommended,
...svelte.configs['flat/recommended'],
prettier,
...svelte.configs['flat/prettier'],
{
languageOptions: {
globals: {
...globals.browser,
...globals.node
}
}
},
{
files: ['**/*.svelte'],
languageOptions: {
parserOptions: {
parser: ts.parser
}
}
}
);

45
frontend/package.json Normal file
View file

@ -0,0 +1,45 @@
{
"name": "quicknotes",
"private": true,
"version": "0.0.1",
"type": "module",
"scripts": {
"dev": "vite dev",
"build": "vite build",
"preview": "vite preview",
"prepare": "svelte-kit sync || echo ''",
"check": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json",
"check:watch": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json --watch",
"format": "prettier --write .",
"lint": "prettier --check . && eslint .",
"test": "playwright test",
"test:ui": "playwright test --ui",
"test:debug": "playwright test --debug",
"test:install": "playwright install"
},
"devDependencies": {
"@eslint/compat": "^1.2.5",
"@eslint/js": "^9.18.0",
"@playwright/test": "1.50.1",
"@sveltejs/adapter-static": "^3.0.8",
"@sveltejs/kit": "^2.5.27",
"@sveltejs/vite-plugin-svelte": "^5.0.0",
"@types/node": "^22.13.4",
"eslint": "^9.18.0",
"eslint-config-prettier": "^10.0.1",
"eslint-plugin-svelte": "^2.46.1",
"globals": "^15.14.0",
"prettier": "^3.4.2",
"prettier-plugin-svelte": "^3.3.3",
"svelte": "^5.0.0",
"svelte-check": "^4.0.0",
"typescript": "^5.5.0",
"typescript-eslint": "^8.20.0",
"vite": "^6.0.0"
},
"dependencies": {
"@types/marked": "^6.0.0",
"bulma": "^1.0.3",
"marked": "^15.0.7"
}
}

View file

@ -0,0 +1,55 @@
/// <reference types="node" />
import type { PlaywrightTestConfig } from '@playwright/test';
import { devices } from '@playwright/test';
const config: PlaywrightTestConfig = {
testDir: './tests',
fullyParallel: false,
forbidOnly: !!process.env.CI,
retries: process.env.CI ? 2 : 0,
workers: 1,
reporter: 'html',
timeout: 10000,
expect: {
timeout: 10000
},
use: {
baseURL: 'http://localhost:3000',
trace: 'on-first-retry',
screenshot: 'only-on-failure',
actionTimeout: 10000
},
projects: [
{
name: 'chromium',
use: { ...devices['Desktop Chrome'] }
},
{
name: 'firefox',
use: { ...devices['Desktop Firefox'] }
},
{
name: 'webkit',
use: { ...devices['Desktop Safari'] }
},
{
name: 'mobile-chrome',
use: { ...devices['Pixel 5'] }
},
{
name: 'mobile-safari',
use: { ...devices['iPhone 12'] }
}
],
webServer: [
{
command: 'cd .. && go run main.go > /dev/null 2>&1',
port: 3000,
reuseExistingServer: !process.env.CI,
stdout: 'pipe',
stderr: 'pipe'
}
]
};
export default config;

13
frontend/src/app.d.ts vendored Normal file
View file

@ -0,0 +1,13 @@
// See https://svelte.dev/docs/kit/types#app.d.ts
// for information about these interfaces
declare global {
namespace App {
// interface Error {}
// interface Locals {}
// interface PageData {}
// interface PageState {}
// interface Platform {}
}
}
export {};

75
frontend/src/app.html Normal file
View file

@ -0,0 +1,75 @@
<!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"
/>
<link rel="stylesheet" href="/css/bulma.min.css" />
<style>
/* Dark mode theme using Bulma's CSS variables */
body.dark-mode {
--bulma-scheme-main: #1a1a1a;
--bulma-scheme-main-bis: #242424;
--bulma-scheme-main-ter: #2f2f2f;
--bulma-background: #1a1a1a;
--bulma-text: #e6e6e6;
--bulma-text-strong: #ffffff;
--bulma-border: #4a4a4a;
--bulma-link: #3273dc;
--bulma-link-hover: #5c93e6;
}
body.dark-mode .button.is-light {
--bulma-button-background-color: #363636;
--bulma-button-color: #e6e6e6;
--bulma-button-border-color: transparent;
}
body.dark-mode .input,
body.dark-mode .textarea {
--bulma-input-background-color: #2b2b2b;
--bulma-input-color: #e6e6e6;
--bulma-input-border-color: #4a4a4a;
}
body.dark-mode .box {
--bulma-box-background-color: #2b2b2b;
--bulma-box-shadow: 0 0.5em 1em -0.125em rgba(0, 0, 0, 0.3);
}
body.dark-mode .card {
--bulma-card-background-color: #2b2b2b;
--bulma-card-shadow: 0 0.5em 1em -0.125em rgba(0, 0, 0, 0.3);
}
body.dark-mode .notification.is-info {
--bulma-notification-background-color: #1d4ed8;
--bulma-notification-color: #e6e6e6;
}
body.dark-mode .notification.is-danger {
--bulma-notification-background-color: #dc2626;
--bulma-notification-color: #e6e6e6;
}
/* Responsive adjustments */
@media (max-width: 768px) {
.section {
padding: 1.5rem 1rem;
}
.textarea {
min-height: 200px;
}
}
</style>
%sveltekit.head%
</head>
<body data-sveltekit-preload-data="hover">
<div style="display: contents">%sveltekit.body%</div>
</body>
</html>

View file

@ -0,0 +1,95 @@
<script lang="ts">
import { page } from '$app/stores';
import { onMount } from 'svelte';
const routes = [
{ path: '/', label: 'Notes', icon: '📝' },
{ path: '/feeds', label: 'Feeds', icon: '📰' },
{ path: '/readlist', label: 'Read Later', icon: '📚' }
];
let currentPath = $derived($page.url.pathname);
let isMobile = $state(false);
function checkMobile() {
isMobile = window.innerWidth < 768;
}
onMount(() => {
checkMobile();
});
</script>
<svelte:window onresize={checkMobile} />
{#if isMobile}
<nav class="navbar is-fixed-bottom">
<div class="navbar-brand is-justify-content-space-around is-flex-grow-1">
{#each routes as route}
<a
href={route.path}
class="navbar-item has-text-centered"
class:is-active={currentPath === route.path}
>
<div>
<span class="icon">{route.icon}</span>
<p class="is-size-7 mt-1 mb-0">{route.label}</p>
</div>
</a>
{/each}
</div>
</nav>
{:else}
<nav class="menu p-4 is-fixed-left">
{#each routes as route}
<a
href={route.path}
class="button is-fullwidth mb-2 is-justify-content-start"
class:is-light={currentPath === route.path}
>
<span class="icon">{route.icon}</span>
<span>{route.label}</span>
</a>
{/each}
</nav>
{/if}
<style>
/* Only keep styles that can't be achieved with Bulma utilities */
.is-fixed-left {
position: fixed;
top: 0;
left: 0;
bottom: 0;
width: 200px;
box-shadow: 2px 0 10px rgba(0, 0, 0, 0.1);
background-color: var(--bulma-scheme-main-bis, #f5f5f5);
}
/* Use Bulma's spacing utilities in the markup instead */
:global(body) {
padding-bottom: var(--bulma-navbar-height, 60px);
}
@media (min-width: 769px) {
:global(body) {
padding-left: 200px;
padding-bottom: 0;
}
}
/* Dark mode styles */
:global(body.dark-mode) .navbar,
:global(body.dark-mode) .is-fixed-left {
background-color: var(--bulma-scheme-main-bis, #242424);
}
:global(body.dark-mode) .navbar-item,
:global(body.dark-mode) .button.is-light {
color: var(--bulma-text, #e6e6e6);
}
:global(body.dark-mode) .navbar-item.is-active {
background-color: var(--bulma-scheme-main-ter, #2f2f2f);
}
</style>

127
frontend/src/lib/index.ts Normal file
View file

@ -0,0 +1,127 @@
export interface Note {
id: string;
title: string;
content: string;
createdAt: Date;
updatedAt: Date;
linksTo?: Note[];
linkedBy?: Note[];
}
import { writable } from 'svelte/store';
function createNotesStore() {
const { subscribe, set, update: innerUpdate } = writable<Note[]>([]);
let currentNotes: Note[] = [];
subscribe((value) => {
currentNotes = value;
});
const get = () => currentNotes;
return {
subscribe,
add: async (note: Omit<Note, 'id' | 'createdAt' | 'updatedAt'>) => {
// Skip if no note or empty required fields
if (!note || !note.title?.trim() || !note.content?.trim()) {
return;
}
const newNote = {
...note,
createdAt: new Date(),
updatedAt: new Date()
};
const response = await fetch('/api/notes', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify(newNote)
});
if (!response.ok) {
throw new Error('Failed to create note');
}
// Get the created note with server-generated ID
const createdNote = await response.json();
// Convert date strings to Date objects
createdNote.createdAt = new Date(createdNote.createdAt);
createdNote.updatedAt = new Date(createdNote.updatedAt);
// Reload all notes to get updated link information
await notes.load();
return createdNote;
},
update: async (id: string, content: Partial<Note>) => {
const response = await fetch(`/api/notes/${id}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
...content,
updatedAt: new Date()
})
});
if (!response.ok) {
throw new Error('Failed to update note');
}
const existingNote = get().find((note) => note.id === id);
if (!existingNote) {
throw new Error('Note not found');
}
innerUpdate((notes) =>
notes.map((note) =>
note.id === id ? { ...note, ...content, updatedAt: new Date() } : note
)
);
},
delete: async (id: string) => {
const response = await fetch(`/api/notes/${id}`, {
method: 'DELETE'
});
if (!response.ok) {
throw new Error('Failed to delete note');
}
innerUpdate((notes) => notes.filter((note) => note.id !== id));
},
load: async () => {
try {
const response = await fetch('/api/notes');
if (!response.ok) {
throw new Error('Failed to load notes');
}
const notes: Note[] = await response.json();
if (!Array.isArray(notes)) {
set([]);
return;
}
set(
notes.map((note) => ({
...note,
createdAt: new Date(note.createdAt),
updatedAt: new Date(note.updatedAt)
}))
);
} catch (error) {
console.error('Failed to load notes:', error);
set([]);
}
}
};
}
export const notes = createNotesStore();

View file

@ -0,0 +1,30 @@
import { marked } from 'marked';
export function stripMarkdown(text: string): string {
// Remove common markdown syntax
return text
.replace(/[*_~`#]+/g, '') // Remove formatting characters
.replace(/\[([^\]]+)\]\([^)]+\)/g, '$1') // Replace links with just their text
.replace(/!\[[^\]]*\]\([^)]+\)/g, '') // Remove images
.replace(/^>+\s*/gm, '') // Remove blockquotes
.replace(/^[-+*]\s+/gm, '') // Remove list markers
.replace(/^\d+\.\s+/gm, '') // Remove numbered list markers
.replace(/^#{1,6}\s+/gm, '') // Remove heading markers
.replace(/\n{2,}/g, '\n') // Normalize multiple newlines
.trim();
}
export async function renderMarkdown(
text: string,
linksTo: { id: string; title: string }[] = []
): Promise<string> {
// Replace [[link]] with anchor tags using the backend-provided links
const linkedText = text.replace(/\[\[([^\]]+)\]\]/g, (match, title) => {
const link = linksTo.find((l) => l.title === title);
if (link) {
return `<a href="/notes/${link.id}" class="note-link">${title}</a>`;
}
return `<a href="/notes/new?title=${encodeURIComponent(title)}" class="note-link">${title}</a>`;
});
return marked(linkedText);
}

21
frontend/src/lib/theme.ts Normal file
View file

@ -0,0 +1,21 @@
import { writable } from 'svelte/store';
// Check if user prefers dark mode
const prefersDark = window.matchMedia('(prefers-color-scheme: dark)').matches;
// Check stored preference
const storedTheme = localStorage.getItem('theme');
// Initialize theme store
export const isDarkMode = writable(storedTheme === 'dark' || (storedTheme === null && prefersDark));
// Subscribe to changes and update localStorage and body class
isDarkMode.subscribe((dark) => {
if (typeof window !== 'undefined') {
localStorage.setItem('theme', dark ? 'dark' : 'light');
if (dark) {
document.body.classList.add('dark-mode');
} else {
document.body.classList.remove('dark-mode');
}
}
});

View file

@ -0,0 +1,7 @@
export interface Note {
id: string;
title: string;
content: string;
createdAt: Date;
updatedAt: Date;
}

View file

@ -0,0 +1,7 @@
import { notes } from '$lib';
import type { LayoutLoad } from './$types';
export const load: LayoutLoad = async () => {
await notes.load();
return {};
};

View file

@ -0,0 +1,53 @@
<script lang="ts">
import { notes } from '$lib';
import { stripMarkdown } from '$lib/markdown';
import Navigation from '$lib/components/Navigation.svelte';
</script>
<Navigation />
<div class="container">
<section class="section">
<h1 class="title">My Notes</h1>
<div class="buttons">
<a href="/notes/new" class="button is-primary"> New Note </a>
</div>
{#if $notes.length === 0}
<div class="notification is-info">No notes yet. Create your first note!</div>
{:else}
<div class="columns is-multiline">
{#each $notes as note}
<div class="column is-one-third">
<div class="card">
<div class="card-content">
<p class="title is-4">{note.title}</p>
<p class="subtitle is-6">
Last updated: {note.updatedAt.toLocaleDateString()}
</p>
<div class="content">
{#if note.content.length > 100}
{stripMarkdown(note.content.slice(0, 100))}...
{:else}
{stripMarkdown(note.content)}
{/if}
</div>
</div>
<footer class="card-footer">
<a href="/notes/{note.id}" class="card-footer-item">View</a>
<a href="/notes/{note.id}?edit=true" class="card-footer-item">Edit</a>
<button
class="card-footer-item button is-ghost has-text-danger"
onclick={() => notes.delete(note.id)}
>
Delete
</button>
</footer>
</div>
</div>
{/each}
</div>
{/if}
</section>
</div>

View file

@ -0,0 +1,12 @@
<script lang="ts">
import Navigation from '$lib/components/Navigation.svelte';
</script>
<Navigation />
<div class="container">
<section class="section">
<h1 class="title">Feed Reader</h1>
<div class="notification is-info">Feed Reader functionality coming soon!</div>
</section>
</div>

View file

@ -0,0 +1,136 @@
<script lang="ts">
import { run } from 'svelte/legacy';
import { notes } from '$lib';
import { page } from '$app/stores';
import { goto } from '$app/navigation';
import { renderMarkdown } from '$lib/markdown';
import Navigation from '$lib/components/Navigation.svelte';
interface Note {
id: string;
title: string;
content: string;
createdAt: Date;
updatedAt: Date;
linksTo?: Note[];
linkedBy?: Note[];
}
let note: Note | undefined = $state();
let isEditing = $state($page.url.searchParams.get('edit') === 'true');
let editedTitle = $state('');
let editedContent = $state('');
let id = $derived($page.params.id);
run(() => {
if ($notes && id) {
note = $notes.find((n) => n.id === id);
if (note) {
editedTitle = note.title;
editedContent = note.content;
} else if ($notes.length > 0) {
// Only redirect if we have loaded notes and didn't find this one
goto('/');
}
}
});
async function handleSave() {
if (!editedTitle || !editedContent) return;
try {
await notes.update(id, {
title: editedTitle,
content: editedContent
});
isEditing = false;
// Reload all notes to get updated link information
await notes.load();
} catch (error) {
console.error('Failed to update note:', error);
}
}
</script>
<Navigation />
{#if note}
<div class="container is-max-desktop px-4">
<section class="section">
<div class="level">
<div class="level-left">
<div class="level-item">
<h1 class="title">{note.title}</h1>
</div>
</div>
</div>
{#if isEditing}
<div class="field">
<div class="control">
<input
class="input is-large"
type="text"
placeholder="Note Title"
bind:value={editedTitle}
/>
</div>
</div>
<div class="field">
<div class="control">
<textarea
class="textarea"
placeholder="Note Content"
rows="20"
bind:value={editedContent}
></textarea>
</div>
</div>
<div class="field is-grouped">
<div class="control">
<button class="button is-primary" onclick={handleSave}>Save</button>
</div>
<div class="control">
<button class="button" onclick={() => (isEditing = false)}>Cancel</button>
</div>
</div>
{:else}
<div class="content">
{#await renderMarkdown(note.content, note.linksTo || [])}
<p>Loading...</p>
{:then html}
<!-- eslint-disable-next-line svelte/no-at-html-tags -->
{@html html}
{/await}
<div class="field is-grouped mt-4">
<div class="control">
<button class="button is-primary" onclick={() => (isEditing = true)}>Edit</button>
</div>
</div>
</div>
{/if}
{#if (note.linksTo || []).length > 0}
<div class="box mt-4">
<h2 class="title is-5">Links to:</h2>
<div class="tags">
{#each note.linksTo || [] as link}
<a href="/notes/{link.id}" class="tag is-link">{link.title}</a>
{/each}
</div>
</div>
{/if}
{#if (note.linkedBy || []).length > 0}
<div class="box mt-4">
<h2 class="title is-5">Referenced by:</h2>
<div class="tags">
{#each note.linkedBy || [] as link}
<a href="/notes/{link.id}" class="tag is-info">{link.title}</a>
{/each}
</div>
</div>
{/if}
</section>
</div>
{/if}

View file

@ -0,0 +1,62 @@
<script lang="ts">
import { preventDefault } from 'svelte/legacy';
import { notes } from '$lib';
import { goto } from '$app/navigation';
import Navigation from '$lib/components/Navigation.svelte';
let { data } = $props();
let title = $state(data.props.prefilledTitle);
let content = $state('');
async function handleSave() {
if (!title || !content) return;
try {
const createdNote = await notes.add({
title,
content
});
goto(`/notes/${createdNote.id}`);
} catch (error) {
console.error('Failed to create note:', error);
}
}
</script>
<Navigation />
<div class="container">
<section class="section">
<div class="level">
<div class="level-left">
<div class="level-item">
<h1 class="title">New Note</h1>
</div>
</div>
</div>
<form onsubmit={preventDefault(handleSave)}>
<div class="field">
<label class="label" for="title">Title</label>
<div class="control">
<input id="title" class="input" type="text" bind:value={title} required />
</div>
</div>
<div class="field">
<label class="label" for="content">Content</label>
<div class="control">
<textarea id="content" class="textarea" bind:value={content} rows="10" required
></textarea>
</div>
</div>
<div class="field">
<div class="control">
<button type="submit" class="button is-primary">Create</button>
<button type="button" class="button is-light" onclick={() => goto('/')}>Cancel</button>
</div>
</div>
</form>
</section>
</div>

View file

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

View file

@ -0,0 +1,12 @@
<script lang="ts">
import Navigation from '$lib/components/Navigation.svelte';
</script>
<Navigation />
<div class="container">
<section class="section">
<h1 class="title">Read Later</h1>
<div class="notification is-info">Read Later functionality coming soon!</div>
</section>
</div>

28792
frontend/static/css/bulma.min.css vendored Normal file

File diff suppressed because it is too large Load diff

BIN
frontend/static/favicon.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.5 KiB

17
frontend/svelte.config.js Normal file
View file

@ -0,0 +1,17 @@
import adapter from '@sveltejs/adapter-static';
import { vitePreprocess } from '@sveltejs/vite-plugin-svelte';
/** @type {import('@sveltejs/kit').Config} */
const config = {
// Consult https://svelte.dev/docs/kit/integrations
// for more information about preprocessors
preprocess: vitePreprocess(),
kit: {
adapter: adapter({
fallback: 'index.html'
})
}
};
export default config;

View file

@ -0,0 +1,109 @@
import { test, expect } from '@playwright/test';
test('can create a new note', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
await page.goto('/notes/new');
// Fill in the note details
await page.fill('#title', 'Test Note');
await page.fill('#content', 'This is a test note');
await page.click('button[type="submit"]');
// Should redirect to the note page
await expect(page).toHaveURL(/\/notes\/[^/]+$/);
await expect(page.locator('h1')).toHaveText('Test Note');
});
test('can edit an existing note', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
// Create a note first
await page.goto('/notes/new');
await page.fill('#title', 'Original Title');
await page.fill('#content', 'Original content');
await page.click('button[type="submit"]');
// Click edit button and modify the note
await page.click('button:text("Edit")');
await page.fill('input.input', 'Updated Title');
await page.fill('textarea.textarea', 'Updated content');
await page.click('button:text("Save")');
// Verify changes
await expect(page.locator('h1')).toHaveText('Updated Title');
await expect(page.locator('.content')).toContainText('Updated content');
});
test('can create and navigate note links', async ({ page }) => {
// Reset the database before test
await page.goto('/');
await page.request.post('/api/test/reset');
// Create first note
await page.goto('/notes/new');
await page.fill('#title', 'First Note');
await page.fill('#content', 'This links to [[Second Note]]');
await page.click('button[type="submit"]');
// Wait for redirect and verify we're on the right page
await expect(page).toHaveURL(/\/notes\/[^/]+$/);
await expect(page.locator('h1')).toHaveText('First Note');
const firstNoteUrl = page.url();
// Create second note
await page.goto('/notes/new');
await page.fill('#title', 'Second Note');
await page.fill('#content', 'This is referenced by First Note');
await page.click('button[type="submit"]');
// Wait for second note to be created
await expect(page).toHaveURL(/\/notes\/[^/]+$/);
await expect(page.locator('h1')).toHaveText('Second Note');
// Go back to first note and wait for load
await page.goto(firstNoteUrl);
await expect(page.locator('h1')).toHaveText('First Note');
// Wait for content and links to be rendered
await page.waitForSelector('.content:not(:empty)');
await page.waitForSelector('.note-link');
// Check links
const noteLink = page.locator('.note-link');
await expect(noteLink).toBeVisible();
await expect(noteLink).toHaveText('Second Note');
await noteLink.click();
// Verify navigation to second note
await expect(page).toHaveURL(/\/notes\/[^/]+$/);
await expect(page.locator('h1')).toHaveText('Second Note');
// Check backlinks after ensuring they're loaded
await page.waitForSelector('.tag.is-info');
await expect(page.locator('.tag.is-info')).toBeVisible();
await expect(page.locator('.tag.is-info')).toHaveText('First Note');
});
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('/');
});
export {};

22
frontend/tsconfig.json Normal file
View file

@ -0,0 +1,22 @@
{
"extends": "./.svelte-kit/tsconfig.json",
"compilerOptions": {
"allowJs": true,
"checkJs": true,
"esModuleInterop": true,
"forceConsistentCasingInFileNames": true,
"resolveJsonModule": true,
"skipLibCheck": true,
"sourceMap": true,
"strict": true,
"module": "es2022",
"moduleResolution": "bundler",
"lib": ["ES2015", "DOM"],
"types": ["node"]
}
// Path aliases are handled by https://svelte.dev/docs/kit/configuration#alias
// except $lib which is handled by https://svelte.dev/docs/kit/configuration#files
//
// If you want to overwrite includes/excludes, make sure to copy over the relevant includes/excludes
// from the referenced tsconfig.json - TypeScript does not merge them in
}

15
frontend/vite.config.ts Normal file
View file

@ -0,0 +1,15 @@
import { sveltekit } from '@sveltejs/kit/vite';
import { defineConfig } from 'vite';
export default defineConfig({
plugins: [sveltekit()],
server: {
fs: {
allow: ['..']
}
},
preview: {
port: 3000,
strictPort: true
}
});

47
go.mod
View file

@ -1,5 +1,48 @@
module notes
module qn
go 1.24
require github.com/mattn/go-sqlite3 v1.14.24
require (
github.com/gin-gonic/gin v1.10.0
github.com/glebarez/sqlite v1.11.0
github.com/google/uuid v1.6.0
gorm.io/gorm v1.25.12
)
require (
github.com/bytedance/sonic v1.11.6 // indirect
github.com/bytedance/sonic/loader v0.1.1 // indirect
github.com/cloudwego/base64x v0.1.4 // indirect
github.com/cloudwego/iasm v0.2.0 // indirect
github.com/dustin/go-humanize v1.0.1 // indirect
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-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
github.com/goccy/go-json v0.10.2 // indirect
github.com/jinzhu/inflection v1.0.0 // indirect
github.com/jinzhu/now v1.1.5 // indirect
github.com/json-iterator/go v1.1.12 // indirect
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/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/twitchyliquid64/golang-asm v0.15.1 // indirect
github.com/ugorji/go/codec v1.2.12 // indirect
golang.org/x/arch v0.8.0 // indirect
golang.org/x/crypto v0.23.0 // indirect
golang.org/x/net v0.25.0 // indirect
golang.org/x/sys v0.20.0 // indirect
golang.org/x/text v0.15.0 // indirect
google.golang.org/protobuf v1.34.1 // indirect
gopkg.in/yaml.v3 v3.0.1 // indirect
modernc.org/libc v1.22.5 // indirect
modernc.org/mathutil v1.5.0 // indirect
modernc.org/memory v1.5.0 // indirect
modernc.org/sqlite v1.23.1 // indirect
)

118
go.sum
View file

@ -1,2 +1,116 @@
github.com/mattn/go-sqlite3 v1.14.24 h1:tpSp2G2KyMnnQu99ngJ47EIkWVmliIizyZBfPrBWDRM=
github.com/mattn/go-sqlite3 v1.14.24/go.mod h1:Uh1q+B4BYcTPb+yiD3kU8Ct7aC0hY9fxUwlHK0RXw+Y=
github.com/bytedance/sonic v1.11.6 h1:oUp34TzMlL+OY1OUWxHqsdkgC/Zfc85zGqw9siXjrc0=
github.com/bytedance/sonic v1.11.6/go.mod h1:LysEHSvpvDySVdC2f87zGWf6CIKJcAvqab1ZaiQtds4=
github.com/bytedance/sonic/loader v0.1.1 h1:c+e5Pt1k/cy5wMveRDyk2X4B9hF4g7an8N3zCYjJFNM=
github.com/bytedance/sonic/loader v0.1.1/go.mod h1:ncP89zfokxS5LZrJxl5z0UJcsk4M4yY2JpfqGeCtNLU=
github.com/cloudwego/base64x v0.1.4 h1:jwCgWpFanWmN8xoIUHa2rtzmkd5J2plF/dnLS6Xd/0Y=
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/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=
github.com/dustin/go-humanize v1.0.1 h1:GzkhY7T5VNhEkwH0PVJgjz+fX1rhBrR7pRT3mDkpeCY=
github.com/dustin/go-humanize v1.0.1/go.mod h1:Mu1zIs6XwVuF/gI1OepvI0qD18qycQx+mFykh5fBlto=
github.com/gabriel-vasile/mimetype v1.4.3 h1:in2uUcidCuFcDKtdcBxlR0rJ1+fsokWf+uqxgUFjbI0=
github.com/gabriel-vasile/mimetype v1.4.3/go.mod h1:d8uq/6HKRL6CGdk+aubisF/M5GcPfT7nKyLpA0lbSSk=
github.com/gin-contrib/sse v0.1.0 h1:Y/yl/+YNO8GZSjAhjMsSuLt29uWRFHdHYUb5lYOV9qE=
github.com/gin-contrib/sse v0.1.0/go.mod h1:RHrZQHXnP2xjPF+u1gW/2HnVO7nvIa9PG3Gm+fLHvGI=
github.com/gin-gonic/gin v1.10.0 h1:nTuyha1TYqgedzytsKYqna+DfLos46nTv2ygFy86HFU=
github.com/gin-gonic/gin v1.10.0/go.mod h1:4PMNQiOhvDRa013RKVbsiNwoyezlm2rm0uX/T7kzp5Y=
github.com/glebarez/go-sqlite v1.21.2 h1:3a6LFC4sKahUunAmynQKLZceZCOzUthkRkEAl9gAXWo=
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-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=
github.com/go-playground/locales v0.14.1/go.mod h1:hxrqLVvrK65+Rwrd5Fc6F2O76J/NuW9t0sjnWqG1slY=
github.com/go-playground/universal-translator v0.18.1 h1:Bcnm0ZwsGyWbCzImXv+pAJnYK9S473LQFuzCbDbfSFY=
github.com/go-playground/universal-translator v0.18.1/go.mod h1:xekY+UJKNuX9WP91TpwSH2VMlDf28Uj24BCp08ZFTUY=
github.com/go-playground/validator/v10 v10.20.0 h1:K9ISHbSaI0lyB2eWMPJo+kOS/FBExVwjEviJTixqxL8=
github.com/go-playground/validator/v10 v10.20.0/go.mod h1:dbuPbCMFw/DrkbEynArYaCwl3amGuJotoKCe95atGMM=
github.com/goccy/go-json v0.10.2 h1:CrxCmQqYDkv1z7lO7Wbh2HN93uovUHgrECaO5ZrCXAU=
github.com/goccy/go-json v0.10.2/go.mod h1:6MelG93GURQebXPDq3khkgXZkazVtN9CRI+MGFi0w8I=
github.com/google/go-cmp v0.5.5 h1:Khx7svrCpmxxtHBq5j2mp/xVjsi8hQMfNLvJFAlrGgU=
github.com/google/go-cmp v0.5.5/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE=
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.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=
github.com/jinzhu/inflection v1.0.0/go.mod h1:h+uFLlag+Qp1Va5pdKtLDYj+kHp5pxUVkryuEj+Srlc=
github.com/jinzhu/now v1.1.5 h1:/o9tlHleP7gOFmsnYNz3RGnqzefHA47wQpKrrdTIwXQ=
github.com/jinzhu/now v1.1.5/go.mod h1:d3SSVoowX0Lcu0IBviAWJpolVfI5UJVZZ7cO71lE/z8=
github.com/json-iterator/go v1.1.12 h1:PV8peI4a0ysnczrg+LtxykD8LfKY9ML6u2jnxaEnrnM=
github.com/json-iterator/go v1.1.12/go.mod h1:e30LSqwooZae/UwlEbR2852Gd8hjQvJoHmT4TnhNGBo=
github.com/klauspost/cpuid/v2 v2.0.9/go.mod h1:FInQzS24/EEf25PyTYn52gqo7WaD8xa0213Md/qVLRg=
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/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/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=
github.com/modern-go/reflect2 v1.0.2 h1:xBagoLtFs94CBntxluKeaWgTMpvLxC4ur3nMaC9Gz0M=
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/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/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME=
github.com/stretchr/objx v0.4.0/go.mod h1:YvHI0jy2hoMjB+UWwv71VJQ9isScKT/TqJzVSSt89Yw=
github.com/stretchr/objx v0.5.0/go.mod h1:Yh+to48EsGEfYuaHDzXPcE3xhTkx73EhmCGUpEOglKo=
github.com/stretchr/objx v0.5.2/go.mod h1:FRsXN1f5AsAjCGJKqEizvkpNtU+EGNCLh3NxZ/8L+MA=
github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI=
github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg=
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.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=
github.com/twitchyliquid64/golang-asm v0.15.1 h1:SU5vSMR7hnwNxj24w34ZyCi/FmDZTkS4MhqMhdFk5YI=
github.com/twitchyliquid64/golang-asm v0.15.1/go.mod h1:a1lVb/DtPvCB8fslRZhAngC2+aY1QWCk3Cedj/Gdt08=
github.com/ugorji/go/codec v1.2.12 h1:9LC83zGrHhuUA9l16C9AHXAqEV/2wBQ4nkvumAE65EE=
github.com/ugorji/go/codec v1.2.12/go.mod h1:UNopzCgEMSXjBc6AOMqYvWC1ktqTAfzJZUZgYf6w6lg=
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=
golang.org/x/crypto v0.23.0 h1:dIJU/v2J8Mdglj/8rJ6UUOM3Zc9zLZxVZwwxMooUSAI=
golang.org/x/crypto v0.23.0/go.mod h1:CKFgDieR+mRhux2Lsu27y0fO304Db0wZe70UKqHu0v8=
golang.org/x/net v0.25.0 h1:d/OCCoBEUq33pjydKrGQhw7IlUPI2Oylr+8qLx49kac=
golang.org/x/net v0.25.0/go.mod h1:JkAGAh7GEvH74S6FOH42FLoXpXbE/aqXSrIQjXgsiwM=
golang.org/x/sys v0.5.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
golang.org/x/sys v0.20.0 h1:Od9JTbYCk261bKm4M/mw7AklTlFYIa0bIp9BgSm1S8Y=
golang.org/x/sys v0.20.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA=
golang.org/x/text v0.15.0 h1:h1V/4gjBv8v9cjcR6+AR5+/cIYK5N/WAgiv4xlsEtAk=
golang.org/x/text v0.15.0/go.mod h1:18ZOQIKpY8NJVqYksKHtTdi31H5itFRjB5/qKTNYzSU=
golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1 h1:go1bK/D/BFZV2I8cIQd1NKEZ+0owSTG1fDTci4IqFcE=
golang.org/x/xerrors v0.0.0-20200804184101-5ec99f83aff1/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0=
google.golang.org/protobuf v1.34.1 h1:9ddQBjfCyZPOHPUiPxpYESBLc+T8P3E+Vo4IbKZgFWg=
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/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=
gorm.io/gorm v1.25.12 h1:I0u8i2hWQItBq1WfE0o2+WuL9+8L21K9e2HHSTE/0f8=
gorm.io/gorm v1.25.12/go.mod h1:xh7N7RHfYlNc5EmcI/El95gXusucDrQnHXe0+CgWcLQ=
modernc.org/libc v1.22.5 h1:91BNch/e5B0uPbJFgqbxXuOnxBQjlS//icfQEGmvyjE=
modernc.org/libc v1.22.5/go.mod h1:jj+Z7dTNX8fBScMVNRAYZ/jF91K8fdT2hYMThc3YjBY=
modernc.org/mathutil v1.5.0 h1:rV0Ko/6SfM+8G+yKiyI830l3Wuz1zRutdslNoQ0kfiQ=
modernc.org/mathutil v1.5.0/go.mod h1:mZW8CKdRPY1v87qxC/wUdX5O1qDzXMP5TH3wjfpga6E=
modernc.org/memory v1.5.0 h1:N+/8c5rE6EqugZwHii4IFsaJ7MUhoWX07J5tC/iI5Ds=
modernc.org/memory v1.5.0/go.mod h1:PkUhL0Mugw21sHPeskwZW4D6VscE/GQJOnIpCnW6pSU=
modernc.org/sqlite v1.23.1 h1:nrSBg4aRQQwq59JpvGEQ15tNxoO5pX/kUjcRNwSAGQM=
modernc.org/sqlite v1.23.1/go.mod h1:OrDj17Mggn6MhE+iPbBNf7RGKODDE9NFT0f3EwDzJqk=
nullprogram.com/x/optparse v1.0.0/go.mod h1:KdyPE+Igbe0jQUrVfMqDMeJQIJZEuyV7pjYmp6pbG50=
rsc.io/pdf v0.1.1/go.mod h1:n8OzWcQ6Sp37PL01nO98y4iUCRdTGarVfzxY20ICaU4=

225
main.go
View file

@ -1,22 +1,23 @@
package main
import (
"database/sql"
"embed"
"encoding/json"
"log"
"mime"
"net/http"
"path"
"path/filepath"
"strings"
"time"
_ "github.com/mattn/go-sqlite3"
"github.com/gin-gonic/gin"
"github.com/glebarez/sqlite"
"gorm.io/gorm"
"qn/notes"
)
func serveStaticFile(w http.ResponseWriter, r *http.Request, prefix string) error {
cleanPath := path.Clean(r.URL.Path)
func serveStaticFile(c *gin.Context, prefix string) error {
cleanPath := path.Clean(c.Request.URL.Path)
if cleanPath == "/" {
cleanPath = "/index.html"
}
@ -31,192 +32,92 @@ func serveStaticFile(w http.ResponseWriter, r *http.Request, prefix string) erro
if err != nil {
return err
}
w.Header().Set("Content-Type", "text/html; charset=utf-8")
w.Write(content)
c.Header("Content-Type", "text/html; charset=utf-8")
// Add security headers for HTML content
c.Header("X-Content-Type-Options", "nosniff")
c.Data(http.StatusOK, "text/html; charset=utf-8", content)
return nil
}
// For actual files, set the correct MIME type
mimeType := mime.TypeByExtension(ext)
if mimeType == "" {
// Try to detect content type from the content itself
mimeType = http.DetectContentType(content)
var mimeType string
switch ext {
case ".js":
mimeType = "application/javascript; charset=utf-8"
case ".css":
mimeType = "text/css; charset=utf-8"
case ".html":
mimeType = "text/html; charset=utf-8"
case ".json":
mimeType = "application/json; charset=utf-8"
case ".png":
mimeType = "image/png"
case ".svg":
mimeType = "image/svg+xml"
default:
mimeType = mime.TypeByExtension(ext)
if mimeType == "" {
// Try to detect content type from the content itself
mimeType = http.DetectContentType(content)
}
}
w.Header().Set("Content-Type", mimeType)
w.Write(content)
// Set security headers for all responses
c.Header("X-Content-Type-Options", "nosniff")
c.Data(http.StatusOK, mimeType, content)
return nil
}
//go:embed build/* static/*
//go:embed frontend/build/* frontend/static/*
var frontend embed.FS
type Note struct {
ID string `json:"id"`
Title string `json:"title"`
Content string `json:"content"`
CreatedAt time.Time `json:"createdAt"`
UpdatedAt time.Time `json:"updatedAt"`
}
var db *sql.DB
func main() {
var err error
db, err = sql.Open("sqlite3", "notes.db")
// Initialize database
db, err := gorm.Open(sqlite.Open("notes.db"), &gorm.Config{})
if err != nil {
log.Fatal(err)
}
defer db.Close()
// Create notes table
_, err = db.Exec(`
CREATE TABLE IF NOT EXISTS notes (
id TEXT PRIMARY KEY,
title TEXT NOT NULL,
content TEXT NOT NULL,
created_at DATETIME NOT NULL,
updated_at DATETIME NOT NULL
)
`)
if err != nil {
// Auto migrate the schema
if err := db.AutoMigrate(&notes.Note{}, &notes.NoteLink{}); err != nil {
log.Fatal(err)
}
// Initialize services
noteService := notes.NewService(db)
noteHandler := notes.NewHandler(noteService)
// Create Gin router
r := gin.Default()
// Trust only loopback addresses
if err := r.SetTrustedProxies([]string{"127.0.0.1", "::1"}); err != nil {
log.Fatal(err)
}
// API routes
http.HandleFunc("/api/notes", handleNotes)
http.HandleFunc("/api/notes/", handleNote)
http.HandleFunc("/api/test/reset", func(w http.ResponseWriter, r *http.Request) {
if r.Method != "POST" {
http.Error(w, "Method not allowed", http.StatusMethodNotAllowed)
return
}
_, err := db.Exec("DELETE FROM notes")
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusOK)
})
api := r.Group("/api")
{
noteHandler.RegisterRoutes(api)
// TODO: Add feeds and links routes when implemented
}
// Serve frontend
http.HandleFunc("/", handleFrontend)
r.NoRoute(handleFrontend)
log.Printf("INFO: Server starting on http://localhost:3000")
log.Fatal(http.ListenAndServe(":3000", nil))
log.Fatal(r.Run(":3000"))
}
func handleNotes(w http.ResponseWriter, r *http.Request) {
log.Printf("INFO: %s request to %s", r.Method, r.URL.Path)
switch r.Method {
case "GET":
rows, err := db.Query(`
SELECT id, title, content, created_at, updated_at
FROM notes
ORDER BY updated_at DESC
`)
if err != nil {
log.Printf("ERROR: Failed to query notes: %v", err)
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
defer rows.Close()
var notes []Note
for rows.Next() {
var n Note
err := rows.Scan(&n.ID, &n.Title, &n.Content, &n.CreatedAt, &n.UpdatedAt)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
notes = append(notes, n)
}
json.NewEncoder(w).Encode(notes)
case "POST":
var note Note
if err := json.NewDecoder(r.Body).Decode(&note); err != nil {
log.Printf("ERROR: Failed to decode note: %v", err)
http.Error(w, err.Error(), http.StatusBadRequest)
return
}
_, err := db.Exec(`
INSERT INTO notes (id, title, content, created_at, updated_at)
VALUES (?, ?, ?, ?, ?)
`, note.ID, note.Title, note.Content, note.CreatedAt, note.UpdatedAt)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusCreated)
}
}
func handleNote(w http.ResponseWriter, r *http.Request) {
id := path.Base(r.URL.Path)
log.Printf("INFO: %s request to %s for note ID %s", r.Method, r.URL.Path, id)
switch r.Method {
case "GET":
var note Note
err := db.QueryRow(`
SELECT id, title, content, created_at, updated_at
FROM notes
WHERE id = ?
`, id).Scan(&note.ID, &note.Title, &note.Content, &note.CreatedAt, &note.UpdatedAt)
if err == sql.ErrNoRows {
log.Printf("INFO: Note not found with ID %s", id)
http.NotFound(w, r)
return
}
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
json.NewEncoder(w).Encode(note)
case "PUT":
var note Note
if err := json.NewDecoder(r.Body).Decode(&note); err != nil {
http.Error(w, err.Error(), http.StatusBadRequest)
return
}
_, err := db.Exec(`
UPDATE notes
SET title = ?, content = ?, updated_at = ?
WHERE id = ?
`, note.Title, note.Content, note.UpdatedAt, id)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
case "DELETE":
_, err := db.Exec("DELETE FROM notes WHERE id = ?", id)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusNoContent)
}
}
func handleFrontend(w http.ResponseWriter, r *http.Request) {
log.Printf("INFO: Serving frontend request for %s", r.URL.Path)
func handleFrontend(c *gin.Context) {
// Don't serve API routes
if path.Dir(r.URL.Path) == "/api" {
http.NotFound(w, r)
if path.Dir(c.Request.URL.Path) == "/api" {
c.Status(http.StatusNotFound)
return
}
err := serveStaticFile(w, r, "build")
err := serveStaticFile(c, "frontend/build")
if err != nil { // if serveStaticFile returns an error, it has already tried to serve index.html as fallback
http.Error(w, err.Error(), http.StatusInternalServerError)
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
}
}

72
notes/model.go Normal file
View file

@ -0,0 +1,72 @@
package notes
import (
"fmt"
"regexp"
"time"
"gorm.io/gorm"
)
// Note represents a note in the system
type Note struct {
ID string `json:"id" gorm:"primaryKey"`
Title string `json:"title" gorm:"not null"`
Content string `json:"content" gorm:"not null"`
CreatedAt time.Time `json:"createdAt"`
UpdatedAt time.Time `json:"updatedAt"`
// Link relationships
LinksTo []*Note `json:"linksTo,omitempty" gorm:"many2many:note_links;joinForeignKey:source_note_id;joinReferences:target_note_id"`
LinkedBy []*Note `json:"linkedBy,omitempty" gorm:"many2many:note_links;joinForeignKey:target_note_id;joinReferences:source_note_id"`
}
// NoteLink represents a connection between two notes
type NoteLink struct {
SourceNoteID string `gorm:"primaryKey"`
TargetNoteID string `gorm:"primaryKey"`
CreatedAt time.Time `gorm:"autoCreateTime"`
}
// ExtractLinks finds all [[note-title]] style links in the content
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
}
// UpdateLinks updates the note's links based on its content
func (n *Note) UpdateLinks(db *gorm.DB) error {
// Delete existing links
if err := db.Where("source_note_id = ?", n.ID).Delete(&NoteLink{}).Error; err != nil {
return fmt.Errorf("failed to delete existing links: %w", err)
}
// Extract and create new links
titles := n.ExtractLinks(n.Content)
for _, title := range titles {
var target Note
if err := db.Where("title = ?", title).First(&target).Error; err != nil {
if err == gorm.ErrRecordNotFound {
// Skip non-existent notes
continue
}
return fmt.Errorf("failed to find target note %q: %w", title, err)
}
link := NoteLink{
SourceNoteID: n.ID,
TargetNoteID: target.ID,
}
if err := db.Create(&link).Error; err != nil {
return fmt.Errorf("failed to create link to %q: %w", title, err)
}
}
return nil
}

186
notes/model_test.go Normal file
View file

@ -0,0 +1,186 @@
package notes
import (
"testing"
"time"
"github.com/glebarez/sqlite"
"github.com/google/uuid"
"gorm.io/gorm"
)
func setupTestDB(t *testing.T) *gorm.DB {
db, err := gorm.Open(sqlite.Open(":memory:"), &gorm.Config{
SkipDefaultTransaction: true,
})
if err != nil {
t.Fatalf("Failed to open test database: %v", err)
}
if err := db.AutoMigrate(&Note{}, &NoteLink{}); err != nil {
t.Fatalf("Failed to migrate test database: %v", err)
}
return db
}
func createTestNote(t *testing.T, db *gorm.DB, title, content string) *Note {
note := &Note{
ID: uuid.New().String(),
Title: title,
Content: content,
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := db.Create(note).Error; err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
return note
}
func TestExtractLinks(t *testing.T) {
tests := []struct {
name string
content string
expected []string
}{
{
name: "no links",
content: "Just some text without links",
expected: []string{},
},
{
name: "single link",
content: "Text with [[another note]] link",
expected: []string{"another note"},
},
{
name: "multiple links",
content: "Text with [[first]] and [[second]] links",
expected: []string{"first", "second"},
},
{
name: "repeated links",
content: "[[same]] link [[same]] twice",
expected: []string{"same", "same"},
},
}
note := &Note{}
for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
got := note.ExtractLinks(tt.content)
if len(got) != len(tt.expected) {
t.Errorf("ExtractLinks() got %v links, want %v", len(got), len(tt.expected))
}
for i, link := range got {
if link != tt.expected[i] {
t.Errorf("ExtractLinks() got %v, want %v", link, tt.expected[i])
}
}
})
}
}
func TestUpdateLinks(t *testing.T) {
db := setupTestDB(t)
// Create some test notes
note1 := createTestNote(t, db, "First Note", "Content with [[Second Note]] and [[Third Note]]")
note2 := createTestNote(t, db, "Second Note", "Some content")
createTestNote(t, db, "Third Note", "More content") // Create but don't need to track
// Test creating links
t.Run("create links", func(t *testing.T) {
if err := note1.UpdateLinks(db); err != nil {
t.Fatalf("UpdateLinks() error = %v", err)
}
// Verify links were created
var links []NoteLink
if err := db.Find(&links).Error; err != nil {
t.Fatalf("Failed to query links: %v", err)
}
if len(links) != 2 {
t.Errorf("Expected 2 links, got %d", len(links))
}
// Load note with relationships
var loadedNote Note
if err := db.Preload("LinksTo").First(&loadedNote, "id = ?", note1.ID).Error; err != nil {
t.Fatalf("Failed to load note: %v", err)
}
if len(loadedNote.LinksTo) != 2 {
t.Errorf("Expected 2 LinksTo relationships, got %d", len(loadedNote.LinksTo))
}
})
// Test updating links
t.Run("update links", func(t *testing.T) {
note1.Content = "Content with [[Second Note]] only" // Remove Third Note link
if err := note1.UpdateLinks(db); err != nil {
t.Fatalf("UpdateLinks() error = %v", err)
}
// Verify links were updated
var links []NoteLink
if err := db.Find(&links).Error; err != nil {
t.Fatalf("Failed to query links: %v", err)
}
if len(links) != 1 {
t.Errorf("Expected 1 link, got %d", len(links))
}
// Load note with relationships
var loadedNote Note
if err := db.Preload("LinksTo").First(&loadedNote, "id = ?", note1.ID).Error; err != nil {
t.Fatalf("Failed to load note: %v", err)
}
if len(loadedNote.LinksTo) != 1 {
t.Errorf("Expected 1 LinksTo relationship, got %d", len(loadedNote.LinksTo))
}
})
// Test bidirectional relationships
t.Run("bidirectional relationships", func(t *testing.T) {
// Add a link back to First Note
note2.Content = "Content with [[First Note]]"
if err := note2.UpdateLinks(db); err != nil {
t.Fatalf("UpdateLinks() error = %v", err)
}
// Check First Note's LinkedBy
var note1Updated Note
if err := db.Preload("LinkedBy").First(&note1Updated, "id = ?", note1.ID).Error; err != nil {
t.Fatalf("Failed to load note: %v", err)
}
if len(note1Updated.LinkedBy) != 1 {
t.Errorf("Expected 1 LinkedBy relationship, got %d", len(note1Updated.LinkedBy))
}
})
// Test non-existent links
t.Run("non-existent links", func(t *testing.T) {
note1.Content = "Content with [[Non-existent Note]]"
if err := note1.UpdateLinks(db); err != nil {
t.Fatalf("UpdateLinks() error = %v", err)
}
// Verify no links were created
var links []NoteLink
if err := db.Find(&links).Error; err != nil {
t.Fatalf("Failed to query links: %v", err)
}
if len(links) != 1 { // Should still have the link from Second Note to First Note
t.Errorf("Expected 1 link, got %d", len(links))
}
})
}

123
notes/routes.go Normal file
View file

@ -0,0 +1,123 @@
package notes
import (
"net/http"
"github.com/gin-gonic/gin"
)
// Handler handles HTTP requests for notes
type Handler struct {
service *Service
}
// NewHandler creates a new notes handler
func NewHandler(service *Service) *Handler {
return &Handler{service: service}
}
// RegisterRoutes registers the note routes with the given router group
func (h *Handler) RegisterRoutes(group *gin.RouterGroup) {
notes := group.Group("/notes")
{
notes.GET("", h.handleGetNotes)
notes.POST("", h.handleCreateNote)
notes.GET("/:id", h.handleGetNote)
notes.PUT("/:id", h.handleUpdateNote)
notes.DELETE("/:id", h.handleDeleteNote)
}
// Test endpoint
group.POST("/test/reset", h.handleReset)
}
func (h *Handler) handleGetNotes(c *gin.Context) {
notes, err := h.service.List()
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, notes)
}
func (h *Handler) handleCreateNote(c *gin.Context) {
var note Note
if err := c.ShouldBindJSON(&note); err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
if err := h.service.Create(&note); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.JSON(http.StatusOK, note)
}
func (h *Handler) handleGetNote(c *gin.Context) {
id := c.Param("id")
note, err := h.service.Get(id)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
if note == nil {
c.Status(http.StatusNotFound)
return
}
c.JSON(http.StatusOK, note)
}
func (h *Handler) handleUpdateNote(c *gin.Context) {
id := c.Param("id")
var note Note
if err := c.ShouldBindJSON(&note); err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
updates := map[string]interface{}{
"title": note.Title,
"content": note.Content,
"updated_at": note.UpdatedAt,
}
if err := h.service.Update(id, updates); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
// Get the updated note
updated, err := h.service.Get(id)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
if updated == nil {
c.Status(http.StatusNotFound)
return
}
c.JSON(http.StatusOK, updated)
}
func (h *Handler) handleDeleteNote(c *gin.Context) {
id := c.Param("id")
if err := h.service.Delete(id); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}
func (h *Handler) handleReset(c *gin.Context) {
if err := h.service.Reset(); err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()})
return
}
c.Status(http.StatusOK)
}

232
notes/routes_test.go Normal file
View file

@ -0,0 +1,232 @@
package notes
import (
"bytes"
"encoding/json"
"net/http"
"net/http/httptest"
"testing"
"github.com/gin-gonic/gin"
)
func setupTestRouter(t *testing.T) (*gin.Engine, *Service) {
gin.SetMode(gin.TestMode)
router := gin.New()
db := setupTestDB(t)
service := NewService(db)
handler := NewHandler(service)
handler.RegisterRoutes(router.Group("/api"))
return router, service
}
func TestHandler_CreateNote(t *testing.T) {
router, _ := setupTestRouter(t)
// Test creating a note
note := map[string]interface{}{
"title": "Test Note",
"content": "Test content with [[Another Note]]",
}
body, _ := json.Marshal(note)
req := httptest.NewRequest("POST", "/api/notes", bytes.NewReader(body))
req.Header.Set("Content-Type", "application/json")
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
var response map[string]interface{}
if err := json.Unmarshal(w.Body.Bytes(), &response); err != nil {
t.Fatalf("Failed to parse response: %v", err)
}
if response["title"] != note["title"] {
t.Errorf("Expected title %q, got %q", note["title"], response["title"])
}
}
func TestHandler_GetNote(t *testing.T) {
router, service := setupTestRouter(t)
// Create a test note
note := &Note{
Title: "Test Note",
Content: "Test content",
}
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
// Test getting the note
req := httptest.NewRequest("GET", "/api/notes/"+note.ID, nil)
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
var response map[string]interface{}
if err := json.Unmarshal(w.Body.Bytes(), &response); err != nil {
t.Fatalf("Failed to parse response: %v", err)
}
if response["title"] != note.Title {
t.Errorf("Expected title %q, got %q", note.Title, response["title"])
}
// Test getting non-existent note
req = httptest.NewRequest("GET", "/api/notes/non-existent", nil)
w = httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusNotFound {
t.Errorf("Expected status %d, got %d", http.StatusNotFound, w.Code)
}
}
func TestHandler_ListNotes(t *testing.T) {
router, service := setupTestRouter(t)
// Create some test notes
notes := []*Note{
{Title: "First Note", Content: "First content"},
{Title: "Second Note", Content: "Second content"},
}
for _, note := range notes {
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
}
// Test listing notes
req := httptest.NewRequest("GET", "/api/notes", nil)
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
var response []map[string]interface{}
if err := json.Unmarshal(w.Body.Bytes(), &response); err != nil {
t.Fatalf("Failed to parse response: %v", err)
}
if len(response) != len(notes) {
t.Errorf("Expected %d notes, got %d", len(notes), len(response))
}
}
func TestHandler_UpdateNote(t *testing.T) {
router, service := setupTestRouter(t)
// Create a test note
note := &Note{
Title: "Original Title",
Content: "Original content",
}
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
// Test updating the note
update := map[string]interface{}{
"title": "Updated Title",
"content": "Updated content with [[Link]]",
}
body, _ := json.Marshal(update)
req := httptest.NewRequest("PUT", "/api/notes/"+note.ID, bytes.NewReader(body))
req.Header.Set("Content-Type", "application/json")
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
var response map[string]interface{}
if err := json.Unmarshal(w.Body.Bytes(), &response); err != nil {
t.Fatalf("Failed to parse response: %v", err)
}
if response["title"] != update["title"] {
t.Errorf("Expected title %q, got %q", update["title"], response["title"])
}
}
func TestHandler_DeleteNote(t *testing.T) {
router, service := setupTestRouter(t)
// Create a test note
note := &Note{
Title: "Test Note",
Content: "Test content",
}
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
// Test deleting the note
req := httptest.NewRequest("DELETE", "/api/notes/"+note.ID, nil)
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
// Verify note is deleted
req = httptest.NewRequest("GET", "/api/notes/"+note.ID, nil)
w = httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusNotFound {
t.Errorf("Expected status %d, got %d", http.StatusNotFound, w.Code)
}
}
func TestHandler_ResetNotes(t *testing.T) {
router, service := setupTestRouter(t)
// Create some test notes
notes := []*Note{
{Title: "First Note", Content: "First content"},
{Title: "Second Note", Content: "Second content"},
}
for _, note := range notes {
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create test note: %v", err)
}
}
// Test resetting notes
req := httptest.NewRequest("POST", "/api/test/reset", nil)
w := httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
// Verify all notes are deleted
req = httptest.NewRequest("GET", "/api/notes", nil)
w = httptest.NewRecorder()
router.ServeHTTP(w, req)
if w.Code != http.StatusOK {
t.Errorf("Expected status %d, got %d", http.StatusOK, w.Code)
}
var response []map[string]interface{}
if err := json.Unmarshal(w.Body.Bytes(), &response); err != nil {
t.Fatalf("Failed to parse response: %v", err)
}
if len(response) != 0 {
t.Errorf("Expected empty notes list, got %d notes", len(response))
}
}

135
notes/service.go Normal file
View file

@ -0,0 +1,135 @@
package notes
import (
"fmt"
"github.com/google/uuid"
"gorm.io/gorm"
)
// Service handles note operations
type Service struct {
db *gorm.DB
}
// NewService creates a new note service
func NewService(db *gorm.DB) *Service {
return &Service{db: db}
}
// Create creates a new note
func (s *Service) Create(note *Note) error {
note.ID = uuid.New().String()
err := s.db.Transaction(func(tx *gorm.DB) error {
// Create the note
if err := tx.Create(note).Error; err != nil {
return fmt.Errorf("failed to create note: %w", err)
}
// Update links in this note
if err := note.UpdateLinks(tx); err != nil {
return fmt.Errorf("failed to update note links: %w", err)
}
// Find and update notes that link to this note's title
var notesToUpdate []Note
if err := tx.Where("content LIKE ?", "%[["+note.Title+"]]%").Find(&notesToUpdate).Error; err != nil {
return fmt.Errorf("failed to find notes linking to %q: %w", note.Title, err)
}
for _, n := range notesToUpdate {
if err := n.UpdateLinks(tx); err != nil {
return fmt.Errorf("failed to update links in note %q: %w", n.Title, err)
}
}
return nil
})
if err != nil {
return err
}
// Load the note with its relationships
if err := s.db.Preload("LinksTo").First(note).Error; err != nil {
return fmt.Errorf("failed to load note relationships: %w", err)
}
return nil
}
// Get retrieves a note by ID
func (s *Service) Get(id string) (*Note, error) {
var note Note
if err := s.db.
Preload("LinksTo", func(db *gorm.DB) *gorm.DB {
return db.Select("id", "title")
}).
Preload("LinkedBy", func(db *gorm.DB) *gorm.DB {
return db.Select("id", "title")
}).
First(&note, "id = ?", id).Error; err != nil {
if err == gorm.ErrRecordNotFound {
return nil, nil
}
return nil, fmt.Errorf("failed to get note: %w", err)
}
return &note, nil
}
// List retrieves all notes
func (s *Service) List() ([]Note, error) {
var notes []Note
if err := s.db.
Preload("LinksTo", func(db *gorm.DB) *gorm.DB {
return db.Select("id", "title")
}).
Preload("LinkedBy", func(db *gorm.DB) *gorm.DB {
return db.Select("id", "title")
}).
Order("updated_at desc").
Find(&notes).Error; err != nil {
return nil, fmt.Errorf("failed to list notes: %w", err)
}
return notes, nil
}
// Update updates a note
func (s *Service) Update(id string, updates map[string]interface{}) error {
return s.db.Transaction(func(tx *gorm.DB) error {
// Update the note
if err := tx.Model(&Note{}).Where("id = ?", id).Updates(updates).Error; err != nil {
return fmt.Errorf("failed to update note: %w", err)
}
// Load the updated note for link processing
var note Note
if err := tx.First(&note, "id = ?", id).Error; err != nil {
return fmt.Errorf("failed to load note: %w", err)
}
// Update links
if err := note.UpdateLinks(tx); err != nil {
return fmt.Errorf("failed to update note links: %w", err)
}
return nil
})
}
// Delete deletes a note
func (s *Service) Delete(id string) error {
if err := s.db.Delete(&Note{}, "id = ?", id).Error; err != nil {
return fmt.Errorf("failed to delete note: %w", err)
}
return nil
}
// Reset deletes all notes (for testing)
func (s *Service) Reset() error {
if err := s.db.Session(&gorm.Session{AllowGlobalUpdate: true}).Delete(&Note{}).Error; err != nil {
return fmt.Errorf("failed to reset notes: %w", err)
}
return nil
}

321
notes/service_test.go Normal file
View file

@ -0,0 +1,321 @@
package notes
import (
"testing"
"time"
)
func TestService_Create(t *testing.T) {
db := setupTestDB(t)
service := NewService(db)
note := &Note{
Title: "Test Note",
Content: "Content with [[Another Note]]",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
// Test creating a note
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create note: %v", err)
}
if note.ID == "" {
t.Error("Note ID was not set")
}
// Test that no links were created (target note doesn't exist)
if len(note.LinksTo) != 0 {
t.Errorf("Expected 0 links, got %d", len(note.LinksTo))
}
// Create target note and update original note
another := &Note{
Title: "Another Note",
Content: "Some content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := service.Create(another); err != nil {
t.Fatalf("Failed to create another note: %v", err)
}
// Update original note to create the link
if err := service.Update(note.ID, map[string]interface{}{
"content": note.Content,
}); err != nil {
t.Fatalf("Failed to update note: %v", err)
}
// Get the note and verify the link was created
updated, err := service.Get(note.ID)
if err != nil {
t.Fatalf("Failed to get note: %v", err)
}
if len(updated.LinksTo) != 1 {
t.Errorf("Expected 1 link, got %d", len(updated.LinksTo))
}
// Verify that linked note only contains id and title
if link := updated.LinksTo[0]; link != nil {
if link.Content != "" {
t.Error("Link should not include content")
}
if link.ID == "" {
t.Error("Link should include ID")
}
if link.Title == "" {
t.Error("Link should include Title")
}
if !link.CreatedAt.IsZero() {
t.Error("Link should not include CreatedAt")
}
if !link.UpdatedAt.IsZero() {
t.Error("Link should not include UpdatedAt")
}
}
}
func TestService_Get(t *testing.T) {
db := setupTestDB(t)
service := NewService(db)
// Test getting non-existent note
note, err := service.Get("non-existent")
if err != nil {
t.Fatalf("Expected nil error for non-existent note, got %v", err)
}
if note != nil {
t.Error("Expected nil note for non-existent ID")
}
// Create a note and test getting it
created := &Note{
Title: "Test Note",
Content: "Test content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := service.Create(created); err != nil {
t.Fatalf("Failed to create note: %v", err)
}
// Create another note that links to the first one
linking := &Note{
Title: "Linking Note",
Content: "Links to [[Test Note]]",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := service.Create(linking); err != nil {
t.Fatalf("Failed to create linking note: %v", err)
}
// Get the first note and verify relationships
note, err = service.Get(created.ID)
if err != nil {
t.Fatalf("Failed to get note: %v", err)
}
if note == nil {
t.Fatal("Expected note, got nil")
}
// Verify basic fields
if note.Title != created.Title {
t.Errorf("Expected title %q, got %q", created.Title, note.Title)
}
// Verify LinkedBy relationship
if len(note.LinkedBy) != 1 {
t.Errorf("Expected 1 LinkedBy relationship, got %d", len(note.LinkedBy))
}
// Verify that linking note only contains id and title
if link := note.LinkedBy[0]; link != nil {
if link.Content != "" {
t.Error("LinkedBy should not include content")
}
if link.ID == "" {
t.Error("LinkedBy should include ID")
}
if link.Title == "" {
t.Error("LinkedBy should include Title")
}
if !link.CreatedAt.IsZero() {
t.Error("LinkedBy should not include CreatedAt")
}
if !link.UpdatedAt.IsZero() {
t.Error("LinkedBy should not include UpdatedAt")
}
}
}
func TestService_List(t *testing.T) {
db := setupTestDB(t)
service := NewService(db)
// Test empty list
notes, err := service.List()
if err != nil {
t.Fatalf("Failed to list notes: %v", err)
}
if len(notes) != 0 {
t.Errorf("Expected empty list, got %d notes", len(notes))
}
// Create some notes
note1 := &Note{
Title: "First Note",
Content: "First content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
note2 := &Note{
Title: "Second Note",
Content: "Second content with [[First Note]]",
CreatedAt: time.Now(),
UpdatedAt: time.Now().Add(time.Hour), // Later update time
}
if err := service.Create(note1); err != nil {
t.Fatalf("Failed to create note1: %v", err)
}
if err := service.Create(note2); err != nil {
t.Fatalf("Failed to create note2: %v", err)
}
// Test listing notes
notes, err = service.List()
if err != nil {
t.Fatalf("Failed to list notes: %v", err)
}
if len(notes) != 2 {
t.Errorf("Expected 2 notes, got %d", len(notes))
}
// Verify order (most recently updated first)
if notes[0].ID != note2.ID {
t.Error("Notes not ordered by updated_at desc")
}
// Verify relationships
firstNote := notes[1] // note1 should be second due to update time
if len(firstNote.LinkedBy) != 1 {
t.Errorf("Expected First Note to have 1 LinkedBy, got %d", len(firstNote.LinkedBy))
}
// Verify that linking note only contains id and title
if link := firstNote.LinkedBy[0]; link != nil {
if link.Content != "" {
t.Error("LinkedBy should not include content")
}
if link.ID == "" {
t.Error("LinkedBy should include ID")
}
if link.Title == "" {
t.Error("LinkedBy should include Title")
}
if !link.CreatedAt.IsZero() {
t.Error("LinkedBy should not include CreatedAt")
}
if !link.UpdatedAt.IsZero() {
t.Error("LinkedBy should not include UpdatedAt")
}
}
secondNote := notes[0] // note2 should be first due to update time
if len(secondNote.LinksTo) != 1 {
t.Errorf("Expected Second Note to have 1 LinksTo, got %d", len(secondNote.LinksTo))
}
// Verify that linked note only contains id and title
if link := secondNote.LinksTo[0]; link != nil {
if link.Content != "" {
t.Error("LinksTo should not include content")
}
if link.ID == "" {
t.Error("LinksTo should include ID")
}
if link.Title == "" {
t.Error("LinksTo should include Title")
}
if !link.CreatedAt.IsZero() {
t.Error("LinksTo should not include CreatedAt")
}
if !link.UpdatedAt.IsZero() {
t.Error("LinksTo should not include UpdatedAt")
}
}
}
func TestService_Delete(t *testing.T) {
db := setupTestDB(t)
service := NewService(db)
// Create a note
note := &Note{
Title: "Test Note",
Content: "Test content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := service.Create(note); err != nil {
t.Fatalf("Failed to create note: %v", err)
}
// Delete the note
if err := service.Delete(note.ID); err != nil {
t.Fatalf("Failed to delete note: %v", err)
}
// Verify note is deleted
found, err := service.Get(note.ID)
if err != nil {
t.Fatalf("Failed to check deleted note: %v", err)
}
if found != nil {
t.Error("Note still exists after deletion")
}
}
func TestService_Reset(t *testing.T) {
db := setupTestDB(t)
service := NewService(db)
// Create some notes
note1 := &Note{
Title: "First Note",
Content: "First content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
note2 := &Note{
Title: "Second Note",
Content: "Second content",
CreatedAt: time.Now(),
UpdatedAt: time.Now(),
}
if err := service.Create(note1); err != nil {
t.Fatalf("Failed to create note1: %v", err)
}
if err := service.Create(note2); err != nil {
t.Fatalf("Failed to create note2: %v", err)
}
// Reset the database
if err := service.Reset(); err != nil {
t.Fatalf("Failed to reset database: %v", err)
}
// Verify all notes are deleted
notes, err := service.List()
if err != nil {
t.Fatalf("Failed to list notes after reset: %v", err)
}
if len(notes) != 0 {
t.Errorf("Expected empty database after reset, got %d notes", len(notes))
}
}

33
scripts/build.sh Executable file
View file

@ -0,0 +1,33 @@
#!/bin/bash
set -euo pipefail
# Find bun executable
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
# Find go executable
if command -v go >/dev/null 2>&1; then
GO_CMD="go"
else
GO_CMD="/usr/local/go/bin/go"
fi
# Build frontend
pushd frontend
$BUN_CMD run build
# Copy static assets
mkdir -p build/css
cp static/css/bulma.min.css build/css/
# Build backend (without CGO)
popd
echo "Building Go backend..."
CGO_ENABLED=0 $GO_CMD build -v -o notes-app || {
echo "Go build failed!"
exit 1
}
echo "Go build completed successfully."

83
scripts/pre-commit.sh Executable file
View file

@ -0,0 +1,83 @@
#!/bin/bash
set -euo pipefail
# Find commands and set up environment
if command -v bun >/dev/null 2>&1; then
BUN_CMD="bun"
else
BUN_CMD="$HOME/.bun/bin/bun"
fi
# Set up Go environment
if command -v go >/dev/null 2>&1; then
GO_CMD="go"
GOROOT=$(go env GOROOT)
else
GO_CMD="/usr/local/go/bin/go"
GOROOT="/usr/local/go"
fi
export GOROOT
export PATH="$GOROOT/bin:$PATH"
if command -v golangci-lint >/dev/null 2>&1; then
GOLINT_CMD="golangci-lint"
else
GOLINT_CMD="$HOME/go/bin/golangci-lint"
fi
# Colors for output
RED='\033[0;31m'
GREEN='\033[0;32m'
NC='\033[0m' # No Color
echo "Running pre-commit checks..."
# Frontend checks
echo -e "\n${GREEN}Running frontend checks...${NC}"
pushd frontend
echo -e "\n${GREEN}Running formatter...${NC}"
$BUN_CMD format || {
echo -e "${RED}Frontend formatting failed!${NC}"
exit 1
}
echo -e "\n${GREEN}Running linter...${NC}"
$BUN_CMD lint || {
echo -e "${RED}Frontend linting failed!${NC}"
exit 1
}
echo -e "\n${GREEN}Running type checker...${NC}"
$BUN_CMD check || {
echo -e "${RED}Frontend type checking 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 || {
echo -e "${RED}Frontend build failed!${NC}"
exit 1
}
# Backend checks
popd
echo -e "\n${GREEN}Running backend tests...${NC}"
$GO_CMD test -v ./... || {
echo -e "${RED}Backend tests failed!${NC}"
exit 1
}
echo -e "\n${GREEN}Running Go linter...${NC}"
$GOLINT_CMD run || {
echo -e "${RED}Go linting failed!${NC}"
exit 1
}
echo -e "\n${GREEN}All checks passed!${NC}"