MVP Version

This commit is contained in:
Stefan Hardegger
2025-07-23 12:28:48 +02:00
parent 59d29dceaf
commit d69bed00a2
22 changed files with 1781 additions and 153 deletions

View File

@@ -97,6 +97,7 @@ export default function AddStoryPage() {
contentHtml: formData.contentHtml,
sourceUrl: formData.sourceUrl || undefined,
volume: formData.seriesName ? parseInt(formData.volume) : undefined,
seriesName: formData.seriesName || undefined,
authorName: formData.authorName || undefined,
tagNames: formData.tags.length > 0 ? formData.tags : undefined,
};

View File

@@ -122,6 +122,29 @@ export default function AuthorDetailPage() {
</span>
</div>
)}
{/* Average Story Rating */}
{author.averageStoryRating && (
<div className="flex items-center gap-1 mt-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-sm ${
star <= Math.round(author.averageStoryRating || 0)
? 'text-blue-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-xs theme-text ml-1">
Avg Story Rating: {author.averageStoryRating.toFixed(1)}/5
</span>
</div>
)}
</div>
</div>

View File

@@ -7,6 +7,7 @@ import { authorApi, getImageUrl } from '../../lib/api';
import { Author } from '../../types/api';
import AppLayout from '../../components/layout/AppLayout';
import { Input } from '../../components/ui/Input';
import Button from '../../components/ui/Button';
import LoadingSpinner from '../../components/ui/LoadingSpinner';
export default function AuthorsPage() {
@@ -14,41 +15,75 @@ export default function AuthorsPage() {
const [filteredAuthors, setFilteredAuthors] = useState<Author[]>([]);
const [loading, setLoading] = useState(true);
const [searchQuery, setSearchQuery] = useState('');
const [viewMode, setViewMode] = useState<'grid' | 'list'>('grid');
const [sortBy, setSortBy] = useState('name');
const [sortOrder, setSortOrder] = useState<'asc' | 'desc'>('asc');
const [currentPage, setCurrentPage] = useState(0);
const [totalHits, setTotalHits] = useState(0);
const [hasMore, setHasMore] = useState(false);
const ITEMS_PER_PAGE = 50; // Safe limit under Typesense's 250 limit
useEffect(() => {
const loadAuthors = async () => {
try {
setLoading(true);
const authorsResult = await authorApi.getAuthors({ page: 0, size: 1000 }); // Get all authors
setAuthors(authorsResult.content || []);
setFilteredAuthors(authorsResult.content || []);
const searchResults = await authorApi.searchAuthorsTypesense({
q: searchQuery || '*',
page: currentPage,
size: ITEMS_PER_PAGE,
sortBy: sortBy,
sortOrder: sortOrder
});
if (currentPage === 0) {
// First page - replace all results
setAuthors(searchResults.results || []);
setFilteredAuthors(searchResults.results || []);
} else {
// Subsequent pages - append results
setAuthors(prev => [...prev, ...(searchResults.results || [])]);
setFilteredAuthors(prev => [...prev, ...(searchResults.results || [])]);
}
setTotalHits(searchResults.totalHits);
setHasMore(searchResults.results.length === ITEMS_PER_PAGE && (currentPage + 1) * ITEMS_PER_PAGE < searchResults.totalHits);
} catch (error) {
console.error('Failed to load authors:', error);
// Fallback to regular API if Typesense fails (only for first page)
if (currentPage === 0) {
try {
const authorsResult = await authorApi.getAuthors({ page: 0, size: ITEMS_PER_PAGE });
setAuthors(authorsResult.content || []);
setFilteredAuthors(authorsResult.content || []);
setTotalHits(authorsResult.totalElements || 0);
setHasMore(authorsResult.content.length === ITEMS_PER_PAGE);
} catch (fallbackError) {
console.error('Fallback also failed:', fallbackError);
}
}
} finally {
setLoading(false);
}
};
loadAuthors();
}, []);
}, [searchQuery, sortBy, sortOrder, currentPage]);
// Reset pagination when search or sort changes
useEffect(() => {
if (!Array.isArray(authors)) {
setFilteredAuthors([]);
return;
if (currentPage !== 0) {
setCurrentPage(0);
}
if (searchQuery) {
const query = searchQuery.toLowerCase();
const filtered = authors.filter(author =>
author.name.toLowerCase().includes(query) ||
(author.notes && author.notes.toLowerCase().includes(query))
);
setFilteredAuthors(filtered);
} else {
setFilteredAuthors(authors);
}, [searchQuery, sortBy, sortOrder]);
const loadMore = () => {
if (hasMore && !loading) {
setCurrentPage(prev => prev + 1);
}
}, [searchQuery, authors]);
};
// Client-side filtering no longer needed since we use Typesense
// Note: We no longer have individual story ratings in the author list
// Average rating would need to be calculated on backend if needed
@@ -71,23 +106,65 @@ export default function AuthorsPage() {
<div>
<h1 className="text-3xl font-bold theme-header">Authors</h1>
<p className="theme-text mt-1">
{filteredAuthors.length} {filteredAuthors.length === 1 ? 'author' : 'authors'}
{filteredAuthors.length} of {totalHits} {totalHits === 1 ? 'author' : 'authors'}
{searchQuery ? ` found` : ` in your library`}
{hasMore && ` (showing first ${filteredAuthors.length})`}
</p>
</div>
{/* View Mode Toggle */}
<div className="flex items-center gap-2">
<Button
variant={viewMode === 'grid' ? 'primary' : 'ghost'}
onClick={() => setViewMode('grid')}
className="px-3 py-2"
>
Grid
</Button>
<Button
variant={viewMode === 'list' ? 'primary' : 'ghost'}
onClick={() => setViewMode('list')}
className="px-3 py-2"
>
List
</Button>
</div>
</div>
{/* Search */}
<div className="max-w-md">
<Input
type="search"
placeholder="Search authors..."
value={searchQuery}
onChange={(e) => setSearchQuery(e.target.value)}
/>
{/* Search and Sort Controls */}
<div className="flex flex-col md:flex-row gap-4">
<div className="flex-1 max-w-md">
<Input
type="search"
placeholder="Search authors..."
value={searchQuery}
onChange={(e) => setSearchQuery(e.target.value)}
/>
</div>
<div className="flex gap-2">
<select
value={sortBy}
onChange={(e) => setSortBy(e.target.value)}
className="px-3 py-2 border rounded-lg theme-card border-gray-300 dark:border-gray-600"
>
<option value="name">Name</option>
<option value="rating">Author Rating</option>
<option value="storycount">Story Count</option>
<option value="avgrating">Avg Story Rating</option>
</select>
<Button
variant="ghost"
onClick={() => setSortOrder(sortOrder === 'asc' ? 'desc' : 'asc')}
className="px-3 py-2"
>
{sortOrder === 'asc' ? '↑' : '↓'}
</Button>
</div>
</div>
{/* Authors Grid */}
{/* Authors Display */}
{filteredAuthors.length === 0 ? (
<div className="text-center py-20">
<div className="theme-text text-lg mb-4">
@@ -109,100 +186,246 @@ export default function AuthorsPage() {
</p>
)}
</div>
) : (
) : viewMode === 'grid' ? (
<div className="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-3 gap-6">
{filteredAuthors.map((author) => {
return (
<Link
key={author.id}
href={`/authors/${author.id}`}
className="theme-card theme-shadow rounded-lg p-6 hover:shadow-lg transition-shadow group"
>
{/* Avatar */}
<div className="flex items-center gap-4 mb-4">
<div className="w-16 h-16 rounded-full overflow-hidden bg-gray-200 dark:bg-gray-700 flex-shrink-0">
{author.avatarImagePath ? (
<Image
src={getImageUrl(author.avatarImagePath)}
alt={author.name}
width={64}
height={64}
className="w-full h-full object-cover"
unoptimized
/>
) : (
<div className="w-full h-full flex items-center justify-center text-2xl theme-text">
👤
</div>
)}
</div>
<div className="min-w-0 flex-1">
<h3 className="text-lg font-semibold theme-header group-hover:theme-accent transition-colors truncate">
{author.name}
</h3>
<div className="flex items-center gap-2 mt-1">
{/* Author Rating */}
{author.authorRating && (
<div className="flex items-center gap-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-sm ${
star <= (author.authorRating || 0)
? 'text-yellow-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-sm theme-text">
({author.authorRating}/5)
</span>
</div>
)}
</div>
</div>
</div>
{/* Stats */}
<div className="space-y-2 mb-4">
<div className="flex justify-between items-center text-sm">
<span className="theme-text">Stories:</span>
<span className="font-medium theme-header">
{author.storyCount || 0}
</span>
</div>
{author.urls.length > 0 && (
<div className="flex justify-between items-center text-sm">
<span className="theme-text">Links:</span>
<span className="font-medium theme-header">
{author.urls.length}
</span>
</div>
)}
</div>
{/* Notes Preview */}
{author.notes && (
<div className="text-sm theme-text">
<p className="line-clamp-3">
{author.notes}
</p>
</div>
)}
</Link>
);
})}
{filteredAuthors.map((author) => (
<AuthorGridCard key={author.id} author={author} />
))}
</div>
) : (
<div className="space-y-3">
{filteredAuthors.map((author) => (
<AuthorListItem key={author.id} author={author} />
))}
</div>
)}
{/* Load More Button */}
{hasMore && (
<div className="flex justify-center pt-8">
<Button
onClick={loadMore}
disabled={loading}
variant="ghost"
className="px-8 py-3"
loading={loading}
>
{loading ? 'Loading...' : `Load More Authors (${totalHits - filteredAuthors.length} remaining)`}
</Button>
</div>
)}
</div>
</AppLayout>
);
}
// Author Grid Card Component
function AuthorGridCard({ author }: { author: Author }) {
return (
<Link
href={`/authors/${author.id}`}
className="theme-card theme-shadow rounded-lg p-6 hover:shadow-lg transition-shadow group"
>
{/* Avatar */}
<div className="flex items-center gap-4 mb-4">
<div className="w-16 h-16 rounded-full overflow-hidden bg-gray-200 dark:bg-gray-700 flex-shrink-0">
{author.avatarImagePath ? (
<Image
src={getImageUrl(author.avatarImagePath)}
alt={author.name}
width={64}
height={64}
className="w-full h-full object-cover"
unoptimized
/>
) : (
<div className="w-full h-full flex items-center justify-center text-2xl theme-text">
👤
</div>
)}
</div>
<div className="min-w-0 flex-1">
<h3 className="text-lg font-semibold theme-header group-hover:theme-accent transition-colors truncate">
{author.name}
</h3>
<div className="flex items-center gap-2 mt-1">
{/* Author Rating */}
{author.authorRating && (
<div className="flex items-center gap-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-sm ${
star <= (author.authorRating || 0)
? 'text-yellow-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-sm theme-text">
({author.authorRating}/5)
</span>
</div>
)}
{/* Average Story Rating */}
{author.averageStoryRating && (
<div className="flex items-center gap-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-xs ${
star <= Math.round(author.averageStoryRating || 0)
? 'text-blue-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-xs theme-text">
({author.averageStoryRating.toFixed(1)})
</span>
</div>
)}
</div>
</div>
</div>
{/* Stats */}
<div className="space-y-2 mb-4">
<div className="flex justify-between items-center text-sm">
<span className="theme-text">Stories:</span>
<span className="font-medium theme-header">
{author.storyCount || 0}
</span>
</div>
{author.urls && author.urls.length > 0 && (
<div className="flex justify-between items-center text-sm">
<span className="theme-text">Links:</span>
<span className="font-medium theme-header">
{author.urls.length}
</span>
</div>
)}
</div>
{/* Notes Preview */}
{author.notes && (
<div className="text-sm theme-text">
<p className="line-clamp-3">
{author.notes}
</p>
</div>
)}
</Link>
);
}
// Author List Item Component
function AuthorListItem({ author }: { author: Author }) {
return (
<Link
href={`/authors/${author.id}`}
className="theme-card theme-shadow rounded-lg p-4 hover:shadow-lg transition-shadow group flex items-center gap-4"
>
{/* Avatar */}
<div className="w-12 h-12 rounded-full overflow-hidden bg-gray-200 dark:bg-gray-700 flex-shrink-0">
{author.avatarImagePath ? (
<Image
src={getImageUrl(author.avatarImagePath)}
alt={author.name}
width={48}
height={48}
className="w-full h-full object-cover"
unoptimized
/>
) : (
<div className="w-full h-full flex items-center justify-center text-xl theme-text">
👤
</div>
)}
</div>
{/* Author Info */}
<div className="flex-1 min-w-0">
<h3 className="text-lg font-semibold theme-header group-hover:theme-accent transition-colors truncate">
{author.name}
</h3>
<div className="flex items-center gap-4 mt-1">
{/* Ratings */}
<div className="flex items-center gap-3">
{author.authorRating && (
<div className="flex items-center gap-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-sm ${
star <= (author.authorRating || 0)
? 'text-yellow-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-sm theme-text">
({author.authorRating})
</span>
</div>
)}
{author.averageStoryRating && (
<div className="flex items-center gap-1">
<div className="flex">
{[1, 2, 3, 4, 5].map((star) => (
<span
key={star}
className={`text-xs ${
star <= Math.round(author.averageStoryRating || 0)
? 'text-blue-400'
: 'text-gray-300 dark:text-gray-600'
}`}
>
</span>
))}
</div>
<span className="text-xs theme-text">
Avg: {author.averageStoryRating.toFixed(1)}
</span>
</div>
)}
</div>
{/* Stats */}
<div className="flex items-center gap-4 text-sm theme-text">
<span>{author.storyCount || 0} stories</span>
{author.urls && author.urls.length > 0 && (
<span>{author.urls.length} links</span>
)}
</div>
</div>
{/* Notes Preview */}
{author.notes && (
<p className="text-sm theme-text mt-2 line-clamp-2">
{author.notes}
</p>
)}
</div>
</Link>
);
}

