@gendive/chatllm 0.21.4 → 0.21.6

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -536,8 +536,18 @@ interface ErrorContentPart {
536
536
  type: 'error';
537
537
  message: string;
538
538
  }
539
+ /** @Todo vibecode - 아티팩트 콘텐츠 파트 (AI 생성 시각화) */
540
+ interface ArtifactContentPart {
541
+ type: 'artifact';
542
+ /** 아티팩트 제목 */
543
+ title?: string;
544
+ /** 렌더링 방식: html(iframe sandbox), svg(인라인), mermaid(mermaid.js → SVG 변환) */
545
+ language: 'html' | 'svg' | 'mermaid';
546
+ /** 원본 코드 (HTML/SVG/Mermaid 문법) */
547
+ code: string;
548
+ }
539
549
  /** @Todo vibecode - 메시지 콘텐츠 파트 유니온 타입 */
540
- type MessageContentPart = TextContentPart | ImageContentPart | FileContentPart | SearchResultContentPart | ToolLoadingContentPart | ToolResultContentPart | ErrorContentPart;
550
+ type MessageContentPart = TextContentPart | ImageContentPart | FileContentPart | SearchResultContentPart | ToolLoadingContentPart | ToolResultContentPart | ErrorContentPart | ArtifactContentPart;
541
551
  /** @Todo vibecode - 도구 호출 결과 */
