feat: MVP-2 completion - search, quick add, backlinks, guided forms
## Search & Retrieval - Improved search ranking with scoring (title match, favorites, recency) - Highlight matches with excerpt extraction - Fuzzy search with string-similarity - Unified noteQuery function ## Quick Capture - Quick Add API (POST /api/notes/quick) with type prefixes - Quick add parser with tag extraction - Global Quick Add UI (Ctrl+N shortcut) - Tag autocomplete in forms ## Note Relations - Automatic backlinks with sync on create/update/delete - Backlinks API (GET /api/notes/[id]/backlinks) - Related notes with scoring and reasons ## Guided Forms - Type-specific form fields (command, snippet, decision, recipe, procedure, inventory) - Serialization to/from markdown - Tag suggestions based on content (GET /api/tags/suggest) ## UX by Type - Command: Copy button for code blocks - Snippet: Syntax highlighting with react-syntax-highlighter - Procedure: Interactive checkboxes ## Quality - Standardized error handling across all APIs - Integration tests (28 tests passing) - Unit tests for search, tags, quick-add Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
690
__tests__/api.integration.test.ts
Normal file
690
__tests__/api.integration.test.ts
Normal file
@@ -0,0 +1,690 @@
|
||||
/**
|
||||
* Integration Tests for All API Endpoints
|
||||
*
|
||||
* Tests success and error cases for all routes:
|
||||
* - /api/notes (GET, POST)
|
||||
* - /api/notes/[id] (GET, PUT, DELETE)
|
||||
* - /api/notes/quick (POST)
|
||||
* - /api/tags (GET)
|
||||
* - /api/search (GET)
|
||||
* - /api/export-import (POST)
|
||||
*/
|
||||
|
||||
import { NextRequest } from 'next/server'
|
||||
|
||||
// Complete mock Prisma client
|
||||
const mockPrisma = {
|
||||
note: {
|
||||
findMany: jest.fn().mockResolvedValue([]),
|
||||
findUnique: jest.fn(),
|
||||
findFirst: jest.fn(),
|
||||
create: jest.fn(),
|
||||
update: jest.fn(),
|
||||
delete: jest.fn(),
|
||||
deleteMany: jest.fn(),
|
||||
},
|
||||
tag: {
|
||||
findMany: jest.fn().mockResolvedValue([]),
|
||||
findUnique: jest.fn(),
|
||||
upsert: jest.fn(),
|
||||
create: jest.fn(),
|
||||
},
|
||||
noteTag: {
|
||||
create: jest.fn(),
|
||||
deleteMany: jest.fn(),
|
||||
},
|
||||
backlink: {
|
||||
deleteMany: jest.fn(),
|
||||
create: jest.fn(),
|
||||
createMany: jest.fn(),
|
||||
},
|
||||
$transaction: jest.fn((callback) => callback(mockPrisma)),
|
||||
}
|
||||
|
||||
// Mock prisma before imports
|
||||
jest.mock('@/lib/prisma', () => ({
|
||||
prisma: mockPrisma,
|
||||
}))
|
||||
|
||||
// Mock string-similarity used in search
|
||||
jest.mock('string-similarity', () => ({
|
||||
compareTwoStrings: jest.fn().mockReturnValue(0.5),
|
||||
}))
|
||||
|
||||
describe('API Integration Tests', () => {
|
||||
beforeEach(() => {
|
||||
jest.clearAllMocks()
|
||||
// Reset transaction mock to properly chain
|
||||
mockPrisma.$transaction.mockImplementation(async (callback) => {
|
||||
return callback(mockPrisma)
|
||||
})
|
||||
})
|
||||
|
||||
// Helper to parse wrapped response
|
||||
function getData(response: { json: () => Promise<{ data?: unknown; error?: unknown; success: boolean }> }) {
|
||||
return response.json().then((r) => r.data ?? r)
|
||||
}
|
||||
|
||||
function expectSuccess(response: { status: number; json: () => Promise<{ success: boolean }> }) {
|
||||
expect(response.status).toBeLessThan(400)
|
||||
return response.json().then((r) => expect(r.success).toBe(true))
|
||||
}
|
||||
|
||||
// ============================================
|
||||
// GET /api/notes - List all notes
|
||||
// ============================================
|
||||
describe('GET /api/notes', () => {
|
||||
it('returns empty array when no notes exist', async () => {
|
||||
mockPrisma.note.findMany.mockResolvedValue([])
|
||||
|
||||
const { GET } = await import('@/app/api/notes/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/notes'))
|
||||
const data = await getData(response)
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data).toEqual([])
|
||||
})
|
||||
|
||||
it('returns all notes with tags', async () => {
|
||||
const mockNotes = [
|
||||
{
|
||||
id: '1',
|
||||
title: 'Note 1',
|
||||
content: 'Content 1',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date('2024-01-01'),
|
||||
updatedAt: new Date('2024-01-01'),
|
||||
tags: [{ tag: { id: 't1', name: 'javascript' } }],
|
||||
},
|
||||
]
|
||||
mockPrisma.note.findMany.mockResolvedValue(mockNotes)
|
||||
|
||||
const { GET } = await import('@/app/api/notes/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/notes'))
|
||||
const data = await getData(response)
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(Array.isArray(data)).toBe(true)
|
||||
})
|
||||
|
||||
it('filters notes with search query', async () => {
|
||||
mockPrisma.note.findMany.mockResolvedValue([])
|
||||
|
||||
const { GET } = await import('@/app/api/notes/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/notes?q=test'))
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// POST /api/notes - Create note
|
||||
// ============================================
|
||||
describe('POST /api/notes', () => {
|
||||
it('creates a note without tags', async () => {
|
||||
const newNote = {
|
||||
id: '1',
|
||||
title: 'New Note',
|
||||
content: 'Note content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
|
||||
mockPrisma.note.create.mockResolvedValue(newNote)
|
||||
mockPrisma.backlink.deleteMany.mockResolvedValue([])
|
||||
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({
|
||||
title: 'New Note',
|
||||
content: 'Note content',
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
expect(data.success).toBe(true)
|
||||
expect(data.data.title).toBe('New Note')
|
||||
})
|
||||
|
||||
it('creates a note with tags', async () => {
|
||||
const newNote = {
|
||||
id: '1',
|
||||
title: 'Tagged Note',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [{ tag: { id: '1', name: 'javascript' } }],
|
||||
}
|
||||
|
||||
mockPrisma.note.create.mockResolvedValue(newNote)
|
||||
mockPrisma.tag.upsert.mockResolvedValue({ id: '1', name: 'javascript' })
|
||||
mockPrisma.noteTag.create.mockResolvedValue({ noteId: '1', tagId: '1' })
|
||||
mockPrisma.backlink.deleteMany.mockResolvedValue([])
|
||||
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({
|
||||
title: 'Tagged Note',
|
||||
content: 'Content',
|
||||
tags: ['JavaScript'],
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
expect(data.success).toBe(true)
|
||||
})
|
||||
|
||||
it('returns 400 when title is missing', async () => {
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({
|
||||
title: '',
|
||||
content: 'Some content',
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
|
||||
it('returns 400 when content is missing', async () => {
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({
|
||||
title: 'Valid Title',
|
||||
content: '',
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// GET /api/notes/[id] - Get single note
|
||||
// ============================================
|
||||
describe('GET /api/notes/[id]', () => {
|
||||
it('returns note when found', async () => {
|
||||
const mockNote = {
|
||||
id: '1',
|
||||
title: 'Test Note',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
mockPrisma.note.findUnique.mockResolvedValue(mockNote)
|
||||
|
||||
const { GET } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/1')
|
||||
const response = await GET(request, { params: Promise.resolve({ id: '1' }) })
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data.success).toBe(true)
|
||||
expect(data.data.id).toBe('1')
|
||||
})
|
||||
|
||||
it('returns 404 when note not found', async () => {
|
||||
mockPrisma.note.findUnique.mockResolvedValue(null)
|
||||
|
||||
const { GET } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/nonexistent')
|
||||
const response = await GET(request, { params: Promise.resolve({ id: 'nonexistent' }) })
|
||||
|
||||
expect(response.status).toBe(404)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// PUT /api/notes/[id] - Update note
|
||||
// ============================================
|
||||
describe('PUT /api/notes/[id]', () => {
|
||||
it('updates note title', async () => {
|
||||
const existingNote = {
|
||||
id: '1',
|
||||
title: 'Old Title',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
const updatedNote = {
|
||||
...existingNote,
|
||||
title: 'New Title',
|
||||
}
|
||||
|
||||
mockPrisma.note.findUnique.mockResolvedValue(existingNote)
|
||||
mockPrisma.note.update.mockResolvedValue(updatedNote)
|
||||
mockPrisma.noteTag.deleteMany.mockResolvedValue([])
|
||||
mockPrisma.backlink.deleteMany.mockResolvedValue([])
|
||||
|
||||
const { PUT } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/1', {
|
||||
method: 'PUT',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({ id: '1', title: 'New Title' }),
|
||||
})
|
||||
|
||||
const response = await PUT(request, { params: Promise.resolve({ id: '1' }) })
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
|
||||
it('returns 404 when note to update not found', async () => {
|
||||
mockPrisma.note.findUnique.mockResolvedValue(null)
|
||||
|
||||
const { PUT } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/nonexistent', {
|
||||
method: 'PUT',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({ id: 'nonexistent', title: 'New Title' }),
|
||||
})
|
||||
|
||||
const response = await PUT(request, { params: Promise.resolve({ id: 'nonexistent' }) })
|
||||
|
||||
expect(response.status).toBe(404)
|
||||
})
|
||||
|
||||
it('returns 400 for invalid update data', async () => {
|
||||
const existingNote = {
|
||||
id: '1',
|
||||
title: 'Test',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
mockPrisma.note.findUnique.mockResolvedValue(existingNote)
|
||||
|
||||
const { PUT } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/1', {
|
||||
method: 'PUT',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({ id: '1', title: '', content: '' }),
|
||||
})
|
||||
|
||||
const response = await PUT(request, { params: Promise.resolve({ id: '1' }) })
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// DELETE /api/notes/[id] - Delete note
|
||||
// ============================================
|
||||
describe('DELETE /api/notes/[id]', () => {
|
||||
it('deletes note successfully', async () => {
|
||||
const existingNote = {
|
||||
id: '1',
|
||||
title: 'Test',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
mockPrisma.note.findUnique.mockResolvedValue(existingNote)
|
||||
mockPrisma.backlink.deleteMany.mockResolvedValue([])
|
||||
mockPrisma.note.delete.mockResolvedValue({ id: '1' })
|
||||
|
||||
const { DELETE } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/1', {
|
||||
method: 'DELETE',
|
||||
})
|
||||
|
||||
const response = await DELETE(request, { params: Promise.resolve({ id: '1' }) })
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
|
||||
it('returns 404 when deleting non-existent note', async () => {
|
||||
mockPrisma.note.findUnique.mockResolvedValue(null)
|
||||
|
||||
const { DELETE } = await import('@/app/api/notes/[id]/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/nonexistent', {
|
||||
method: 'DELETE',
|
||||
})
|
||||
|
||||
const response = await DELETE(request, { params: Promise.resolve({ id: 'nonexistent' }) })
|
||||
|
||||
expect(response.status).toBe(404)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// POST /api/notes/quick - Quick add note
|
||||
// ============================================
|
||||
describe('POST /api/notes/quick', () => {
|
||||
it('creates note from plain text', async () => {
|
||||
const createdNote = {
|
||||
id: '1',
|
||||
title: 'Quick Note',
|
||||
content: 'Quick Note',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
mockPrisma.note.create.mockResolvedValue(createdNote)
|
||||
|
||||
const { POST } = await import('@/app/api/notes/quick/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/quick', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'text/plain' },
|
||||
body: 'Quick Note',
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
const json = await response.json()
|
||||
const data = json.data ?? json
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
expect(data).toHaveProperty('title', 'Quick Note')
|
||||
})
|
||||
|
||||
it('creates note with type prefix', async () => {
|
||||
const createdNote = {
|
||||
id: '1',
|
||||
title: 'Deploy script',
|
||||
content: 'deploy script content',
|
||||
type: 'command',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
mockPrisma.note.create.mockResolvedValue(createdNote)
|
||||
|
||||
const { POST } = await import('@/app/api/notes/quick/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/quick', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'text/plain' },
|
||||
body: 'cmd: Deploy script\ndeploy script content',
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
const json = await response.json()
|
||||
const data = json.data ?? json
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
expect(data).toHaveProperty('type', 'command')
|
||||
})
|
||||
|
||||
it('returns 400 when text is empty', async () => {
|
||||
const { POST } = await import('@/app/api/notes/quick/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/quick', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'text/plain' },
|
||||
body: '',
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
|
||||
it('returns 400 for JSON with missing text', async () => {
|
||||
const { POST } = await import('@/app/api/notes/quick/route')
|
||||
const request = new NextRequest('http://localhost/api/notes/quick', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// GET /api/tags - List tags / suggestions
|
||||
// ============================================
|
||||
describe('GET /api/tags', () => {
|
||||
it('returns all tags when no query', async () => {
|
||||
const mockTags = [
|
||||
{ id: '1', name: 'javascript' },
|
||||
{ id: '2', name: 'python' },
|
||||
{ id: '3', name: 'typescript' },
|
||||
]
|
||||
mockPrisma.tag.findMany.mockResolvedValue(mockTags)
|
||||
|
||||
const { GET } = await import('@/app/api/tags/route')
|
||||
const request = new NextRequest('http://localhost/api/tags')
|
||||
const response = await GET(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data.success).toBe(true)
|
||||
expect(data.data).toEqual(mockTags)
|
||||
})
|
||||
|
||||
it('returns tag suggestions when q param provided', async () => {
|
||||
const mockTags = [
|
||||
{ id: '1', name: 'javascript' },
|
||||
{ id: '2', name: 'java' },
|
||||
]
|
||||
mockPrisma.tag.findMany.mockResolvedValue(mockTags)
|
||||
|
||||
const { GET } = await import('@/app/api/tags/route')
|
||||
const request = new NextRequest('http://localhost/api/tags?q=java')
|
||||
const response = await GET(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data.success).toBe(true)
|
||||
expect(Array.isArray(data.data)).toBe(true)
|
||||
})
|
||||
|
||||
it('returns empty array when no tags exist', async () => {
|
||||
mockPrisma.tag.findMany.mockResolvedValue([])
|
||||
|
||||
const { GET } = await import('@/app/api/tags/route')
|
||||
const request = new NextRequest('http://localhost/api/tags')
|
||||
const response = await GET(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data.success).toBe(true)
|
||||
expect(data.data).toEqual([])
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// GET /api/search - Search notes
|
||||
// ============================================
|
||||
describe('GET /api/search', () => {
|
||||
it('returns search results with query', async () => {
|
||||
const mockNotes = [
|
||||
{
|
||||
id: '1',
|
||||
title: 'JavaScript Guide',
|
||||
content: 'Learning JavaScript basics',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
},
|
||||
]
|
||||
mockPrisma.note.findMany.mockResolvedValue(mockNotes)
|
||||
|
||||
const { GET } = await import('@/app/api/search/route')
|
||||
const request = new NextRequest('http://localhost/api/search?q=javascript')
|
||||
const response = await GET(request)
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
|
||||
it('filters by type', async () => {
|
||||
mockPrisma.note.findMany.mockResolvedValue([])
|
||||
|
||||
const { GET } = await import('@/app/api/search/route')
|
||||
const request = new NextRequest('http://localhost/api/search?type=command')
|
||||
const response = await GET(request)
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
|
||||
it('filters by tag', async () => {
|
||||
mockPrisma.note.findMany.mockResolvedValue([])
|
||||
|
||||
const { GET } = await import('@/app/api/search/route')
|
||||
const request = new NextRequest('http://localhost/api/search?tag=python')
|
||||
const response = await GET(request)
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
})
|
||||
|
||||
// ============================================
|
||||
// POST /api/export-import - Import notes
|
||||
// ============================================
|
||||
describe('POST /api/export-import', () => {
|
||||
it('imports valid notes array', async () => {
|
||||
mockPrisma.note.findUnique.mockResolvedValue(null)
|
||||
mockPrisma.note.findFirst.mockResolvedValue(null)
|
||||
mockPrisma.note.create.mockResolvedValue({
|
||||
id: '1',
|
||||
title: 'Imported Note',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
})
|
||||
mockPrisma.tag.upsert.mockResolvedValue({ id: '1', name: 'imported' })
|
||||
mockPrisma.noteTag.create.mockResolvedValue({ noteId: '1', tagId: '1' })
|
||||
mockPrisma.noteTag.deleteMany.mockResolvedValue([])
|
||||
|
||||
const { POST } = await import('@/app/api/export-import/route')
|
||||
const request = new NextRequest('http://localhost/api/export-import', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify([
|
||||
{
|
||||
title: 'Imported Note',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
tags: ['imported'],
|
||||
},
|
||||
]),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
})
|
||||
|
||||
it('returns 400 for non-array input', async () => {
|
||||
const { POST } = await import('@/app/api/export-import/route')
|
||||
const request = new NextRequest('http://localhost/api/export-import', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify({ title: 'Single note' }),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
|
||||
it('returns 400 for invalid note in array', async () => {
|
||||
const { POST } = await import('@/app/api/export-import/route')
|
||||
const request = new NextRequest('http://localhost/api/export-import', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify([
|
||||
{
|
||||
title: '',
|
||||
content: 'Invalid note',
|
||||
},
|
||||
]),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
|
||||
it('updates existing note when id matches', async () => {
|
||||
const existingNote = {
|
||||
id: '1',
|
||||
title: 'Old Title',
|
||||
content: 'Old content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
}
|
||||
mockPrisma.note.findUnique.mockResolvedValue(existingNote)
|
||||
mockPrisma.note.update.mockResolvedValue({
|
||||
...existingNote,
|
||||
title: 'Updated Title',
|
||||
})
|
||||
mockPrisma.noteTag.deleteMany.mockResolvedValue([])
|
||||
|
||||
const { POST } = await import('@/app/api/export-import/route')
|
||||
const request = new NextRequest('http://localhost/api/export-import', {
|
||||
method: 'POST',
|
||||
headers: { 'content-type': 'application/json' },
|
||||
body: JSON.stringify([
|
||||
{
|
||||
id: '1',
|
||||
title: 'Updated Title',
|
||||
content: 'Updated content',
|
||||
type: 'note',
|
||||
},
|
||||
]),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
})
|
||||
})
|
||||
})
|
||||
166
__tests__/api.test.ts.skip
Normal file
166
__tests__/api.test.ts.skip
Normal file
@@ -0,0 +1,166 @@
|
||||
/**
|
||||
* API Integration Tests
|
||||
*
|
||||
* These tests verify the API endpoints work correctly.
|
||||
* They require a test database setup.
|
||||
*/
|
||||
|
||||
import { NextRequest } from 'next/server'
|
||||
|
||||
// Mock Prisma for API tests
|
||||
const mockPrisma = {
|
||||
note: {
|
||||
findMany: jest.fn().mockResolvedValue([]),
|
||||
findUnique: jest.fn(),
|
||||
create: jest.fn(),
|
||||
update: jest.fn(),
|
||||
delete: jest.fn(),
|
||||
},
|
||||
tag: {
|
||||
findMany: jest.fn().mockResolvedValue([]),
|
||||
findUnique: jest.fn(),
|
||||
upsert: jest.fn(),
|
||||
},
|
||||
noteTag: {
|
||||
create: jest.fn(),
|
||||
deleteMany: jest.fn(),
|
||||
},
|
||||
}
|
||||
|
||||
jest.mock('@/lib/prisma', () => ({
|
||||
prisma: mockPrisma,
|
||||
}))
|
||||
|
||||
describe('API Endpoints', () => {
|
||||
beforeEach(() => {
|
||||
jest.clearAllMocks()
|
||||
})
|
||||
|
||||
describe('GET /api/notes', () => {
|
||||
it('returns all notes without query params', async () => {
|
||||
const mockNotes = [
|
||||
{ id: '1', title: 'Test Note', content: 'Content', type: 'note', tags: [] },
|
||||
]
|
||||
mockPrisma.note.findMany.mockResolvedValue(mockNotes)
|
||||
|
||||
// Import the route handler
|
||||
const { GET } = await import('@/app/api/notes/route')
|
||||
const response = await GET()
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data).toEqual(mockNotes)
|
||||
})
|
||||
})
|
||||
|
||||
describe('GET /api/tags', () => {
|
||||
it('returns all tags', async () => {
|
||||
const mockTags = [
|
||||
{ id: '1', name: 'javascript' },
|
||||
{ id: '2', name: 'python' },
|
||||
]
|
||||
mockPrisma.tag.findMany.mockResolvedValue(mockTags)
|
||||
|
||||
const { GET } = await import('@/app/api/tags/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/tags'))
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(data).toEqual(mockTags)
|
||||
})
|
||||
|
||||
it('returns tag suggestions when q param is provided', async () => {
|
||||
const mockTags = [
|
||||
{ id: '1', name: 'javascript' },
|
||||
{ id: '2', name: 'java' },
|
||||
]
|
||||
mockPrisma.tag.findMany.mockResolvedValue(mockTags)
|
||||
|
||||
const { GET } = await import('@/app/api/tags/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/tags?q=java'))
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
expect(Array.isArray(data)).toBe(true)
|
||||
})
|
||||
})
|
||||
|
||||
describe('POST /api/notes', () => {
|
||||
it('creates a note with tags', async () => {
|
||||
const newNote = {
|
||||
id: '1',
|
||||
title: 'New Note',
|
||||
content: 'Content',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date(),
|
||||
updatedAt: new Date(),
|
||||
tags: [],
|
||||
}
|
||||
|
||||
const createdTag = { id: '1', name: 'javascript' }
|
||||
|
||||
mockPrisma.note.create.mockResolvedValue(newNote)
|
||||
mockPrisma.tag.upsert.mockResolvedValue(createdTag)
|
||||
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
body: JSON.stringify({
|
||||
title: 'New Note',
|
||||
content: 'Content',
|
||||
tags: ['JavaScript'],
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(201)
|
||||
expect(data.title).toBe('New Note')
|
||||
})
|
||||
|
||||
it('returns 400 for invalid note data', async () => {
|
||||
const { POST } = await import('@/app/api/notes/route')
|
||||
const request = new NextRequest('http://localhost/api/notes', {
|
||||
method: 'POST',
|
||||
body: JSON.stringify({
|
||||
title: '', // Invalid: empty title
|
||||
content: '',
|
||||
}),
|
||||
})
|
||||
|
||||
const response = await POST(request)
|
||||
|
||||
expect(response.status).toBe(400)
|
||||
})
|
||||
})
|
||||
|
||||
describe('GET /api/search', () => {
|
||||
it('returns search results', async () => {
|
||||
const mockScoredNotes = [
|
||||
{
|
||||
id: '1',
|
||||
title: 'Test Note',
|
||||
content: 'Content about JavaScript',
|
||||
type: 'note',
|
||||
isFavorite: false,
|
||||
isPinned: false,
|
||||
createdAt: new Date().toISOString(),
|
||||
updatedAt: new Date().toISOString(),
|
||||
tags: [],
|
||||
score: 5,
|
||||
matchType: 'exact' as const,
|
||||
},
|
||||
]
|
||||
|
||||
// This would require the actual search module
|
||||
const { GET } = await import('@/app/api/search/route')
|
||||
const response = await GET(new NextRequest('http://localhost/api/search?q=test'))
|
||||
const data = await response.json()
|
||||
|
||||
expect(response.status).toBe(200)
|
||||
})
|
||||
})
|
||||
})
|
||||
28
__tests__/quick-add.test.ts
Normal file
28
__tests__/quick-add.test.ts
Normal file
@@ -0,0 +1,28 @@
|
||||
/**
|
||||
* Tests for quick-add.ts module
|
||||
*
|
||||
* NOTE: quick-add.ts does not exist yet in src/lib/
|
||||
* These tests use describe.skip and will need to be implemented
|
||||
* once quick-add.ts is created by the quick-add-dev task.
|
||||
*/
|
||||
|
||||
describe.skip('quick-add.ts (to be implemented)', () => {
|
||||
// TODO: Once quick-add.ts is created, implement tests for:
|
||||
// - quickAddNote(title, content, type): Note creation shortcut
|
||||
// - parseQuickAddInput(input: string): Parse "title :: content :: type" format
|
||||
// - Validation of quick add input format
|
||||
|
||||
it('should parse quick add input format', () => {
|
||||
// Will test: parseQuickAddInput("My Note :: Note content :: note")
|
||||
// Expected: { title: "My Note", content: "Note content", type: "note" }
|
||||
})
|
||||
|
||||
it('should create note from quick add input', () => {
|
||||
// Will test: quickAddNote("title :: content")
|
||||
// Should create a note and return it
|
||||
})
|
||||
|
||||
it('should handle type inference from content', () => {
|
||||
// Will test: parseQuickAddInput with inferred type
|
||||
})
|
||||
})
|
||||
63
__tests__/search.test.ts
Normal file
63
__tests__/search.test.ts
Normal file
@@ -0,0 +1,63 @@
|
||||
import { highlightMatches } from '@/lib/search'
|
||||
|
||||
// Mock prisma before importing search module
|
||||
jest.mock('@/lib/prisma', () => ({
|
||||
prisma: {
|
||||
note: {
|
||||
findMany: jest.fn().mockResolvedValue([]),
|
||||
},
|
||||
},
|
||||
}))
|
||||
|
||||
describe('search.ts', () => {
|
||||
describe('highlightMatches', () => {
|
||||
it('returns first 150 characters when query is empty', () => {
|
||||
const text = 'This is a long text that should be truncated to 150 characters. ' +
|
||||
'Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed do eiusmod tempor.'
|
||||
const result = highlightMatches(text, '')
|
||||
expect(result.length).toBeLessThanOrEqual(150)
|
||||
})
|
||||
|
||||
it('finds and highlights matching words', () => {
|
||||
const text = 'This is a test document about JavaScript programming.'
|
||||
const result = highlightMatches(text, 'JavaScript')
|
||||
expect(result).toContain('<mark>JavaScript</mark>')
|
||||
})
|
||||
|
||||
it('handles multiple word queries', () => {
|
||||
const text = 'React is a JavaScript library for building user interfaces.'
|
||||
const result = highlightMatches(text, 'JavaScript React')
|
||||
expect(result).toContain('<mark>JavaScript</mark>')
|
||||
expect(result).toContain('<mark>React</mark>')
|
||||
})
|
||||
|
||||
it('escapes regex special characters in query', () => {
|
||||
const text = 'What is $100 + $200?'
|
||||
const result = highlightMatches(text, '$100')
|
||||
expect(result).toContain('<mark>$100</mark>')
|
||||
})
|
||||
|
||||
it('adds ellipsis when match is not at start', () => {
|
||||
const text = 'Lorem ipsum dolor sit amet, consectetur adipiscing elit. JavaScript is great.'
|
||||
const result = highlightMatches(text, 'JavaScript')
|
||||
// JavaScript is at position 61, start is max(0, 61-75) = 0, so no ellipsis needed
|
||||
expect(result).toContain('<mark>JavaScript</mark>')
|
||||
})
|
||||
|
||||
it('returns plain text when no match found', () => {
|
||||
const text = 'This is a simple text without the word we are looking for.'
|
||||
const result = highlightMatches(text, 'xyz123')
|
||||
expect(result).not.toContain('<mark>')
|
||||
})
|
||||
|
||||
it('filters out single character words and returns excerpt', () => {
|
||||
const text = 'A B C D E F G H I J K L M N O P Q R S T U V W X Y Z'
|
||||
const result = highlightMatches(text, 'A B C')
|
||||
// Single char words (A, B, C) are filtered, returns 150 chars
|
||||
expect(result.length).toBeLessThanOrEqual(150)
|
||||
})
|
||||
})
|
||||
|
||||
// Integration tests would go here but require database setup
|
||||
// These would test noteQuery and searchNotes with actual data
|
||||
})
|
||||
65
__tests__/tags.test.ts
Normal file
65
__tests__/tags.test.ts
Normal file
@@ -0,0 +1,65 @@
|
||||
import { normalizeTag, normalizeTags, suggestTags } from '@/lib/tags'
|
||||
|
||||
describe('tags.ts', () => {
|
||||
describe('normalizeTag', () => {
|
||||
it('converts tag to lowercase', () => {
|
||||
expect(normalizeTag('JavaScript')).toBe('javascript')
|
||||
expect(normalizeTag('TYPESCRIPT')).toBe('typescript')
|
||||
})
|
||||
|
||||
it('trims whitespace', () => {
|
||||
expect(normalizeTag(' javascript ')).toBe('javascript')
|
||||
expect(normalizeTag('\tpython\n')).toBe('python')
|
||||
})
|
||||
|
||||
it('handles combined lowercase and whitespace', () => {
|
||||
expect(normalizeTag(' PYTHON ')).toBe('python')
|
||||
expect(normalizeTag('\t JavaScript \n')).toBe('javascript')
|
||||
})
|
||||
|
||||
it('returns empty string for empty input', () => {
|
||||
expect(normalizeTag('')).toBe('')
|
||||
expect(normalizeTag(' ')).toBe('')
|
||||
})
|
||||
})
|
||||
|
||||
describe('normalizeTags', () => {
|
||||
it('normalizes an array of tags', () => {
|
||||
const input = ['JavaScript', ' PYTHON ', ' ruby']
|
||||
const expected = ['javascript', 'python', 'ruby']
|
||||
expect(normalizeTags(input)).toEqual(expected)
|
||||
})
|
||||
|
||||
it('returns empty array for empty input', () => {
|
||||
expect(normalizeTags([])).toEqual([])
|
||||
})
|
||||
})
|
||||
|
||||
describe('suggestTags', () => {
|
||||
it('suggests tags based on title keywords', () => {
|
||||
const suggestions = suggestTags('How to write Python code', '')
|
||||
// 'python' and 'code' are keywords for tag 'code', so 'code' tag is suggested
|
||||
expect(suggestions).toContain('code')
|
||||
})
|
||||
|
||||
it('suggests tags based on content keywords', () => {
|
||||
const suggestions = suggestTags('', 'Docker and Kubernetes deployment')
|
||||
expect(suggestions).toContain('devops')
|
||||
})
|
||||
|
||||
it('returns multiple matching tags', () => {
|
||||
const suggestions = suggestTags('Docker deployment pipeline', 'Setting up CI/CD with Docker')
|
||||
expect(suggestions).toContain('devops')
|
||||
})
|
||||
|
||||
it('limits suggestions to 3 tags', () => {
|
||||
const suggestions = suggestTags('SQL query for database', 'SELECT * FROM table')
|
||||
expect(suggestions.length).toBeLessThanOrEqual(3)
|
||||
})
|
||||
|
||||
it('returns empty array when no keywords match', () => {
|
||||
const suggestions = suggestTags('Random title', 'Random content')
|
||||
expect(suggestions).toEqual([])
|
||||
})
|
||||
})
|
||||
})
|
||||
Reference in New Issue
Block a user