Spaces:
Running
Running
File size: 10,192 Bytes
e77f678 9dbf093 b1d24de 9dbf093 a56db97 0917caa a56db97 e77f678 7eefa0d 9dbf093 7eefa0d 9dbf093 7eefa0d 9dbf093 e77f678 9dbf093 e77f678 a56db97 9dbf093 7eefa0d 9dbf093 a56db97 e77f678 b1d24de a56db97 e77f678 b1d24de 29d492e a56db97 b1d24de 29d492e e77f678 29d492e e77f678 29d492e a56db97 b1d24de 29d492e b1d24de 29d492e e77f678 29d492e e77f678 29d492e b1d24de 29d492e b1d24de 0917caa 29d492e 0917caa b1d24de 9dbf093 a56db97 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 |
import { useState, useCallback, useEffect, useRef, KeyboardEvent } from 'react';
import { Box, TextField, IconButton, CircularProgress, Typography, Menu, MenuItem, ListItemIcon, ListItemText, Chip } from '@mui/material';
import ArrowUpwardIcon from '@mui/icons-material/ArrowUpward';
import ArrowDropDownIcon from '@mui/icons-material/ArrowDropDown';
import { apiFetch } from '@/utils/api';
// Model configuration
interface ModelOption {
id: string;
name: string;
description: string;
modelPath: string;
avatarUrl: string;
recommended?: boolean;
}
const getHfAvatarUrl = (modelId: string) => {
const org = modelId.split('/')[0];
return `https://huggingface.co/api/avatars/${org}`;
};
const MODEL_OPTIONS: ModelOption[] = [
{
id: 'minimax-m2.1',
name: 'MiniMax M2.1',
description: 'Via Novita',
modelPath: 'huggingface/novita/MiniMaxAI/MiniMax-M2.1',
avatarUrl: getHfAvatarUrl('MiniMaxAI/MiniMax-M2.1'),
recommended: true,
},
{
id: 'claude-opus',
name: 'Claude Opus 4.5',
description: 'Anthropic',
modelPath: 'anthropic/claude-opus-4-5-20251101',
avatarUrl: 'https://huggingface.co/api/avatars/Anthropic',
recommended: true,
},
{
id: 'kimi-k2.5',
name: 'Kimi K2.5',
description: 'Via Novita',
modelPath: 'huggingface/novita/moonshotai/Kimi-K2.5',
avatarUrl: getHfAvatarUrl('moonshotai/Kimi-K2.5'),
},
{
id: 'glm-5',
name: 'GLM 5',
description: 'Via Novita',
modelPath: 'huggingface/novita/zai-org/GLM-5',
avatarUrl: getHfAvatarUrl('zai-org/GLM-5'),
},
];
const findModelByPath = (path: string): ModelOption | undefined => {
return MODEL_OPTIONS.find(m => m.modelPath === path || path?.includes(m.id));
};
interface ChatInputProps {
onSend: (text: string) => void;
disabled?: boolean;
}
export default function ChatInput({ onSend, disabled = false }: ChatInputProps) {
const [input, setInput] = useState('');
const inputRef = useRef<HTMLTextAreaElement>(null);
const [selectedModelId, setSelectedModelId] = useState<string>(() => {
try {
const stored = localStorage.getItem('hf-agent-model');
if (stored && MODEL_OPTIONS.some(m => m.id === stored)) return stored;
} catch { /* localStorage unavailable */ }
return MODEL_OPTIONS[0].id;
});
const [modelAnchorEl, setModelAnchorEl] = useState<null | HTMLElement>(null);
// Sync with backend on mount (backend is source of truth, localStorage is just a cache)
useEffect(() => {
fetch('/api/config/model')
.then((res) => (res.ok ? res.json() : null))
.then((data) => {
if (data?.current) {
const model = findModelByPath(data.current);
if (model) {
setSelectedModelId(model.id);
try { localStorage.setItem('hf-agent-model', model.id); } catch { /* ignore */ }
}
}
})
.catch(() => { /* ignore */ });
}, []);
const selectedModel = MODEL_OPTIONS.find(m => m.id === selectedModelId) || MODEL_OPTIONS[0];
// Auto-focus the textarea when the session becomes ready (disabled -> false)
useEffect(() => {
if (!disabled && inputRef.current) {
inputRef.current.focus();
}
}, [disabled]);
const handleSend = useCallback(() => {
if (input.trim() && !disabled) {
onSend(input);
setInput('');
}
}, [input, disabled, onSend]);
const handleKeyDown = useCallback(
(e: KeyboardEvent<HTMLDivElement>) => {
if (e.key === 'Enter' && !e.shiftKey) {
e.preventDefault();
handleSend();
}
},
[handleSend]
);
const handleModelClick = (event: React.MouseEvent<HTMLElement>) => {
setModelAnchorEl(event.currentTarget);
};
const handleModelClose = () => {
setModelAnchorEl(null);
};
const handleSelectModel = async (model: ModelOption) => {
handleModelClose();
try {
const res = await apiFetch('/api/config/model', {
method: 'POST',
body: JSON.stringify({ model: model.modelPath }),
});
if (res.ok) {
setSelectedModelId(model.id);
try { localStorage.setItem('hf-agent-model', model.id); } catch { /* ignore */ }
}
} catch { /* ignore */ }
};
return (
<Box
sx={{
pb: { xs: 2, md: 4 },
pt: { xs: 1, md: 2 },
position: 'relative',
zIndex: 10,
}}
>
<Box sx={{ maxWidth: '880px', mx: 'auto', width: '100%', px: { xs: 0, sm: 1, md: 2 } }}>
<Box
className="composer"
sx={{
display: 'flex',
gap: '10px',
alignItems: 'flex-start',
bgcolor: 'var(--composer-bg)',
borderRadius: 'var(--radius-md)',
p: '12px',
border: '1px solid var(--border)',
transition: 'box-shadow 0.2s ease, border-color 0.2s ease',
'&:focus-within': {
borderColor: 'var(--accent-yellow)',
boxShadow: 'var(--focus)',
}
}}
>
<TextField
fullWidth
multiline
maxRows={6}
value={input}
onChange={(e) => setInput(e.target.value)}
onKeyDown={handleKeyDown}
placeholder="Ask anything..."
disabled={disabled}
variant="standard"
inputRef={inputRef}
InputProps={{
disableUnderline: true,
sx: {
color: 'var(--text)',
fontSize: '15px',
fontFamily: 'inherit',
padding: 0,
lineHeight: 1.5,
minHeight: { xs: '44px', md: '56px' },
alignItems: 'flex-start',
}
}}
sx={{
flex: 1,
'& .MuiInputBase-root': {
p: 0,
backgroundColor: 'transparent',
},
'& textarea': {
resize: 'none',
padding: '0 !important',
}
}}
/>
<IconButton
onClick={handleSend}
disabled={disabled || !input.trim()}
sx={{
mt: 1,
p: 1,
borderRadius: '10px',
color: 'var(--muted-text)',
transition: 'all 0.2s',
'&:hover': {
color: 'var(--accent-yellow)',
bgcolor: 'var(--hover-bg)',
},
'&.Mui-disabled': {
opacity: 0.3,
},
}}
>
{disabled ? <CircularProgress size={20} color="inherit" /> : <ArrowUpwardIcon fontSize="small" />}
</IconButton>
</Box>
{/* Powered By Badge */}
<Box
onClick={handleModelClick}
sx={{
display: 'flex',
alignItems: 'center',
justifyContent: 'center',
mt: 1.5,
gap: 0.8,
opacity: 0.6,
cursor: 'pointer',
transition: 'opacity 0.2s',
'&:hover': {
opacity: 1
}
}}
>
<Typography variant="caption" sx={{ fontSize: '10px', color: 'var(--muted-text)', textTransform: 'uppercase', letterSpacing: '0.05em', fontWeight: 500 }}>
powered by
</Typography>
<img
src={selectedModel.avatarUrl}
alt={selectedModel.name}
style={{ height: '14px', width: '14px', objectFit: 'contain', borderRadius: '2px' }}
/>
<Typography variant="caption" sx={{ fontSize: '10px', color: 'var(--text)', fontWeight: 600, letterSpacing: '0.02em' }}>
{selectedModel.name}
</Typography>
<ArrowDropDownIcon sx={{ fontSize: '14px', color: 'var(--muted-text)' }} />
</Box>
{/* Model Selection Menu */}
<Menu
anchorEl={modelAnchorEl}
open={Boolean(modelAnchorEl)}
onClose={handleModelClose}
anchorOrigin={{
vertical: 'top',
horizontal: 'center',
}}
transformOrigin={{
vertical: 'bottom',
horizontal: 'center',
}}
slotProps={{
paper: {
sx: {
bgcolor: 'var(--panel)',
border: '1px solid var(--divider)',
mb: 1,
maxHeight: '400px',
}
}
}}
>
{MODEL_OPTIONS.map((model) => (
<MenuItem
key={model.id}
onClick={() => handleSelectModel(model)}
selected={selectedModelId === model.id}
sx={{
py: 1.5,
'&.Mui-selected': {
bgcolor: 'rgba(255,255,255,0.05)',
}
}}
>
<ListItemIcon>
<img
src={model.avatarUrl}
alt={model.name}
style={{ width: 24, height: 24, borderRadius: '4px', objectFit: 'cover' }}
/>
</ListItemIcon>
<ListItemText
primary={
<Box sx={{ display: 'flex', alignItems: 'center', gap: 1 }}>
{model.name}
{model.recommended && (
<Chip
label="Recommended"
size="small"
sx={{
height: '18px',
fontSize: '10px',
bgcolor: 'var(--accent-yellow)',
color: '#000',
fontWeight: 600,
}}
/>
)}
</Box>
}
secondary={model.description}
secondaryTypographyProps={{
sx: { fontSize: '12px', color: 'var(--muted-text)' }
}}
/>
</MenuItem>
))}
</Menu>
</Box>
</Box>
);
}
|