View File

@@ -1,7 +1,7 @@
'use client';
import { useState, useEffect } from 'react';
import { storyApi, searchApi, tagApi } from '../../lib/api';
import { searchApi, tagApi } from '../../lib/api';
import { Story, Tag } from '../../types/api';
import AppLayout from '../../components/layout/AppLayout';
import { Input } from '../../components/ui/Input';

View File

@@ -4,6 +4,7 @@ import { useState, useEffect } from 'react';
import AppLayout from '../../components/layout/AppLayout';
import { useTheme } from '../../lib/theme';
import Button from '../../components/ui/Button';
import { storyApi, authorApi } from '../../lib/api';
type FontFamily = 'serif' | 'sans' | 'mono';
type FontSize = 'small' | 'medium' | 'large' | 'extra-large';
@@ -27,6 +28,15 @@ export default function SettingsPage() {
const { theme, setTheme } = useTheme();
const [settings, setSettings] = useState<Settings>(defaultSettings);
const [saved, setSaved] = useState(false);
const [typesenseStatus, setTypesenseStatus] = useState<{
stories: { loading: boolean; message: string; success?: boolean };
authors: { loading: boolean; message: string; success?: boolean };
}>({
stories: { loading: false, message: '' },
authors: { loading: false, message: '' }
});
const [authorsSchema, setAuthorsSchema] = useState<any>(null);
const [showSchema, setShowSchema] = useState(false);
// Load settings from localStorage on mount
useEffect(() => {
@@ -85,6 +95,66 @@ export default function SettingsPage() {
setSettings(prev => ({ ...prev, [key]: value }));
};
const handleTypesenseOperation = async (
type: 'stories' | 'authors',
operation: 'reindex' | 'recreate',
apiCall: () => Promise<{ success: boolean; message: string; count?: number; error?: string }>
) => {
setTypesenseStatus(prev => ({
...prev,
[type]: { loading: true, message: 'Processing...', success: undefined }
}));
try {
const result = await apiCall();
setTypesenseStatus(prev => ({
...prev,
[type]: {
loading: false,
message: result.success ? result.message : result.error || 'Operation failed',
success: result.success
}
}));
// Clear message after 5 seconds
setTimeout(() => {
setTypesenseStatus(prev => ({
...prev,
[type]: { loading: false, message: '', success: undefined }
}));
}, 5000);
} catch (error) {
setTypesenseStatus(prev => ({
...prev,
[type]: {
loading: false,
message: 'Network error occurred',
success: false
}
}));
setTimeout(() => {
setTypesenseStatus(prev => ({
...prev,
[type]: { loading: false, message: '', success: undefined }
}));
}, 5000);
}
};
const fetchAuthorsSchema = async () => {
try {
const result = await authorApi.getTypesenseSchema();
if (result.success) {
setAuthorsSchema(result.schema);
} else {
setAuthorsSchema({ error: result.error });
}
} catch (error) {
setAuthorsSchema({ error: 'Failed to fetch schema' });
}
};
return (
<AppLayout>
<div className="max-w-2xl mx-auto space-y-8">
@@ -251,6 +321,119 @@ export default function SettingsPage() {
</div>
</div>
{/* Typesense Search Management */}
<div className="theme-card theme-shadow rounded-lg p-6">
<h2 className="text-xl font-semibold theme-header mb-4">Search Index Management</h2>
<p className="theme-text mb-6">
Manage the Typesense search indexes for stories and authors. Use these tools if search functionality isn't working properly.
</p>
<div className="space-y-6">
{/* Stories Section */}
<div className="border theme-border rounded-lg p-4">
<h3 className="text-lg font-semibold theme-header mb-3">Stories Index</h3>
<div className="flex flex-col sm:flex-row gap-3 mb-3">
<Button
onClick={() => handleTypesenseOperation('stories', 'reindex', storyApi.reindexTypesense)}
disabled={typesenseStatus.stories.loading}
loading={typesenseStatus.stories.loading}
variant="ghost"
className="flex-1"
>
{typesenseStatus.stories.loading ? 'Reindexing...' : 'Reindex Stories'}
</Button>
<Button
onClick={() => handleTypesenseOperation('stories', 'recreate', storyApi.recreateTypesenseCollection)}
disabled={typesenseStatus.stories.loading}
loading={typesenseStatus.stories.loading}
variant="secondary"
className="flex-1"
>
{typesenseStatus.stories.loading ? 'Recreating...' : 'Recreate Collection'}
</Button>
</div>
{typesenseStatus.stories.message && (
<div className={`text-sm p-2 rounded ${
typesenseStatus.stories.success
? 'bg-green-50 dark:bg-green-900/20 text-green-800 dark:text-green-200'
: 'bg-red-50 dark:bg-red-900/20 text-red-800 dark:text-red-200'
}`}>
{typesenseStatus.stories.message}
</div>
)}
</div>
{/* Authors Section */}
<div className="border theme-border rounded-lg p-4">
<h3 className="text-lg font-semibold theme-header mb-3">Authors Index</h3>
<div className="flex flex-col sm:flex-row gap-3 mb-3">
<Button
onClick={() => handleTypesenseOperation('authors', 'reindex', authorApi.reindexTypesense)}
disabled={typesenseStatus.authors.loading}
loading={typesenseStatus.authors.loading}
variant="ghost"
className="flex-1"
>
{typesenseStatus.authors.loading ? 'Reindexing...' : 'Reindex Authors'}
</Button>
<Button
onClick={() => handleTypesenseOperation('authors', 'recreate', authorApi.recreateTypesenseCollection)}
disabled={typesenseStatus.authors.loading}
loading={typesenseStatus.authors.loading}
variant="secondary"
className="flex-1"
>
{typesenseStatus.authors.loading ? 'Recreating...' : 'Recreate Collection'}
</Button>
</div>
{typesenseStatus.authors.message && (
<div className={`text-sm p-2 rounded ${
typesenseStatus.authors.success
? 'bg-green-50 dark:bg-green-900/20 text-green-800 dark:text-green-200'
: 'bg-red-50 dark:bg-red-900/20 text-red-800 dark:text-red-200'
}`}>
{typesenseStatus.authors.message}
</div>
)}
{/* Debug Schema Section */}
<div className="border-t theme-border pt-3">
<div className="flex items-center gap-2 mb-2">
<Button
onClick={fetchAuthorsSchema}
variant="ghost"
className="text-xs"
>
Inspect Schema
</Button>
<Button
onClick={() => setShowSchema(!showSchema)}
variant="ghost"
className="text-xs"
disabled={!authorsSchema}
>
{showSchema ? 'Hide' : 'Show'} Schema
</Button>
</div>
{showSchema && authorsSchema && (
<div className="text-xs theme-text bg-gray-50 dark:bg-gray-800 p-3 rounded border overflow-auto max-h-48">
<pre>{JSON.stringify(authorsSchema, null, 2)}</pre>
</div>
)}
</div>
</div>
<div className="text-sm theme-text bg-blue-50 dark:bg-blue-900/20 p-3 rounded-lg">
<p className="font-medium mb-1">When to use these tools:</p>
<ul className="text-xs space-y-1 ml-4">
<li>• <strong>Reindex:</strong> Refresh search data while keeping the existing schema</li>
<li>• <strong>Recreate Collection:</strong> Delete and rebuild the entire search index (fixes schema issues)</li>
</ul>
</div>
</div>
</div>
{/* Actions */}
<div className="flex justify-end gap-4">
<Button

View File

@@ -135,8 +135,8 @@ export default function EditStoryPage() {
contentHtml: formData.contentHtml,
sourceUrl: formData.sourceUrl || undefined,
volume: formData.seriesName ? parseInt(formData.volume) : undefined,
seriesName: formData.seriesName || undefined,
authorId: story.authorId, // Keep existing author ID
seriesId: story.seriesId, // Keep existing series ID for now
tagNames: formData.tags,
};
@@ -298,11 +298,7 @@ export default function EditStoryPage() {
onChange={handleInputChange('seriesName')}
placeholder="Enter series name if part of a series"
error={errors.seriesName}
disabled
/>
<p className="text-sm theme-text mt-1">
Series changes not yet supported in edit mode
</p>
</div>
<Input

View File

@@ -82,6 +82,7 @@ export const storyApi = {
authorId?: string;
authorName?: string;
seriesId?: string;
seriesName?: string;
tagNames?: string[];
}): Promise<Story> => {
const response = await api.post('/stories', storyData);
@@ -97,6 +98,7 @@ export const storyApi = {
volume?: number;
authorId?: string;
seriesId?: string;
seriesName?: string;
tagNames?: string[];
}): Promise<Story> => {
const response = await api.put(`/stories/${id}`, storyData);
@@ -133,6 +135,16 @@ export const storyApi = {
const response = await api.delete(`/stories/${storyId}/tags/${tagId}`);
return response.data;
},
reindexTypesense: async (): Promise<{ success: boolean; message: string; count?: number; error?: string }> => {
const response = await api.post('/stories/reindex-typesense');
return response.data;
},
recreateTypesenseCollection: async (): Promise<{ success: boolean; message: string; count?: number; error?: string }> => {
const response = await api.post('/stories/recreate-typesense-collection');
return response.data;
},
};
// Author endpoints
@@ -171,6 +183,39 @@ export const authorApi = {
removeAvatar: async (id: string): Promise<void> => {
await api.delete(`/authors/${id}/avatar`);
},
searchAuthorsTypesense: async (params?: {
q?: string;
page?: number;
size?: number;
sortBy?: string;
sortOrder?: string;
}): Promise<{
results: Author[];
totalHits: number;
page: number;
perPage: number;
query: string;
searchTimeMs: number;
}> => {
const response = await api.get('/authors/search-typesense', { params });
return response.data;
},
reindexTypesense: async (): Promise<{ success: boolean; message: string; count?: number; error?: string }> => {
const response = await api.post('/authors/reindex-typesense');
return response.data;
},
recreateTypesenseCollection: async (): Promise<{ success: boolean; message: string; count?: number; error?: string }> => {
const response = await api.post('/authors/recreate-typesense-collection');
return response.data;
},
getTypesenseSchema: async (): Promise<{ success: boolean; schema?: any; error?: string }> => {
const response = await api.get('/authors/typesense-schema');
return response.data;
},
};
// Tag endpoints

View File

@@ -23,6 +23,7 @@ export interface Author {
name: string;
notes?: string;
authorRating?: number;
averageStoryRating?: number;
avatarImagePath?: string;
urls: string[];
storyCount: number;