quicknotes/frontend/src/lib/index.ts

118 lines
2.5 KiB
TypeScript
Raw Normal View History

export interface Note {
id: string;
title: string;
content: string;
createdAt: Date;
updatedAt: Date;
}
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 = {
...note,
id: crypto.randomUUID(),
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');
}
// Update local store after successful server update
innerUpdate((notes) => [...notes, newNote]);
},
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();