chore(ui): improve errors and reporting during model installation (#8979)

Signed-off-by: Ettore Di Giacinto <mudler@localai.io>
This commit is contained in:
Ettore Di Giacinto
2026-03-12 18:19:06 +01:00
committed by GitHub
parent f73a158153
commit 14e82d76f9
8 changed files with 104 additions and 23 deletions

View File

@@ -365,6 +365,7 @@
align-items: center;
gap: var(--spacing-sm);
flex: 1;
min-width: 0;
}
.operation-spinner {
@@ -379,6 +380,8 @@
.operation-text {
font-size: 0.8125rem;
color: var(--color-text-secondary);
overflow: hidden;
text-overflow: ellipsis;
}
.operation-progress {
@@ -403,11 +406,12 @@
}
.operation-cancel {
flex-shrink: 0;
background: none;
border: none;
color: var(--color-text-muted);
cursor: pointer;
padding: 2px;
padding: 4px 6px;
font-size: 0.875rem;
}
.operation-cancel:hover {

View File

@@ -1,7 +1,7 @@
import { useOperations } from '../hooks/useOperations'
export default function OperationsBar() {
const { operations, cancelOperation } = useOperations()
const { operations, cancelOperation, dismissFailedOp } = useOperations()
if (operations.length === 0) return null
@@ -10,7 +10,9 @@ export default function OperationsBar() {
{operations.map(op => (
<div key={op.jobID || op.id} className="operation-item">
<div className="operation-info">
{op.isCancelled ? (
{op.error ? (
<i className="fas fa-circle-exclamation" style={{ color: 'var(--color-error)', marginRight: 'var(--spacing-xs)' }} />
) : op.isCancelled ? (
<i className="fas fa-ban" style={{ color: 'var(--color-warning)', marginRight: 'var(--spacing-xs)' }} />
) : op.isDeletion ? (
<i className="fas fa-trash" style={{ color: 'var(--color-error)', marginRight: 'var(--spacing-xs)' }} />
@@ -18,34 +20,53 @@ export default function OperationsBar() {
<div className="operation-spinner" />
)}
<span className="operation-text">
{op.isDeletion ? 'Removing' : 'Installing'}{' '}
{op.isBackend ? 'backend' : 'model'}: {op.name || op.id}
{op.error ? (
<>
Failed to install {op.isBackend ? 'backend' : 'model'}: {op.name || op.id}
<span style={{ fontSize: '0.75rem', color: 'var(--color-text-muted)', marginLeft: 'var(--spacing-xs)' }}>
({op.error})
</span>
</>
) : (
<>
{op.isDeletion ? 'Removing' : 'Installing'}{' '}
{op.isBackend ? 'backend' : 'model'}: {op.name || op.id}
</>
)}
</span>
{op.isQueued && (
{!op.error && op.isQueued && (
<span style={{ fontSize: '0.75rem', color: 'var(--color-text-muted)', marginLeft: 'var(--spacing-xs)' }}>
(Queued)
</span>
)}
{op.isCancelled && (
{!op.error && op.isCancelled && (
<span style={{ fontSize: '0.75rem', color: 'var(--color-warning)', marginLeft: 'var(--spacing-xs)' }}>
Cancelling...
</span>
)}
{op.message && !op.isQueued && !op.isCancelled && (
{!op.error && op.message && !op.isQueued && !op.isCancelled && (
<span style={{ fontSize: '0.75rem', color: 'var(--color-text-muted)', marginLeft: 'var(--spacing-xs)' }}>
{op.message}
</span>
)}
{op.progress !== undefined && op.progress > 0 && (
{!op.error && op.progress !== undefined && op.progress > 0 && (
<span className="operation-progress">{Math.round(op.progress)}%</span>
)}
</div>
{op.progress !== undefined && op.progress > 0 && (
{!op.error && op.progress !== undefined && op.progress > 0 && (
<div className="operation-bar-container">
<div className="operation-bar" style={{ width: `${op.progress}%` }} />
</div>
)}
{op.cancellable && !op.isCancelled && (
{op.error ? (
<button
className="operation-cancel"
onClick={() => dismissFailedOp(op.id)}
title="Dismiss"
>
<i className="fas fa-xmark" />
</button>
) : op.cancellable && !op.isCancelled ? (
<button
className="operation-cancel"
onClick={() => cancelOperation(op.jobID)}
@@ -53,7 +74,7 @@ export default function OperationsBar() {
>
<i className="fas fa-xmark" />
</button>
)}
) : null}
</div>
))}
</div>

View File

@@ -14,11 +14,18 @@ export function useOperations(pollInterval = 1000) {
const data = await operationsApi.list()
const ops = data?.operations || (Array.isArray(data) ? data : [])
setOperations(ops)
// Auto-refresh the page when all operations complete (mirrors original behavior)
if (previousCountRef.current > 0 && ops.length === 0) {
// Separate active (non-failed) operations from failed ones
const activeOps = ops.filter(op => !op.error)
const failedOps = ops.filter(op => op.error)
// Auto-refresh the page when all active operations complete (mirrors original behavior)
// but not when there are still failed operations being shown
if (previousCountRef.current > 0 && activeOps.length === 0 && failedOps.length === 0) {
setTimeout(() => window.location.reload(), 1000)
}
previousCountRef.current = ops.length
previousCountRef.current = activeOps.length
setError(null)
} catch (err) {
setError(err.message)
@@ -36,6 +43,19 @@ export function useOperations(pollInterval = 1000) {
}
}, [fetchOperations])
// Dismiss a failed operation (acknowledge the error and remove it)
const dismissFailedOp = useCallback(async (opId) => {
try {
const op = operations.find(o => o.id === opId)
if (op?.jobID) {
await operationsApi.dismiss(op.jobID)
await fetchOperations()
}
} catch {
// Ignore dismiss errors
}
}, [operations, fetchOperations])
useEffect(() => {
fetchOperations()
intervalRef.current = setInterval(fetchOperations, pollInterval)
@@ -44,5 +64,5 @@ export function useOperations(pollInterval = 1000) {
}
}, [fetchOperations, pollInterval])
return { operations, loading, error, cancelOperation, refetch: fetchOperations }
return { operations, loading, error, cancelOperation, dismissFailedOp, refetch: fetchOperations }
}

View File

@@ -87,7 +87,6 @@ export default function Backends() {
const handleInstall = async (id) => {
try {
await backendsApi.install(id)
addToast(`Installing backend ${id}...`, 'info')
} catch (err) {
addToast(`Install failed: ${err.message}`, 'error')
}
@@ -112,7 +111,6 @@ export default function Backends() {
if (manualName.trim()) body.name = manualName.trim()
if (manualAlias.trim()) body.alias = manualAlias.trim()
await backendsApi.installExternal(body)
addToast('Installing backend...', 'info')
setManualUri('')
setManualName('')
setManualAlias('')

View File

@@ -198,7 +198,6 @@ export default function Models() {
try {
setInstalling(prev => new Set(prev).add(modelId))
await modelsApi.install(modelId)
addToast(`Installing ${modelId}...`, 'info')
} catch (err) {
addToast(`Failed to install: ${err.message}`, 'error')
}
@@ -215,6 +214,25 @@ export default function Models() {
}
}
// Clear local installing flags when operations finish (success or error)
useEffect(() => {
if (installing.size === 0) return
setInstalling(prev => {
const next = new Set(prev)
let changed = false
for (const modelId of prev) {
const hasActiveOp = operations.some(op =>
op.name === modelId && !op.completed && !op.error
)
if (!hasActiveOp) {
next.delete(modelId)
changed = true
}
}
return changed ? next : prev
})
}, [operations, installing.size])
const isInstalling = (modelId) => {
return installing.has(modelId) || operations.some(op =>
op.name === modelId && !op.completed && !op.error

View File

@@ -130,6 +130,7 @@ export const resourcesApi = {
export const operationsApi = {
list: () => fetchJSON(API_CONFIG.endpoints.operations),
cancel: (jobID) => postJSON(API_CONFIG.endpoints.cancelOperation(jobID), {}),
dismiss: (jobID) => postJSON(API_CONFIG.endpoints.dismissOperation(jobID), {}),
}
// Settings API

View File

@@ -3,6 +3,7 @@ export const API_CONFIG = {
// Operations
operations: '/api/operations',
cancelOperation: (jobID) => `/api/operations/${jobID}/cancel`,
dismissOperation: (jobID) => `/api/operations/${jobID}/dismiss`,
// Models gallery
models: '/api/models',

View File

@@ -80,8 +80,8 @@ func RegisterUIAPIRoutes(app *echo.Echo, cl *config.ModelConfigLoader, ml *model
message := ""
if status != nil {
// Skip completed operations (unless cancelled and not yet cleaned up)
if status.Processed && !status.Cancelled {
// Skip successfully completed operations
if status.Processed && !status.Cancelled && status.Error == nil {
continue
}
// Skip cancelled operations that are processed (they're done, no need to show)
@@ -131,7 +131,7 @@ func RegisterUIAPIRoutes(app *echo.Echo, cl *config.ModelConfigLoader, ml *model
}
}
operations = append(operations, map[string]interface{}{
opData := map[string]interface{}{
"id": galleryID,
"name": displayName,
"fullName": galleryID,
@@ -144,7 +144,11 @@ func RegisterUIAPIRoutes(app *echo.Echo, cl *config.ModelConfigLoader, ml *model
"isCancelled": isCancelled,
"cancellable": isCancellable,
"message": message,
})
}
if status != nil && status.Error != nil {
opData["error"] = status.Error.Error()
}
operations = append(operations, opData)
}
// Sort operations by progress (ascending), then by ID for stable display order
@@ -188,6 +192,20 @@ func RegisterUIAPIRoutes(app *echo.Echo, cl *config.ModelConfigLoader, ml *model
})
})
// Dismiss a failed operation (acknowledge the error and remove it from the list)
app.POST("/api/operations/:jobID/dismiss", func(c echo.Context) error {
jobID := c.Param("jobID")
xlog.Debug("API request to dismiss operation", "jobID", jobID)
// Remove the operation from the opcache so it no longer appears
opcache.DeleteUUID(jobID)
return c.JSON(200, map[string]interface{}{
"success": true,
"message": "Operation dismissed",
})
})
// Model Gallery APIs
app.GET("/api/models", func(c echo.Context) error {
term := c.QueryParam("term")