close #169: Se actualizó el modal de nueva bibliografía y se añadió el paso "Biblioteca"

- Se unificó el stepper en cinco pasos y se configuró para omitir el paso "Biblioteca" cuando el método sea MANUAL.
- Se añadió el paso "Biblioteca" con un accordion múltiple para comparar cada sugerencia con alternativas de la biblioteca; se eliminaron los estados de "Buscando" y su badge.
- Se incorporaron tres conjuntos hardcodeados de coincidencias (0, 2 y 5) que se asignan al azar si la sugerencia no trae datos de biblioteca; si no hay coincidencias la sugerencia se marca automáticamente como mantenida.
- Se implementó BookSelectionAccordion para elegir conservar la sugerencia o sustituirla por una coincidencia; se preservó el estilo visual de las opciones.
- Se añadieron validaciones y comportamientos de navegación: bloqueo de avance si quedan accordions por revisar, apertura y scroll al primer accordion sin resolver, y salto del paso "Biblioteca" en modo MANUAL.
This commit is contained in:
2026-03-12 16:17:58 -06:00
parent 88c6dc6b4d
commit 3acea813b6
2 changed files with 610 additions and 105 deletions

View File

@@ -5,16 +5,24 @@ export function WizardResponsiveHeader({
wizard, wizard,
methods, methods,
titleOverrides, titleOverrides,
hiddenStepIds,
}: { }: {
wizard: any wizard: any
methods: any methods: any
titleOverrides?: Record<string, string> titleOverrides?: Record<string, string>
hiddenStepIds?: Array<string>
}) { }) {
const idx = wizard.utils.getIndex(methods.current.id) const hidden = new Set(hiddenStepIds ?? [])
const totalSteps = wizard.steps.length const visibleSteps = (wizard.steps as Array<any>).filter(
const currentIndex = idx + 1 (s) => s && !hidden.has(s.id),
const hasNextStep = idx < totalSteps - 1 )
const nextStep = wizard.steps[currentIndex]
const idx = visibleSteps.findIndex((s) => s.id === methods.current.id)
const safeIdx = idx >= 0 ? idx : 0
const totalSteps = visibleSteps.length
const currentIndex = Math.min(safeIdx + 1, totalSteps)
const hasNextStep = safeIdx < totalSteps - 1
const nextStep = visibleSteps[safeIdx + 1]
const resolveTitle = (step: any) => titleOverrides?.[step?.id] ?? step?.title const resolveTitle = (step: any) => titleOverrides?.[step?.id] ?? step?.title
@@ -45,10 +53,11 @@ export function WizardResponsiveHeader({
<div className="hidden sm:block"> <div className="hidden sm:block">
<wizard.Stepper.Navigation className="border-border/60 rounded-xl border bg-slate-50 p-2"> <wizard.Stepper.Navigation className="border-border/60 rounded-xl border bg-slate-50 p-2">
{wizard.steps.map((step: any) => ( {visibleSteps.map((step: any, visibleIdx: number) => (
<wizard.Stepper.Step <wizard.Stepper.Step
key={step.id} key={step.id}
of={step.id} of={step.id}
icon={visibleIdx + 1}
className="whitespace-nowrap" className="whitespace-nowrap"
> >
<wizard.Stepper.Title> <wizard.Stepper.Title>

View File

@@ -26,6 +26,12 @@ import type {
import type { TablesInsert } from '@/types/supabase' import type { TablesInsert } from '@/types/supabase'
import { defineStepper } from '@/components/stepper' import { defineStepper } from '@/components/stepper'
import {
Accordion,
AccordionContent,
AccordionItem,
AccordionTrigger,
} from '@/components/ui/accordion'
import { Badge } from '@/components/ui/badge' import { Badge } from '@/components/ui/badge'
import { Button } from '@/components/ui/button' import { Button } from '@/components/ui/button'
import { import {
@@ -59,10 +65,118 @@ import { buscar_bibliografia } from '@/data'
import { useCreateBibliografia } from '@/data/hooks/useSubjects' import { useCreateBibliografia } from '@/data/hooks/useSubjects'
import { cn } from '@/lib/utils' import { cn } from '@/lib/utils'
export function BookSelectionAccordion() { type BibliotecaOption = {
id: string
title: string
authors: Array<string>
publisher?: string
year?: number
isbn?: string
shelf?: string
badgeText?: string
}
type BibliotecaOptionTemplate = Omit<BibliotecaOption, 'id'>
// Hardcodeado: 3 conjuntos de coincidencias (0, 2 y 5).
const BIBLIOTECA_MATCH_SETS: Array<Array<BibliotecaOptionTemplate>> = [
[],
[
{
title: 'Coincidencia en biblioteca (Ejemplar 1)',
authors: ['Autor A', 'Autor B'],
publisher: 'Editorial X',
year: 2020,
isbn: '9780000000001',
shelf: 'QA76.9 .A1 2020',
badgeText: 'Coincidencia ISBN',
},
{
title: 'Coincidencia en biblioteca (Ejemplar 2)',
authors: ['Autor C'],
publisher: 'Editorial Y',
year: 2016,
shelf: 'QA76.9 .A2 2016',
},
],
[
{
title: 'Coincidencia en biblioteca (Ejemplar 1)',
authors: ['Autor A', 'Autor B'],
publisher: 'Editorial X',
year: 2020,
isbn: '9780000000001',
shelf: 'QA76.9 .A1 2020',
badgeText: 'Coincidencia ISBN',
},
{
title: 'Coincidencia en biblioteca (Ejemplar 2)',
authors: ['Autor C'],
publisher: 'Editorial Y',
year: 2016,
shelf: 'QA76.9 .A2 2016',
},
{
title: 'Coincidencia en biblioteca (Ejemplar 3)',
authors: ['Autor D', 'Autor E'],
publisher: 'Editorial Z',
year: 2014,
shelf: 'QA76.9 .A3 2014',
},
{
title: 'Coincidencia en biblioteca (Ejemplar 4)',
authors: ['Autor F'],
publisher: 'Editorial W',
year: 2011,
shelf: 'QA76.9 .A4 2011',
},
{
title: 'Coincidencia en biblioteca (Ejemplar 5)',
authors: ['Autor G'],
publisher: 'Editorial V',
year: 2009,
shelf: 'QA76.9 .A5 2009',
},
],
]
export function BookSelectionAccordion({
onlineSourceLabel,
online,
options,
value,
onValueChange,
}: {
onlineSourceLabel: string
online: {
id: string
title: string
authorsLine: string
year?: number
isbn?: string
}
options: Array<BibliotecaOption>
value: string | undefined
onValueChange: (value: string) => void
}) {
// Estado inicial indefinido para que nada esté seleccionado por defecto // Estado inicial indefinido para que nada esté seleccionado por defecto
const [selectedBook, setSelectedBook] = useState<string | undefined>( const [selectedBook, setSelectedBook] = useState<string | undefined>(value)
undefined,
useEffect(() => {
setSelectedBook(value)
}, [value])
const onlineValue = `online:${online.id}`
const optionBaseClass =
'relative flex items-start space-x-3 rounded-lg border p-4 transition-colors'
const optionClass = (isSelected: boolean) =>
cn(
optionBaseClass,
isSelected
? 'border-primary bg-primary/5'
: 'hover:border-primary/30 hover:bg-accent/50',
) )
return ( return (
@@ -70,32 +184,38 @@ export function BookSelectionAccordion() {
{/* Un solo RadioGroup controla ambos lados */} {/* Un solo RadioGroup controla ambos lados */}
<RadioGroup <RadioGroup
value={selectedBook} value={selectedBook}
onValueChange={setSelectedBook} onValueChange={(v) => {
setSelectedBook(v)
onValueChange(v)
}}
className="flex flex-col gap-6 md:flex-row" className="flex flex-col gap-6 md:flex-row"
> >
{/* --- LADO IZQUIERDO: Sugerencia Online --- */} {/* --- LADO IZQUIERDO: Sugerencia Online --- */}
<div className="flex-1 space-y-4"> <div className="flex-1 space-y-4">
<h4 className="text-muted-foreground text-sm font-medium"> <h4 className="text-muted-foreground text-sm font-medium">
Sugerencia Original (Open Library) Sugerencia Original ({onlineSourceLabel})
</h4> </h4>
<div <div className={optionClass(selectedBook === onlineValue)}>
className={`relative flex items-start space-x-3 rounded-lg border p-4 transition-colors ${selectedBook === 'online-1' ? 'border-primary bg-primary/5' : 'hover:bg-muted/50'}`} <RadioGroupItem
> value={onlineValue}
<RadioGroupItem value="online-1" id="online-1" className="mt-1" /> id={onlineValue}
className="mt-1"
/>
<Label <Label
htmlFor="online-1" htmlFor={onlineValue}
className="flex flex-1 cursor-pointer flex-col" className="flex flex-1 cursor-pointer flex-col"
> >
<span className="font-semibold"> <span className="font-semibold">{online.title}</span>
Inteligencia Artificial: Un Enfoque Moderno
</span>
<span className="text-muted-foreground text-sm"> <span className="text-muted-foreground text-sm">
Russell, Stuart; Norvig, Peter (2021) {online.authorsLine}
{online.year ? ` (${online.year})` : ''}
</span> </span>
{online.isbn ? (
<span className="text-muted-foreground mt-1 text-xs"> <span className="text-muted-foreground mt-1 text-xs">
ISBN: 9788490355343 ISBN: {online.isbn}
</span> </span>
) : null}
</Label> </Label>
</div> </div>
</div> </div>
@@ -110,57 +230,49 @@ export function BookSelectionAccordion() {
Disponibles en Biblioteca Disponibles en Biblioteca
</h4> </h4>
<div className="max-h-[300px] space-y-3 overflow-y-auto pr-2"> <div className="max-h-75 space-y-3 overflow-y-auto pr-2">
{/* Opcion 1: Coincidencia exacta */} {options.length === 0 ? (
<div <div className="text-muted-foreground text-sm">
className={`relative flex cursor-pointer items-start space-x-3 rounded-lg border p-4 transition-colors ${selectedBook === 'biblio-1' ? 'border-primary bg-primary/5' : 'hover:border-primary/30 hover:bg-accent/50'}`} No se encontraron alternativas.
> </div>
) : (
options.map((opt) => {
const optValue = `biblio:${opt.id}`
const authorsLine = opt.authors.join('; ')
const isSelected = selectedBook === optValue
return (
<div key={opt.id} className={optionClass(isSelected)}>
<RadioGroupItem <RadioGroupItem
value="biblio-1" value={optValue}
id="biblio-1" id={optValue}
className="mt-1 cursor-pointer" className="mt-1 cursor-pointer"
/> />
<Label <Label
htmlFor="biblio-1" htmlFor={optValue}
className="flex flex-1 cursor-pointer flex-col" className="flex flex-1 cursor-pointer flex-col"
> >
<div className="flex items-center gap-2"> <div className="flex items-center gap-2">
<span className="font-semibold"> <span className="font-semibold">{opt.title}</span>
Inteligencia Artificial: Un Enfoque Moderno {opt.badgeText ? (
</span>
<Badge className="bg-green-600 hover:bg-green-700"> <Badge className="bg-green-600 hover:bg-green-700">
Coincidencia ISBN {opt.badgeText}
</Badge> </Badge>
) : null}
</div> </div>
<span className="text-muted-foreground text-sm"> <span className="text-muted-foreground text-sm">
Russell, Stuart; Norvig, Peter (2021) {authorsLine}
{opt.year ? ` (${opt.year})` : ''}
</span> </span>
{opt.shelf ? (
<span className="bg-muted mt-2 w-fit rounded px-1 font-mono text-xs"> <span className="bg-muted mt-2 w-fit rounded px-1 font-mono text-xs">
Estante: QA76.9 .R87 2021 Estante: {opt.shelf}
</span>
</Label>
</div>
{/* Opcion 2: Edición anterior */}
<div
className={`relative flex items-start space-x-3 rounded-lg border p-4 transition-colors ${selectedBook === 'biblio-2' ? 'border-primary bg-primary/5' : 'hover:bg-muted/50'}`}
>
<RadioGroupItem value="biblio-2" id="biblio-2" className="mt-1" />
<Label
htmlFor="biblio-2"
className="flex flex-1 cursor-pointer flex-col"
>
<span className="font-semibold">
Inteligencia Artificial: Un Enfoque Moderno (3ra Ed.)
</span>
<span className="text-muted-foreground text-sm">
Russell, Stuart; Norvig, Peter (2010)
</span>
<span className="bg-muted mt-2 w-fit rounded px-1 font-mono text-xs">
Estante: QA76.9 .R87 2010
</span> </span>
) : null}
</Label> </Label>
</div> </div>
)
})
)}
</div> </div>
</div> </div>
</RadioGroup> </RadioGroup>
@@ -267,6 +379,10 @@ type WizardState = {
selected: boolean selected: boolean
endpoint: EndpointResult['endpoint'] endpoint: EndpointResult['endpoint']
item: GoogleBooksVolume | OpenLibraryDoc item: GoogleBooksVolume | OpenLibraryDoc
biblioteca?: {
options?: Array<BibliotecaOption>
choiceId?: string
}
}> }>
isLoading: boolean isLoading: boolean
errorMessage: string | null errorMessage: string | null
@@ -303,10 +419,96 @@ const Wizard = defineStepper(
title: 'Datos básicos', title: 'Datos básicos',
description: 'Seleccionar o capturar', description: 'Seleccionar o capturar',
}, },
{
id: 'biblioteca',
title: 'Biblioteca',
description: 'Comparar con alternativas de la biblioteca',
},
{ id: 'paso3', title: 'Detalles', description: 'Formato y citas' }, { id: 'paso3', title: 'Detalles', description: 'Formato y citas' },
{ id: 'resumen', title: 'Resumen', description: 'Confirmar' }, { id: 'resumen', title: 'Resumen', description: 'Confirmar' },
) )
type BibliotecaStepHandle = {
validateBeforeNext: () => boolean
}
function bibliotecaOptionToRef(opt: BibliotecaOption): BibliografiaRef {
return {
id: opt.id,
raw: undefined,
title: opt.title,
subtitle: undefined,
authors: opt.authors,
publisher: opt.publisher,
year: opt.year,
isbn: opt.isbn,
tipo: 'BASICA',
}
}
function getOnlineSuggestionTitle(s: IASugerencia): string {
if (s.endpoint === 'google') {
const info = (s.item as GoogleBooksVolume).volumeInfo ?? {}
return (info.title ?? '').trim() || 'Sin título'
}
const doc = s.item as OpenLibraryDoc
return (
(typeof doc['title'] === 'string' ? doc['title'] : '').trim() ||
'Sin título'
)
}
function getOnlineSuggestionAuthors(s: IASugerencia): Array<string> {
if (s.endpoint === 'google') {
const info = (s.item as GoogleBooksVolume).volumeInfo ?? {}
return Array.isArray(info.authors) ? info.authors : []
}
const doc = s.item as OpenLibraryDoc
return Array.isArray(doc['author_name'])
? (doc['author_name'] as Array<unknown>).filter(
(a): a is string => typeof a === 'string',
)
: []
}
function getOnlineSuggestionIsbn(s: IASugerencia): string | undefined {
if (s.endpoint === 'google') {
const info = (s.item as GoogleBooksVolume).volumeInfo
const isbn = info?.industryIdentifiers?.find(
(x) => x.identifier,
)?.identifier
return typeof isbn === 'string' && isbn.trim() ? isbn.trim() : undefined
}
const doc = s.item as OpenLibraryDoc
const isbn = Array.isArray(doc['isbn'])
? (doc['isbn'] as Array<unknown>).find(
(x): x is string => typeof x === 'string',
)
: undefined
return typeof isbn === 'string' && isbn.trim() ? isbn.trim() : undefined
}
function getOnlineSuggestionYear(s: IASugerencia): number | undefined {
return s.endpoint === 'google'
? tryParseYear((s.item as GoogleBooksVolume).volumeInfo?.publishedDate)
: tryParseYearFromOpenLibrary(s.item as OpenLibraryDoc)
}
function iaSugerenciaToChosenRef(s: IASugerencia): BibliografiaRef {
const choiceId = s.biblioteca?.choiceId
const options = s.biblioteca?.options
if (choiceId && choiceId !== 'online' && Array.isArray(options)) {
const chosen = options.find((o) => o.id === choiceId)
if (chosen) return bibliotecaOptionToRef(chosen)
}
return endpointResultToRef(iaSugerenciaToEndpointResult(s))
}
function parsearAutor(nombreCompleto: string): CSLAuthor { function parsearAutor(nombreCompleto: string): CSLAuthor {
if (nombreCompleto.includes(',')) { if (nombreCompleto.includes(',')) {
return { return {
@@ -557,6 +759,7 @@ export function NuevaBibliografiaModalContainer({
const createBibliografia = useCreateBibliografia() const createBibliografia = useCreateBibliografia()
const formatoStepRef = useRef<FormatoYCitasStepHandle | null>(null) const formatoStepRef = useRef<FormatoYCitasStepHandle | null>(null)
const bibliotecaStepRef = useRef<BibliotecaStepHandle | null>(null)
const [wizard, setWizard] = useState<WizardState>({ const [wizard, setWizard] = useState<WizardState>({
metodo: null, metodo: null,
@@ -594,9 +797,9 @@ export function NuevaBibliografiaModalContainer({
const styleCacheRef = useRef(new Map<string, string>()) const styleCacheRef = useRef(new Map<string, string>())
const localeCacheRef = useRef(new Map<string, string>()) const localeCacheRef = useRef(new Map<string, string>())
const titleOverrides = const titleOverrides: Record<string, string> =
wizard.metodo === 'EN_LINEA' wizard.metodo === 'EN_LINEA'
? { paso2: 'Sugerencias', paso3: 'Estructura' } ? { paso2: 'Sugerencias', biblioteca: 'Biblioteca', paso3: 'Estructura' }
: { paso2: 'Datos básicos', paso3: 'Detalles' } : { paso2: 'Datos básicos', paso3: 'Detalles' }
const handleClose = () => { const handleClose = () => {
@@ -610,7 +813,7 @@ export function NuevaBibliografiaModalContainer({
wizard.metodo === 'EN_LINEA' wizard.metodo === 'EN_LINEA'
? wizard.ia.sugerencias ? wizard.ia.sugerencias
.filter((s) => s.selected) .filter((s) => s.selected)
.map((s) => endpointResultToRef(iaSugerenciaToEndpointResult(s))) .map((s) => iaSugerenciaToChosenRef(s))
: wizard.manual.refs : wizard.manual.refs
// Mantener `wizard.refs` como snapshot para pasos 3/4. // Mantener `wizard.refs` como snapshot para pasos 3/4.
@@ -900,14 +1103,17 @@ export function NuevaBibliografiaModalContainer({
} }
} }
const WizardDef = Wizard as any
return ( return (
<Wizard.Stepper.Provider <WizardDef.Stepper.Provider
initialStep={Wizard.utils.getFirst().id} initialStep={WizardDef.utils.getFirst().id}
className="flex h-full flex-col" className="flex h-full flex-col"
> >
{({ methods }) => { {({ methods }: any) => {
const idx = Wizard.utils.getIndex(methods.current.id) const idx = WizardDef.utils.getIndex(methods.current.id)
const isLast = idx >= Wizard.steps.length - 1 const isLast = idx >= WizardDef.steps.length - 1
const currentId = methods.current.id as string
return ( return (
<WizardLayout <WizardLayout
@@ -915,17 +1121,59 @@ export function NuevaBibliografiaModalContainer({
onClose={handleClose} onClose={handleClose}
headerSlot={ headerSlot={
<WizardResponsiveHeader <WizardResponsiveHeader
wizard={Wizard} wizard={WizardDef}
methods={methods} methods={methods}
titleOverrides={titleOverrides} titleOverrides={titleOverrides}
hiddenStepIds={
wizard.metodo === 'MANUAL' ? ['biblioteca'] : undefined
}
/> />
} }
footerSlot={ footerSlot={
<Wizard.Stepper.Controls> <WizardDef.Stepper.Controls>
<div className="flex grow items-center justify-between"> <div className="flex grow items-center justify-between">
<Button <Button
variant="secondary" variant="secondary"
onClick={() => methods.prev()} onClick={() => {
const goToStep = (targetId: string) => {
if (typeof methods?.goTo === 'function') {
methods.goTo(targetId)
return
}
if (typeof methods?.setStep === 'function') {
methods.setStep(targetId)
return
}
if (typeof methods?.navigation?.goTo === 'function') {
methods.navigation.goTo(targetId)
return
}
const targetIdx = WizardDef.utils.getIndex(targetId)
const stepOnce = () => {
const currentIdx = WizardDef.utils.getIndex(
methods.current.id,
)
if (currentIdx === targetIdx) return
if (currentIdx < targetIdx) methods.next()
else methods.prev()
queueMicrotask(stepOnce)
}
stepOnce()
}
if (
wizard.metodo === 'MANUAL' &&
methods.current.id === 'paso3'
) {
goToStep('paso2')
return
}
methods.prev()
}}
disabled={ disabled={
idx === 0 || wizard.ia.isLoading || wizard.isSaving idx === 0 || wizard.ia.isLoading || wizard.isSaving
} }
@@ -941,7 +1189,51 @@ export function NuevaBibliografiaModalContainer({
) : ( ) : (
<Button <Button
onClick={() => { onClick={() => {
if (idx === 2) { const goToStep = (targetId: string) => {
if (typeof methods?.goTo === 'function') {
methods.goTo(targetId)
return
}
if (typeof methods?.setStep === 'function') {
methods.setStep(targetId)
return
}
if (typeof methods?.navigation?.goTo === 'function') {
methods.navigation.goTo(targetId)
return
}
const targetIdx = WizardDef.utils.getIndex(targetId)
const stepOnce = () => {
const currentIdx = WizardDef.utils.getIndex(
methods.current.id,
)
if (currentIdx === targetIdx) return
if (currentIdx < targetIdx) methods.next()
else methods.prev()
queueMicrotask(stepOnce)
}
stepOnce()
}
if (
wizard.metodo === 'MANUAL' &&
currentId === 'paso2'
) {
goToStep('paso3')
return
}
if (currentId === 'biblioteca') {
const ok =
bibliotecaStepRef.current?.validateBeforeNext() ??
true
if (!ok) return
}
if (currentId === 'paso3') {
const ok = const ok =
formatoStepRef.current?.validateBeforeNext() ?? true formatoStepRef.current?.validateBeforeNext() ?? true
if (!ok) return if (!ok) return
@@ -951,16 +1243,16 @@ export function NuevaBibliografiaModalContainer({
disabled={ disabled={
wizard.ia.isLoading || wizard.ia.isLoading ||
wizard.isSaving || wizard.isSaving ||
(idx === 0 && !canContinueDesdeMetodo) || (currentId === 'metodo' && !canContinueDesdeMetodo) ||
(idx === 1 && !canContinueDesdePaso2) || (currentId === 'paso2' && !canContinueDesdePaso2) ||
(idx === 2 && !canContinueDesdePaso3) (currentId === 'paso3' && !canContinueDesdePaso3)
} }
> >
Siguiente Siguiente
</Button> </Button>
)} )}
</div> </div>
</Wizard.Stepper.Controls> </WizardDef.Stepper.Controls>
} }
> >
<div className="mx-auto max-w-3xl"> <div className="mx-auto max-w-3xl">
@@ -974,8 +1266,8 @@ export function NuevaBibliografiaModalContainer({
</Card> </Card>
) : null} ) : null}
{idx === 0 && ( {currentId === 'metodo' && (
<Wizard.Stepper.Panel> <WizardDef.Stepper.Panel>
<MetodoStep <MetodoStep
metodo={wizard.metodo} metodo={wizard.metodo}
onChange={(metodo) => onChange={(metodo) =>
@@ -987,11 +1279,11 @@ export function NuevaBibliografiaModalContainer({
})) }))
} }
/> />
</Wizard.Stepper.Panel> </WizardDef.Stepper.Panel>
)} )}
{idx === 1 && ( {currentId === 'paso2' && (
<Wizard.Stepper.Panel> <WizardDef.Stepper.Panel>
{wizard.metodo === 'EN_LINEA' ? ( {wizard.metodo === 'EN_LINEA' ? (
<SugerenciasStep <SugerenciasStep
q={wizard.ia.q} q={wizard.ia.q}
@@ -1052,11 +1344,33 @@ export function NuevaBibliografiaModalContainer({
} }
/> />
)} )}
</Wizard.Stepper.Panel> </WizardDef.Stepper.Panel>
)} )}
{idx === 2 && ( {currentId === 'biblioteca' && wizard.metodo === 'EN_LINEA' && (
<Wizard.Stepper.Panel> <WizardDef.Stepper.Panel>
<BibliotecaStep
ref={bibliotecaStepRef}
sugerencias={wizard.ia.sugerencias.filter(
(s) => s.selected,
)}
onPatchSugerencia={(id, patch) =>
setWizard((w) => ({
...w,
ia: {
...w.ia,
sugerencias: w.ia.sugerencias.map((s) =>
s.id === id ? { ...s, ...patch } : s,
),
},
}))
}
/>
</WizardDef.Stepper.Panel>
)}
{currentId === 'paso3' && (
<WizardDef.Stepper.Panel>
<FormatoYCitasStep <FormatoYCitasStep
ref={formatoStepRef} ref={formatoStepRef}
refs={wizard.refs} refs={wizard.refs}
@@ -1096,11 +1410,11 @@ export function NuevaBibliografiaModalContainer({
})) }))
} }
/> />
</Wizard.Stepper.Panel> </WizardDef.Stepper.Panel>
)} )}
{idx === 3 && ( {currentId === 'resumen' && (
<Wizard.Stepper.Panel> <WizardDef.Stepper.Panel>
<ResumenStep <ResumenStep
metodo={wizard.metodo} metodo={wizard.metodo}
formato={wizard.formato} formato={wizard.formato}
@@ -1109,13 +1423,13 @@ export function NuevaBibliografiaModalContainer({
wizard.formato ? wizard.citaEdits[wizard.formato] : {} wizard.formato ? wizard.citaEdits[wizard.formato] : {}
} }
/> />
</Wizard.Stepper.Panel> </WizardDef.Stepper.Panel>
)} )}
</div> </div>
</WizardLayout> </WizardLayout>
) )
}} }}
</Wizard.Stepper.Provider> </WizardDef.Stepper.Provider>
) )
} }
@@ -1167,7 +1481,6 @@ function MetodoStep({
</CardDescription> </CardDescription>
</CardHeader> </CardHeader>
</Card> </Card>
<BookSelectionAccordion />
</div> </div>
) )
} }
@@ -1460,6 +1773,189 @@ function SugerenciasStep({
) )
} }
type BibliotecaStepProps = {
sugerencias: Array<IASugerencia>
onPatchSugerencia: (id: string, patch: Partial<IASugerencia>) => void
}
const BibliotecaStep = forwardRef<BibliotecaStepHandle, BibliotecaStepProps>(
function BibliotecaStep({ sugerencias, onPatchSugerencia }, ref) {
const [openIds, setOpenIds] = useState<Array<string>>([])
const anchorRefs = useRef<Record<string, HTMLDivElement | null>>({})
const initializedRef = useRef(new Set<string>())
const scrollToAccordion = (id: string) => {
const el = anchorRefs.current[id]
if (!el) return
el.scrollIntoView({ behavior: 'smooth', block: 'center' })
}
useEffect(() => {
for (const s of sugerencias) {
const b = s.biblioteca
const hasOptions = Array.isArray(b?.options)
if (hasOptions) continue
if (initializedRef.current.has(s.id)) continue
initializedRef.current.add(s.id)
const setIdx = Math.floor(Math.random() * 3)
const templates = BIBLIOTECA_MATCH_SETS[setIdx] ?? []
const options: Array<BibliotecaOption> = templates.map((t, i) => ({
id: `biblio:${s.id}:${i + 1}`,
...t,
}))
onPatchSugerencia(s.id, {
biblioteca: {
options,
choiceId: options.length === 0 ? 'online' : undefined,
},
})
}
// eslint-disable-next-line react-hooks/exhaustive-deps
}, [sugerencias])
const validateBeforeNext = () => {
const unresolved = sugerencias.find((s) => {
const b = s.biblioteca
if (!b || !Array.isArray(b.options)) return true
if (b.options.length === 0) return false
return !b.choiceId
})
if (!unresolved) return true
setOpenIds((prev) =>
prev.includes(unresolved.id) ? prev : [...prev, unresolved.id],
)
requestAnimationFrame(() => scrollToAccordion(unresolved.id))
return false
}
useImperativeHandle(ref, () => ({ validateBeforeNext }))
return (
<div className="space-y-4">
<Card>
<CardHeader>
<CardTitle>Comparar con alternativas de la biblioteca</CardTitle>
<CardDescription>
Conserva la sugerencia original o sustitúyela por una
coincidencia.
</CardDescription>
</CardHeader>
</Card>
<Accordion
type="multiple"
value={openIds}
onValueChange={setOpenIds}
className="w-full space-y-2"
>
{sugerencias.map((s) => {
const title = getOnlineSuggestionTitle(s)
const authors = getOnlineSuggestionAuthors(s)
const authorsLine = authors.join('; ') || '—'
const year = getOnlineSuggestionYear(s)
const isbn = getOnlineSuggestionIsbn(s)
const sourceLabel =
s.endpoint === 'google' ? 'Google Books' : 'Open Library'
const b = s.biblioteca
const options = b?.options ?? []
const badgeState: 'por_revisar' | 'sustituido' | 'mantenido' =
!b || !Array.isArray(b.options)
? 'por_revisar'
: options.length === 0
? 'mantenido'
: !b.choiceId
? 'por_revisar'
: b.choiceId === 'online'
? 'mantenido'
: 'sustituido'
const badge =
badgeState === 'por_revisar' ? (
<Badge className="bg-yellow-500 text-black hover:bg-yellow-500">
Por revisar
</Badge>
) : badgeState === 'sustituido' ? (
<Badge className="bg-green-600 text-white hover:bg-green-700">
Sustituido
</Badge>
) : (
<Badge className="bg-blue-600 text-white hover:bg-blue-700">
Mantenido
</Badge>
)
const radioValue =
b?.choiceId === 'online' || (options.length === 0 && !b?.choiceId)
? `online:${s.id}`
: typeof b?.choiceId === 'string'
? `biblio:${b.choiceId}`
: undefined
return (
<AccordionItem
key={s.id}
value={s.id}
className="border-border/60 bg-background/40 rounded-lg border border-b-0 px-3"
>
<div
ref={(el) => {
anchorRefs.current[s.id] = el
}}
/>
<AccordionTrigger className="hover:bg-accent/30 data-[state=open]:bg-accent/20 data-[state=open]:text-accent-foreground -mx-3 px-3">
<div className="flex w-full items-center justify-between gap-3">
<span className="min-w-0 text-wrap">{title}</span>
{badge}
</div>
</AccordionTrigger>
<AccordionContent className="text-muted-foreground mt-4">
<div className="mx-1 grid gap-3 pb-2">
<BookSelectionAccordion
onlineSourceLabel={sourceLabel}
online={{
id: s.id,
title,
authorsLine,
year,
isbn,
}}
options={options}
value={radioValue}
onValueChange={(v) => {
const nextChoiceId = v.startsWith('online:')
? 'online'
: v.startsWith('biblio:')
? v.slice('biblio:'.length)
: undefined
if (!nextChoiceId) return
onPatchSugerencia(s.id, {
biblioteca: {
options,
choiceId: nextChoiceId,
},
})
}}
/>
</div>
</AccordionContent>
</AccordionItem>
)
})}
</Accordion>
</div>
)
},
)
function DatosBasicosManualStep({ function DatosBasicosManualStep({
draft, draft,
refs, refs,