542
552
  interface ToolCallResult {
543
553
  type: 'text' | 'image' | 'file' | 'error';
@@ -1809,6 +1819,46 @@ interface UseFloatingWidgetReturn {
1809
1819
  toggle: () => void;
1810
1820
  setTab: (tabKey: string) => void;
1811
1821
  }
1822
+ /**
1823
+ * @description 대화 검색 결과 스니펫
1824
+ * @Todo vibecode - DB에서 반환되는 과거 대화 조각
1825
+ */
1826
+ interface ConversationSnippet {
1827
+ /** 세션 ID */
1828
+ sessionId: string;
1829
+ /** 세션 제목 */
1830
+ sessionTitle?: string;
1831
+ /** 발화자 */
1832
+ role: 'user' | 'assistant';
1833
+ /** 메시지 내용 (또는 발췌) */
1834
+ content: string;
1835
+ /** 메시지 타임스탬프 */
1836
+ timestamp?: number;
1837
+ /** 검색 관련도 점수 (0-1) */
1838
+ relevance?: number;
1839
+ }
1840
+ /**
1841
+ * @description 대화 검색 옵션
1842
+ * @Todo vibecode - 검색 범위 제한용
1843
+ */
1844
+ interface ConversationSearchOptions {
1845
+ /** 최대 결과 수 (기본: 5) */
1846
+ limit?: number;
1847
+ /** 특정 세션으로 제한 */
1848
+ sessionId?: string;
1849
+ }
1850
+ /**
1851
+ * @description createConversationSearchSkill 팩토리 옵션
1852
+ * @Todo vibecode - 소비 앱이 DB 검색 구현을 제공
1853
+ */
1854
+ interface ConversationSearchSkillOptions {
1855
+ /** 검색 구현 (호스트 DB 쿼리) */
1856
+ onSearch: (query: string, options?: ConversationSearchOptions) => Promise<ConversationSnippet[]>;
1857
+ /** 스킬 라벨 (기본: '대화 검색') */
1858
+ label?: string;
1859
+ /** 비활성화 여부 */
1860
+ disabled?: boolean;
1861
+ }
1812
1862
 
1813
1863
  /**
1814
1864
  * @description ChatUI 메인 컴포넌트
@@ -2391,6 +2441,30 @@ declare const createAdvancedResearchSkill: (options: AdvancedResearchOptions) =>
2391
2441
  */
2392
2442
  declare const createDeepResearchSkill: (callbacks: DeepResearchCallbacks) => SkillConfig;
2393
2443
 
2444
+ /**
2445
+ * @description 대화 검색 스킬 팩토리
2446
+ * @Todo vibecode - 호스트 DB 검색을 SkillConfig로 래핑하여 LLM tool use로 과거 대화 검색
2447
+ *
2448
+ * 사용 예시:
2449
+ * ```ts
2450
+ * import { createConversationSearchSkill } from '@gendive/chatllm/react';
2451
+ *
2452
+ * const searchSkill = createConversationSearchSkill({
2453
+ * onSearch: async (query, options) => {
2454
+ * return await db.conversations.search(query, options?.limit);
2455
+ * },
2456
+ * });
2457
+ *
2458
+ * <ChatUI skills={{ conversation_search: searchSkill }} />
2459
+ * ```
2460
+ */
2461
+
2462
+ /**
2463
+ * @description 대화 검색 스킬 생성 팩토리
2464
+ * @Todo vibecode - LLM이 tool use로 과거 대화를 검색할 수 있는 스킬 생성
2465
+ */
2466
+ declare const createConversationSearchSkill: (options: ConversationSearchSkillOptions) => SkillConfig;
2467
+
2394
2468
  /**
2395
2469
  * @description Remix Icons wrapper component
2396
2470
  * @see https://remixicon.com/
@@ -2671,6 +2745,23 @@ interface FileContentCardProps {
2671
2745
  */
2672
2746
  declare const FileContentCard: React$1.FC<FileContentCardProps>;
2673
2747
 
2748
+ /**
2749
+ * @description 아티팩트 콘텐츠 카드 컴포넌트
2750
+ * @Todo vibecode - AI 생성 시각화(HTML/SVG/Mermaid)를 인라인 렌더링
2751
+ */
2752
+
2753
+ interface ArtifactCardProps {
2754
+ /** 아티팩트 콘텐츠 파트 */
2755
+ part: ArtifactContentPart;
2756
+ /** @Todo vibecode - stagger 딜레이 인덱스 (여러 artifact 순차 등장) */
2757
+ index?: number;
2758
+ }
2759
+ /**
2760
+ * @description 아티팩트 카드 (language별 렌더러 분기 + 타이틀 헤더 + 코드 보기)
2761
+ * @Todo vibecode - html→iframe, svg→인라인, mermaid→mermaid.js 변환
2762
+ */
2763
+ declare const ArtifactCard: React$1.FC<ArtifactCardProps>;
2764
+
2674
2765
  /**
2675
2766
  * @description AI 자동 실행형 체크리스트 카드
2676
2767
  * @Todo vibecode - 단계별 진행 상황 표시, 접이식 결과, 중단/재시도/건너뛰기 인터랙션
@@ -2991,4 +3082,4 @@ declare const DEFAULT_PROJECT_TITLE = "\uAE30\uBCF8 \uD504\uB85C\uC81D\uD2B8";
2991
3082
  */
2992
3083
  declare const migrateSessionsToProjects: (storageKey: string) => void;
2993
3084
 
2994
- export { type ActionItem, type ActionMenuProps, type AdvancedResearchOptions, type AlternativeResponse, type ChatAttachment, ChatFloatingWidget, type ChatFloatingWidgetProps, ChatHeader, ChatInput, type ChatMessage, type ChatProject, type ChatSession, ChatSidebar, type ChatToolDefinition, type ChatToolParameter, ChatUI, type ChatUIComponents, type ChatUIProps, type ChecklistBlock, ChecklistCard, type ChecklistCardProps, type ChecklistItem, ChecklistMiniIndicator, type ChecklistMiniIndicatorProps, ChecklistPanel, type ChecklistPanelProps, CompactChatView, type CompactChatViewProps, ContentPartRenderer, type ContentPartRendererProps, DEFAULT_PROJECT_ID, DEFAULT_PROJECT_TITLE, type DeepResearchCallbacks, type DeepResearchProgress, DeepResearchProgressUI, DevDiveAvatar, type DevDiveAvatarProps, DevDiveFabCharacter, type DevDiveFabCharacterProps, EmptyState, type EmptyStateProps, type ErrorContentPart, FileContentCard, type FileContentCardProps, type FileContentPart, FloatingFab, type FloatingFabProps, type FloatingNotification, FloatingPanel, type FloatingPanelProps, type FloatingPosition, FloatingTabBar, type FloatingTabBarProps, type FloatingTabItem, type FloatingWidgetTab, type HeaderProps, Icon, type IconName, type IconProps, IconSvg, ImageContentCard, type ImageContentCardProps, type ImageContentPart, type InputProps, LinkChip, type LinkChipProps, type ManualSkillItem, MarkdownRenderer, type MarkdownRendererProps, type MemoryItem, MemoryPanel, type MemoryPanelProps, MessageBubble, type MessageBubbleProps, type MessageContentPart, MessageList, type MessageListProps, type ModelConfig, type ModelSelectorProps, type OpenAITool, type PatternAnalysisResult, type PersonalizationConfig, type PollBlock, PollCard, type PollCardProps, type PollOption, type PollQuestion, type PollResponse, type PollState, type ProjectFile, ProjectSelector, type ProjectSelectorProps, ProjectSettingsModal, type ProjectSettingsModalProps, type PromptTemplate, type ProviderType, type ResizeEdge, ResizeHandles, type ResizeHandlesProps, type ResponseStyle, type SearchResult, type SearchResultContentPart, type SendMessageParams, type SendMessageResponse, type SendMessageResponseBase, type SendMessageResponseWithHeaders, type SessionContext, type SessionContextItem, SettingsModal, type SettingsModalProps, type SettingsTab, type SidebarProps, type SkillConfig, type SkillExecuteCallbacks, type SkillExecution, type SkillExecutionResult, type SkillProgress, SkillProgressUI, type SkillProgressUIProps, type SkillTrigger, type SourceItem, type SubAgentProgress, type SuggestedPrompt, type SystemPromptControl, type TextContentPart, type ThemeConfig, type ThemeMode, type ToolCallAccumulator, type ToolCallResult, type ToolLoadingContentPart, type ToolResultContentPart, type UseChatUIOptions, type UseChatUIReturn, type UseDeepResearchOptions, type UseDragResizeOptions, type UseDragResizeReturn, type UseFloatingWidgetOptions, type UseFloatingWidgetReturn, type UseObserverOptions, type UseObserverReturn, type UseProjectOptions, type UseProjectReturn, type UseSkillsOptions, type UseSkillsReturn, type UserProfile, type WorkflowSuggestion, convertSkillsToOpenAITools, convertToolsToSkills, createAdvancedResearchSkill, createDeepResearchSkill, migrateSessionsToProjects, useChatUI, useDeepResearch, useDragResize, useFloatingWidget, useObserver, useProject, useSkills };
3085
+ export { type ActionItem, type ActionMenuProps, type AdvancedResearchOptions, type AlternativeResponse, ArtifactCard, type ArtifactCardProps, type ArtifactContentPart, type ChatAttachment, ChatFloatingWidget, type ChatFloatingWidgetProps, ChatHeader, ChatInput, type ChatMessage, type ChatProject, type ChatSession, ChatSidebar, type ChatToolDefinition, type ChatToolParameter, ChatUI, type ChatUIComponents, type ChatUIProps, type ChecklistBlock, ChecklistCard, type ChecklistCardProps, type ChecklistItem, ChecklistMiniIndicator, type ChecklistMiniIndicatorProps, ChecklistPanel, type ChecklistPanelProps, CompactChatView, type CompactChatViewProps, ContentPartRenderer, type ContentPartRendererProps, type ConversationSearchOptions, type ConversationSearchSkillOptions, type ConversationSnippet, DEFAULT_PROJECT_ID, DEFAULT_PROJECT_TITLE, type DeepResearchCallbacks, type DeepResearchProgress, DeepResearchProgressUI, DevDiveAvatar, type DevDiveAvatarProps, DevDiveFabCharacter, type DevDiveFabCharacterProps, EmptyState, type EmptyStateProps, type ErrorContentPart, FileContentCard, type FileContentCardProps, type FileContentPart, FloatingFab, type FloatingFabProps, type FloatingNotification, FloatingPanel, type FloatingPanelProps, type FloatingPosition, FloatingTabBar, type FloatingTabBarProps, type FloatingTabItem, type FloatingWidgetTab, type HeaderProps, Icon, type IconName, type IconProps, IconSvg, ImageContentCard, type ImageContentCardProps, type ImageContentPart, type InputProps, LinkChip, type LinkChipProps, type ManualSkillItem, MarkdownRenderer, type MarkdownRendererProps, type MemoryItem, MemoryPanel, type MemoryPanelProps, MessageBubble, type MessageBubbleProps, type MessageContentPart, MessageList, type MessageListProps, type ModelConfig, type ModelSelectorProps, type OpenAITool, type PatternAnalysisResult, type PersonalizationConfig, type PollBlock, PollCard, type PollCardProps, type PollOption, type PollQuestion, type PollResponse, type PollState, type ProjectFile, ProjectSelector, type ProjectSelectorProps, ProjectSettingsModal, type ProjectSettingsModalProps, type PromptTemplate, type ProviderType, type ResizeEdge, ResizeHandles, type ResizeHandlesProps, type ResponseStyle, type SearchResult, type SearchResultContentPart, type SendMessageParams, type SendMessageResponse, type SendMessageResponseBase, type SendMessageResponseWithHeaders, type SessionContext, type SessionContextItem, SettingsModal, type SettingsModalProps, type SettingsTab, type SidebarProps, type SkillConfig, type SkillExecuteCallbacks, type SkillExecution, type SkillExecutionResult, type SkillProgress, SkillProgressUI, type SkillProgressUIProps, type SkillTrigger, type SourceItem, type SubAgentProgress, type SuggestedPrompt, type SystemPromptControl, type TextContentPart, type ThemeConfig, type ThemeMode, type ToolCallAccumulator, type ToolCallResult, type ToolLoadingContentPart, type ToolResultContentPart, type UseChatUIOptions, type UseChatUIReturn, type UseDeepResearchOptions, type UseDragResizeOptions, type UseDragResizeReturn, type UseFloatingWidgetOptions, type UseFloatingWidgetReturn, type UseObserverOptions, type UseObserverReturn, type UseProjectOptions, type UseProjectReturn, type UseSkillsOptions, type UseSkillsReturn, type UserProfile, type WorkflowSuggestion, convertSkillsToOpenAITools, convertToolsToSkills, createAdvancedResearchSkill, createConversationSearchSkill, createDeepResearchSkill, migrateSessionsToProjects, useChatUI, useDeepResearch, useDragResize, useFloatingWidget, useObserver, useProject, useSkills };
@@ -536,8 +536,18 @@ interface ErrorContentPart {
536
536
  type: 'error';
537
537
  message: string;
538
538
  }
539
+ /** @Todo vibecode - 아티팩트 콘텐츠 파트 (AI 생성 시각화) */
540
+ interface ArtifactContentPart {
541
+ type: 'artifact';
542
+ /** 아티팩트 제목 */
543
+ title?: string;
544
+ /** 렌더링 방식: html(iframe sandbox), svg(인라인), mermaid(mermaid.js → SVG 변환) */
545
+ language: 'html' | 'svg' | 'mermaid';
546
+ /** 원본 코드 (HTML/SVG/Mermaid 문법) */
547
+ code: string;
548
+ }
539
549
  /** @Todo vibecode - 메시지 콘텐츠 파트 유니온 타입 */
540
- type MessageContentPart = TextContentPart | ImageContentPart | FileContentPart | SearchResultContentPart | ToolLoadingContentPart | ToolResultContentPart | ErrorContentPart;
550
+ type MessageContentPart = TextContentPart | ImageContentPart | FileContentPart | SearchResultContentPart | ToolLoadingContentPart | ToolResultContentPart | ErrorContentPart | ArtifactContentPart;
541
551
  /** @Todo vibecode - 도구 호출 결과 */
542
552
  interface ToolCallResult {
543
553
  type: 'text' | 'image' | 'file' | 'error';
@@ -1809,6 +1819,46 @@ interface UseFloatingWidgetReturn {
1809
1819
  toggle: () => void;
1810
1820
  setTab: (tabKey: string) => void;
1811
1821
  }
1822
+ /**
1823
+ * @description 대화 검색 결과 스니펫
1824
+ * @Todo vibecode - DB에서 반환되는 과거 대화 조각
1825
+ */
1826
+ interface ConversationSnippet {
1827
+ /** 세션 ID */
1828
+ sessionId: string;
1829
+ /** 세션 제목 */
1830
+ sessionTitle?: string;
1831
+ /** 발화자 */
1832
+ role: 'user' | 'assistant';
1833
+ /** 메시지 내용 (또는 발췌) */
1834
+ content: string;
1835
+ /** 메시지 타임스탬프 */
1836
+ timestamp?: number;
1837
+ /** 검색 관련도 점수 (0-1) */
1838
+ relevance?: number;
1839
+ }
1840
+ /**
1841
+ * @description 대화 검색 옵션
1842
+ * @Todo vibecode - 검색 범위 제한용
1843
+ */
1844
+ interface ConversationSearchOptions {
1845
+ /** 최대 결과 수 (기본: 5) */
1846
+ limit?: number;
1847
+ /** 특정 세션으로 제한 */
1848
+ sessionId?: string;
1849
+ }
1850
+ /**
1851
+ * @description createConversationSearchSkill 팩토리 옵션
1852
+ * @Todo vibecode - 소비 앱이 DB 검색 구현을 제공
1853
+ */
1854
+ interface ConversationSearchSkillOptions {
1855
+ /** 검색 구현 (호스트 DB 쿼리) */
1856
+ onSearch: (query: string, options?: ConversationSearchOptions) => Promise<ConversationSnippet[]>;
1857
+ /** 스킬 라벨 (기본: '대화 검색') */
1858
+ label?: string;
1859
+ /** 비활성화 여부 */
1860
+ disabled?: boolean;
1861
+ }
1812
1862
 
1813
1863
  /**
1814
1864
  * @description ChatUI 메인 컴포넌트
@@ -2391,6 +2441,30 @@ declare const createAdvancedResearchSkill: (options: AdvancedResearchOptions) =>
2391
2441
  */
2392
2442
  declare const createDeepResearchSkill: (callbacks: DeepResearchCallbacks) => SkillConfig;
2393
2443
 
2444
+ /**
2445
+ * @description 대화 검색 스킬 팩토리
2446
+ * @Todo vibecode - 호스트 DB 검색을 SkillConfig로 래핑하여 LLM tool use로 과거 대화 검색
2447
+ *
2448
+ * 사용 예시:
2449
+ * ```ts
2450
+ * import { createConversationSearchSkill } from '@gendive/chatllm/react';
2451
+ *
2452
+ * const searchSkill = createConversationSearchSkill({
2453
+ * onSearch: async (query, options) => {
2454
+ * return await db.conversations.search(query, options?.limit);
2455
+ * },
2456
+ * });
2457
+ *
2458
+ * <ChatUI skills={{ conversation_search: searchSkill }} />
2459
+ * ```
2460
+ */
2461
+
2462
+ /**
2463
+ * @description 대화 검색 스킬 생성 팩토리
2464
+ * @Todo vibecode - LLM이 tool use로 과거 대화를 검색할 수 있는 스킬 생성
2465
+ */
2466
+ declare const createConversationSearchSkill: (options: ConversationSearchSkillOptions) => SkillConfig;
2467
+
2394
2468
  /**
2395
2469
  * @description Remix Icons wrapper component
2396
2470
  * @see https://remixicon.com/
@@ -2671,6 +2745,23 @@ interface FileContentCardProps {
2671
2745
  */
2672
2746
  declare const FileContentCard: React$1.FC<FileContentCardProps>;
2673
2747
 
2748
+ /**
2749
+ * @description 아티팩트 콘텐츠 카드 컴포넌트
2750
+ * @Todo vibecode - AI 생성 시각화(HTML/SVG/Mermaid)를 인라인 렌더링
2751
+ */
2752
+
2753
+ interface ArtifactCardProps {
2754
+ /** 아티팩트 콘텐츠 파트 */
2755
+ part: ArtifactContentPart;
2756
+ /** @Todo vibecode - stagger 딜레이 인덱스 (여러 artifact 순차 등장) */
2757
+ index?: number;
2758
+ }
2759
+ /**
2760
+ * @description 아티팩트 카드 (language별 렌더러 분기 + 타이틀 헤더 + 코드 보기)
2761
+ * @Todo vibecode - html→iframe, svg→인라인, mermaid→mermaid.js 변환
2762
+ */
2763
+ declare const ArtifactCard: React$1.FC<ArtifactCardProps>;
2764
+
2674
2765
  /**
2675
2766
  * @description AI 자동 실행형 체크리스트 카드
2676
2767
  * @Todo vibecode - 단계별 진행 상황 표시, 접이식 결과, 중단/재시도/건너뛰기 인터랙션
@@ -2991,4 +3082,4 @@ declare const DEFAULT_PROJECT_TITLE = "\uAE30\uBCF8 \uD504\uB85C\uC81D\uD2B8";
2991
3082
  */
2992
3083
  declare const migrateSessionsToProjects: (storageKey: string) => void;
2993
3084
 
2994
- export { type ActionItem, type ActionMenuProps, type AdvancedResearchOptions, type AlternativeResponse, type ChatAttachment, ChatFloatingWidget, type ChatFloatingWidgetProps, ChatHeader, ChatInput, type ChatMessage, type ChatProject, type ChatSession, ChatSidebar, type ChatToolDefinition, type ChatToolParameter, ChatUI, type ChatUIComponents, type ChatUIProps, type ChecklistBlock, ChecklistCard, type ChecklistCardProps, type ChecklistItem, ChecklistMiniIndicator, type ChecklistMiniIndicatorProps, ChecklistPanel, type ChecklistPanelProps, CompactChatView, type CompactChatViewProps, ContentPartRenderer, type ContentPartRendererProps, DEFAULT_PROJECT_ID, DEFAULT_PROJECT_TITLE, type DeepResearchCallbacks, type DeepResearchProgress, DeepResearchProgressUI, DevDiveAvatar, type DevDiveAvatarProps, DevDiveFabCharacter, type DevDiveFabCharacterProps, EmptyState, type EmptyStateProps, type ErrorContentPart, FileContentCard, type FileContentCardProps, type FileContentPart, FloatingFab, type FloatingFabProps, type FloatingNotification, FloatingPanel, type FloatingPanelProps, type FloatingPosition, FloatingTabBar, type FloatingTabBarProps, type FloatingTabItem, type FloatingWidgetTab, type HeaderProps, Icon, type IconName, type IconProps, IconSvg, ImageContentCard, type ImageContentCardProps, type ImageContentPart, type InputProps, LinkChip, type LinkChipProps, type ManualSkillItem, MarkdownRenderer, type MarkdownRendererProps, type MemoryItem, MemoryPanel, type MemoryPanelProps, MessageBubble, type MessageBubbleProps, type MessageContentPart, MessageList, type MessageListProps, type ModelConfig, type ModelSelectorProps, type OpenAITool, type PatternAnalysisResult, type PersonalizationConfig, type PollBlock, PollCard, type PollCardProps, type PollOption, type PollQuestion, type PollResponse, type PollState, type ProjectFile, ProjectSelector, type ProjectSelectorProps, ProjectSettingsModal, type ProjectSettingsModalProps, type PromptTemplate, type ProviderType, type ResizeEdge, ResizeHandles, type ResizeHandlesProps, type ResponseStyle, type SearchResult, type SearchResultContentPart, type SendMessageParams, type SendMessageResponse, type SendMessageResponseBase, type SendMessageResponseWithHeaders, type SessionContext, type SessionContextItem, SettingsModal, type SettingsModalProps, type SettingsTab, type SidebarProps, type SkillConfig, type SkillExecuteCallbacks, type SkillExecution, type SkillExecutionResult, type SkillProgress, SkillProgressUI, type SkillProgressUIProps, type SkillTrigger, type SourceItem, type SubAgentProgress, type SuggestedPrompt, type SystemPromptControl, type TextContentPart, type ThemeConfig, type ThemeMode, type ToolCallAccumulator, type ToolCallResult, type ToolLoadingContentPart, type ToolResultContentPart, type UseChatUIOptions, type UseChatUIReturn, type UseDeepResearchOptions, type UseDragResizeOptions, type UseDragResizeReturn, type UseFloatingWidgetOptions, type UseFloatingWidgetReturn, type UseObserverOptions, type UseObserverReturn, type UseProjectOptions, type UseProjectReturn, type UseSkillsOptions, type UseSkillsReturn, type UserProfile, type WorkflowSuggestion, convertSkillsToOpenAITools, convertToolsToSkills, createAdvancedResearchSkill, createDeepResearchSkill, migrateSessionsToProjects, useChatUI, useDeepResearch, useDragResize, useFloatingWidget, useObserver, useProject, useSkills };
3085
+ export { type ActionItem, type ActionMenuProps, type AdvancedResearchOptions, type AlternativeResponse, ArtifactCard, type ArtifactCardProps, type ArtifactContentPart, type ChatAttachment, ChatFloatingWidget, type ChatFloatingWidgetProps, ChatHeader, ChatInput, type ChatMessage, type ChatProject, type ChatSession, ChatSidebar, type ChatToolDefinition, type ChatToolParameter, ChatUI, type ChatUIComponents, type ChatUIProps, type ChecklistBlock, ChecklistCard, type ChecklistCardProps, type ChecklistItem, ChecklistMiniIndicator, type ChecklistMiniIndicatorProps, ChecklistPanel, type ChecklistPanelProps, CompactChatView, type CompactChatViewProps, ContentPartRenderer, type ContentPartRendererProps, type ConversationSearchOptions, type ConversationSearchSkillOptions, type ConversationSnippet, DEFAULT_PROJECT_ID, DEFAULT_PROJECT_TITLE, type DeepResearchCallbacks, type DeepResearchProgress, DeepResearchProgressUI, DevDiveAvatar, type DevDiveAvatarProps, DevDiveFabCharacter, type DevDiveFabCharacterProps, EmptyState, type EmptyStateProps, type ErrorContentPart, FileContentCard, type FileContentCardProps, type FileContentPart, FloatingFab, type FloatingFabProps, type FloatingNotification, FloatingPanel, type FloatingPanelProps, type FloatingPosition, FloatingTabBar, type FloatingTabBarProps, type FloatingTabItem, type FloatingWidgetTab, type HeaderProps, Icon, type IconName, type IconProps, IconSvg, ImageContentCard, type ImageContentCardProps, type ImageContentPart, type InputProps, LinkChip, type LinkChipProps, type ManualSkillItem, MarkdownRenderer, type MarkdownRendererProps, type MemoryItem, MemoryPanel, type MemoryPanelProps, MessageBubble, type MessageBubbleProps, type MessageContentPart, MessageList, type MessageListProps, type ModelConfig, type ModelSelectorProps, type OpenAITool, type PatternAnalysisResult, type PersonalizationConfig, type PollBlock, PollCard, type PollCardProps, type PollOption, type PollQuestion, type PollResponse, type PollState, type ProjectFile, ProjectSelector, type ProjectSelectorProps, ProjectSettingsModal, type ProjectSettingsModalProps, type PromptTemplate, type ProviderType, type ResizeEdge, ResizeHandles, type ResizeHandlesProps, type ResponseStyle, type SearchResult, type SearchResultContentPart, type SendMessageParams, type SendMessageResponse, type SendMessageResponseBase, type SendMessageResponseWithHeaders, type SessionContext, type SessionContextItem, SettingsModal, type SettingsModalProps, type SettingsTab, type SidebarProps, type SkillConfig, type SkillExecuteCallbacks, type SkillExecution, type SkillExecutionResult, type SkillProgress, SkillProgressUI, type SkillProgressUIProps, type SkillTrigger, type SourceItem, type SubAgentProgress, type SuggestedPrompt, type SystemPromptControl, type TextContentPart, type ThemeConfig, type ThemeMode, type ToolCallAccumulator, type ToolCallResult, type ToolLoadingContentPart, type ToolResultContentPart, type UseChatUIOptions, type UseChatUIReturn, type UseDeepResearchOptions, type UseDragResizeOptions, type UseDragResizeReturn, type UseFloatingWidgetOptions, type UseFloatingWidgetReturn, type UseObserverOptions, type UseObserverReturn, type UseProjectOptions, type UseProjectReturn, type UseSkillsOptions, type UseSkillsReturn, type UserProfile, type WorkflowSuggestion, convertSkillsToOpenAITools, convertToolsToSkills, createAdvancedResearchSkill, createConversationSearchSkill, createDeepResearchSkill, migrateSessionsToProjects, useChatUI, useDeepResearch, useDragResize, useFloatingWidget, useObserver, useProject, useSkills };