Add shell-style up/down arrow navigation through past messages in the SimpleInput component. History is derived from the conversation data already parsed from session logs — no new state management needed. dashboard/components/SessionCard.js: - Pass `conversation` prop through to SimpleInput (line 170) - Prop chain verified: App -> SessionCard -> SimpleInput, including the Modal/enlarged path (Modal.js:69 already passes conversation) dashboard/components/SimpleInput.js: - Accept `conversation` prop and derive `userHistory` via useMemo, filtering for role === 'user' messages and mapping to content - Add historyIndexRef (-1 = not browsing) and draftRef (preserves in-progress text when entering history mode) - ArrowUp: intercepts only when cursor at position 0 and autocomplete closed, walks backward through history (newest to oldest) - ArrowDown: only when already browsing history, walks forward; past newest entry restores saved draft and exits history mode - Bounds clamp on ArrowUp prevents undefined array access if userHistory shrinks between navigations (SSE update edge case) - Reset historyIndexRef on submit (line 110) and manual input (line 141) - Textarea height recalculated after setting history text via setTimeout to run after Preact commits the state update Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
289 lines
11 KiB
JavaScript
289 lines
11 KiB
JavaScript
import { html, useState, useRef, useCallback, useMemo, useEffect } from '../lib/preact.js';
|
|
import { getStatusMeta } from '../utils/status.js';
|
|
import { getTriggerInfo as _getTriggerInfo, filteredSkills as _filteredSkills } from '../utils/autocomplete.js';
|
|
|
|
export function SimpleInput({ sessionId, status, onRespond, autocompleteConfig = null, conversation }) {
|
|
const [text, setText] = useState('');
|
|
const [focused, setFocused] = useState(false);
|
|
const [sending, setSending] = useState(false);
|
|
const [error, setError] = useState(null);
|
|
const [triggerInfo, setTriggerInfo] = useState(null);
|
|
const [showAutocomplete, setShowAutocomplete] = useState(false);
|
|
const [selectedIndex, setSelectedIndex] = useState(0);
|
|
const textareaRef = useRef(null);
|
|
const autocompleteRef = useRef(null);
|
|
const historyIndexRef = useRef(-1);
|
|
const draftRef = useRef('');
|
|
const meta = getStatusMeta(status);
|
|
|
|
const userHistory = useMemo(
|
|
() => (conversation || []).filter(m => m.role === 'user').map(m => m.content),
|
|
[conversation]
|
|
);
|
|
|
|
const getTriggerInfo = useCallback((value, cursorPos) => {
|
|
return _getTriggerInfo(value, cursorPos, autocompleteConfig);
|
|
}, [autocompleteConfig]);
|
|
|
|
const filteredSkills = useMemo(() => {
|
|
return _filteredSkills(autocompleteConfig, triggerInfo);
|
|
}, [autocompleteConfig, triggerInfo]);
|
|
|
|
// Show/hide autocomplete based on trigger detection
|
|
useEffect(() => {
|
|
const shouldShow = triggerInfo !== null;
|
|
setShowAutocomplete(shouldShow);
|
|
// Reset selection when dropdown opens
|
|
if (shouldShow) {
|
|
setSelectedIndex(0);
|
|
}
|
|
}, [triggerInfo]);
|
|
|
|
// Clamp selectedIndex when filtered list changes
|
|
useEffect(() => {
|
|
if (filteredSkills.length > 0 && selectedIndex >= filteredSkills.length) {
|
|
setSelectedIndex(filteredSkills.length - 1);
|
|
}
|
|
}, [filteredSkills.length, selectedIndex]);
|
|
|
|
// Click outside dismisses dropdown
|
|
useEffect(() => {
|
|
if (!showAutocomplete) return;
|
|
|
|
const handleClickOutside = (e) => {
|
|
if (autocompleteRef.current && !autocompleteRef.current.contains(e.target) &&
|
|
textareaRef.current && !textareaRef.current.contains(e.target)) {
|
|
setShowAutocomplete(false);
|
|
}
|
|
};
|
|
|
|
document.addEventListener('mousedown', handleClickOutside);
|
|
return () => document.removeEventListener('mousedown', handleClickOutside);
|
|
}, [showAutocomplete]);
|
|
|
|
// Scroll selected item into view when navigating with arrow keys
|
|
useEffect(() => {
|
|
if (showAutocomplete && autocompleteRef.current) {
|
|
const container = autocompleteRef.current;
|
|
const selectedEl = container.children[selectedIndex];
|
|
if (selectedEl) {
|
|
selectedEl.scrollIntoView({ block: 'nearest' });
|
|
}
|
|
}
|
|
}, [selectedIndex, showAutocomplete]);
|
|
|
|
// Insert a selected skill into the text
|
|
const insertSkill = useCallback((skill) => {
|
|
if (!triggerInfo || !autocompleteConfig) return;
|
|
|
|
const { trigger } = autocompleteConfig;
|
|
const { replaceStart, replaceEnd } = triggerInfo;
|
|
|
|
const before = text.slice(0, replaceStart);
|
|
const after = text.slice(replaceEnd);
|
|
const inserted = `${trigger}${skill.name} `;
|
|
|
|
setText(before + inserted + after);
|
|
setShowAutocomplete(false);
|
|
setTriggerInfo(null);
|
|
|
|
// Move cursor after inserted text
|
|
const newCursorPos = replaceStart + inserted.length;
|
|
setTimeout(() => {
|
|
if (textareaRef.current) {
|
|
textareaRef.current.selectionStart = newCursorPos;
|
|
textareaRef.current.selectionEnd = newCursorPos;
|
|
textareaRef.current.focus();
|
|
}
|
|
}, 0);
|
|
}, [text, triggerInfo, autocompleteConfig]);
|
|
|
|
const handleSubmit = async (e) => {
|
|
e.preventDefault();
|
|
e.stopPropagation();
|
|
if (text.trim() && !sending) {
|
|
setSending(true);
|
|
setError(null);
|
|
try {
|
|
await onRespond(sessionId, text.trim(), true, 0);
|
|
setText('');
|
|
historyIndexRef.current = -1;
|
|
} catch (err) {
|
|
setError('Failed to send message');
|
|
console.error('SimpleInput send error:', err);
|
|
} finally {
|
|
setSending(false);
|
|
// Refocus the textarea after submission
|
|
// Use setTimeout to ensure React has re-rendered with disabled=false
|
|
setTimeout(() => {
|
|
textareaRef.current?.focus();
|
|
}, 0);
|
|
}
|
|
}
|
|
};
|
|
|
|
return html`
|
|
<form onSubmit=${handleSubmit} class="flex flex-col gap-2" onClick=${(e) => e.stopPropagation()}>
|
|
${error && html`
|
|
<div class="rounded-lg border border-attention/40 bg-attention/12 px-3 py-1.5 text-sm text-attention">
|
|
${error}
|
|
</div>
|
|
`}
|
|
<div class="flex items-end gap-2.5">
|
|
<div class="relative flex-1">
|
|
<textarea
|
|
ref=${textareaRef}
|
|
value=${text}
|
|
onInput=${(e) => {
|
|
const value = e.target.value;
|
|
const cursorPos = e.target.selectionStart;
|
|
setText(value);
|
|
historyIndexRef.current = -1;
|
|
setTriggerInfo(getTriggerInfo(value, cursorPos));
|
|
e.target.style.height = 'auto';
|
|
e.target.style.height = e.target.scrollHeight + 'px';
|
|
}}
|
|
onKeyDown=${(e) => {
|
|
if (showAutocomplete) {
|
|
// Escape dismisses dropdown
|
|
if (e.key === 'Escape') {
|
|
e.preventDefault();
|
|
setShowAutocomplete(false);
|
|
return;
|
|
}
|
|
|
|
// Enter/Tab: select if matches exist, otherwise dismiss
|
|
if (e.key === 'Enter' || e.key === 'Tab') {
|
|
e.preventDefault();
|
|
if (filteredSkills.length > 0 && filteredSkills[selectedIndex]) {
|
|
insertSkill(filteredSkills[selectedIndex]);
|
|
} else {
|
|
setShowAutocomplete(false);
|
|
}
|
|
return;
|
|
}
|
|
|
|
// Arrow navigation
|
|
if (filteredSkills.length > 0) {
|
|
if (e.key === 'ArrowDown') {
|
|
e.preventDefault();
|
|
setSelectedIndex(i => Math.min(i + 1, filteredSkills.length - 1));
|
|
return;
|
|
}
|
|
if (e.key === 'ArrowUp') {
|
|
e.preventDefault();
|
|
setSelectedIndex(i => Math.max(i - 1, 0));
|
|
return;
|
|
}
|
|
}
|
|
}
|
|
|
|
// History navigation (only when autocomplete is closed)
|
|
if (e.key === 'ArrowUp' && !showAutocomplete &&
|
|
e.target.selectionStart === 0 && e.target.selectionEnd === 0 &&
|
|
userHistory.length > 0) {
|
|
e.preventDefault();
|
|
if (historyIndexRef.current === -1) {
|
|
draftRef.current = text;
|
|
historyIndexRef.current = userHistory.length - 1;
|
|
} else if (historyIndexRef.current > 0) {
|
|
historyIndexRef.current -= 1;
|
|
}
|
|
// Clamp if history shrank since last navigation
|
|
if (historyIndexRef.current >= userHistory.length) {
|
|
historyIndexRef.current = userHistory.length - 1;
|
|
}
|
|
const historyText = userHistory[historyIndexRef.current];
|
|
setText(historyText);
|
|
setTimeout(() => {
|
|
if (textareaRef.current) {
|
|
textareaRef.current.selectionStart = historyText.length;
|
|
textareaRef.current.selectionEnd = historyText.length;
|
|
textareaRef.current.style.height = 'auto';
|
|
textareaRef.current.style.height = textareaRef.current.scrollHeight + 'px';
|
|
}
|
|
}, 0);
|
|
return;
|
|
}
|
|
|
|
if (e.key === 'ArrowDown' && !showAutocomplete &&
|
|
historyIndexRef.current !== -1) {
|
|
e.preventDefault();
|
|
historyIndexRef.current += 1;
|
|
let newText;
|
|
if (historyIndexRef.current >= userHistory.length) {
|
|
historyIndexRef.current = -1;
|
|
newText = draftRef.current;
|
|
} else {
|
|
newText = userHistory[historyIndexRef.current];
|
|
}
|
|
setText(newText);
|
|
setTimeout(() => {
|
|
if (textareaRef.current) {
|
|
textareaRef.current.selectionStart = newText.length;
|
|
textareaRef.current.selectionEnd = newText.length;
|
|
textareaRef.current.style.height = 'auto';
|
|
textareaRef.current.style.height = textareaRef.current.scrollHeight + 'px';
|
|
}
|
|
}, 0);
|
|
return;
|
|
}
|
|
|
|
// Normal Enter-to-submit (only when dropdown is closed)
|
|
if (e.key === 'Enter' && !e.shiftKey) {
|
|
e.preventDefault();
|
|
handleSubmit(e);
|
|
}
|
|
}}
|
|
onFocus=${() => setFocused(true)}
|
|
onBlur=${() => setFocused(false)}
|
|
placeholder="Send a message..."
|
|
rows="1"
|
|
class="w-full resize-none overflow-hidden rounded-xl border border-selection/75 bg-bg/70 px-3 py-2 text-sm text-fg transition-colors duration-150 placeholder:text-dim focus:outline-none"
|
|
style=${{ minHeight: '38px', maxHeight: '150px', borderColor: focused ? meta.borderColor : undefined }}
|
|
disabled=${sending}
|
|
/>
|
|
${showAutocomplete && html`
|
|
<div
|
|
ref=${autocompleteRef}
|
|
class="absolute left-0 bottom-full mb-1 w-full max-h-48 overflow-y-auto rounded-lg border border-selection/75 bg-surface shadow-lg z-50"
|
|
>
|
|
${autocompleteConfig.skills.length === 0 ? html`
|
|
<div class="px-3 py-2 text-sm text-dim">No skills available</div>
|
|
` : filteredSkills.length === 0 ? html`
|
|
<div class="px-3 py-2 text-sm text-dim">No matching skills</div>
|
|
` : filteredSkills.map((skill, i) => html`
|
|
<div
|
|
key=${skill.name}
|
|
class="group relative px-3 py-1.5 cursor-pointer text-sm font-mono transition-colors ${
|
|
i === selectedIndex
|
|
? 'bg-selection/50 text-bright'
|
|
: 'text-fg hover:bg-selection/25'
|
|
}"
|
|
onClick=${() => insertSkill(skill)}
|
|
onMouseEnter=${() => setSelectedIndex(i)}
|
|
>
|
|
${autocompleteConfig.trigger}${skill.name}
|
|
${i === selectedIndex && skill.description && html`
|
|
<div class="absolute left-full top-0 ml-2 w-64 px-2.5 py-1.5 rounded-md border border-selection/75 bg-surface shadow-lg text-micro text-dim font-sans whitespace-normal z-50">
|
|
${skill.description}
|
|
</div>
|
|
`}
|
|
</div>
|
|
`)}
|
|
</div>
|
|
`}
|
|
</div>
|
|
<button
|
|
type="submit"
|
|
class="shrink-0 rounded-xl px-3 py-2 text-sm font-medium transition-[transform,filter] duration-150 hover:-translate-y-0.5 hover:brightness-110 disabled:cursor-not-allowed disabled:opacity-50"
|
|
style=${{ backgroundColor: meta.borderColor, color: '#0a0f18' }}
|
|
disabled=${sending || !text.trim()}
|
|
>
|
|
${sending ? 'Sending...' : 'Send'}
|
|
</button>
|
|
</div>
|
|
</form>
|
|
`;
|
|
}
|