Refactor/shared and tasks components (#473)

* refactor: remove unused TasksSettings component

* refactor: migrate TodoList component to a new file with improved structure and normalization logic

* refactor: Move Tooltip and DarkModeToggle to shared/ui

* refactor: Move Tooltip and DarkModeToggle to shared/view/ui

* refactor: move GeminiLogo to llm-logo-provider and update imports

* refactor: remove unused GeminiStatus component

* refactor: move components in src/components/ui to src/shared/view/ui

* refactor: move ErrorBoundary component to main-content/view and update imports

* refactor: move VersionUpgradeModal to its own module

* refactor(wizard): rebuild project creation flow as modular TypeScript components

Replace the monolithic `ProjectCreationWizard.jsx` with a feature-based TS
implementation under `src/components/project-creation-wizard`, while preserving
existing behavior and improving readability, maintainability, and state isolation.

Why:
- The previous wizard mixed API logic, flow state, folder browsing, and UI in one file.
- Refactoring and testing were difficult due to tightly coupled concerns.
- We needed stronger type safety and localized component state.

What changed:
- Deleted:
  - `src/components/ProjectCreationWizard.jsx`
- Added new modular structure:
  - `src/components/project-creation-wizard/index.ts`
  - `src/components/project-creation-wizard/ProjectCreationWizard.tsx`
  - `src/components/project-creation-wizard/types.ts`
  - `src/components/project-creation-wizard/data/workspaceApi.ts`
  - `src/components/project-creation-wizard/hooks/useGithubTokens.ts`
  - `src/components/project-creation-wizard/utils/pathUtils.ts`
  - `src/components/project-creation-wizard/components/*`
    - `WizardProgress`, `WizardFooter`, `ErrorBanner`
    - `StepTypeSelection`, `StepConfiguration`, `StepReview`
    - `WorkspacePathField`, `GithubAuthenticationCard`, `FolderBrowserModal`
- Updated import usage:
  - `src/components/sidebar/view/subcomponents/SidebarModals.tsx`
    now imports from `../../../project-creation-wizard`.

Implementation details:
- Migrated wizard logic to TypeScript using `type` aliases only.
- Kept component prop types colocated in each component file.
- Split responsibilities by feature:
  - container/orchestration in `ProjectCreationWizard.tsx`
  - API/SSE and request parsing in `data/workspaceApi.ts`
  - GitHub token loading/caching behavior in `useGithubTokens`
  - path/URL helpers in `utils/pathUtils.ts`
- Localized UI-only state to child components:
  - folder browser modal state (current path, hidden folders, create-folder input)
  - path suggestion dropdown state with debounced lookup
- Preserved existing UX flows:
  - step navigation and validation
  - existing/new workspace modes
  - optional GitHub clone + auth modes
  - clone progress via SSE
  - folder browsing + folder creation
- Added focused comments for non-obvious logic (debounce, SSE auth constraint, path edge cases).

* refactor(quick-settings): migrate panel to typed feature-based modules

Refactor QuickSettingsPanel from a single JSX component into a modular TypeScript feature structure while preserving behavior and translations.

Highlights:
- Replace legacy src/components/QuickSettingsPanel.jsx with a typed entrypoint (src/components/QuickSettingsPanel.tsx).
- Introduce src/components/quick-settings-panel/ with clear separation of concerns:
  - view/: panel shell, header, handle, section wrappers, toggle rows, and content sections.
  - hooks/: drag interactions and whisper mode persistence.
  - constants.ts and types.ts for shared config and strict local typing.
- Move drag logic into useQuickSettingsDrag with explicit touch/mouse handling, drag threshold detection, click suppression after drag, position clamping, and localStorage persistence.
- Keep user-visible behavior intact:
  - same open/close panel interactions.
  - same mobile/desktop drag behavior and persisted handle position.
  - same quick preference toggles and wiring to useUiPreferences.
  - same hidden whisper section behavior and localStorage/event updates.
- Improve readability and maintainability by extracting repetitive setting rows and section scaffolding into reusable components.
- Add focused comments around non-obvious behavior (drag click suppression, touch scroll lock, hidden whisper section intent).
- Keep files small and reviewable (all new/changed files are under 300 lines).

Validation:
- npm run typecheck
- npm run build

* refactor(quick-settings-panel): restructure QuickSettingsPanel import and create index file

* refactor(shared): move shared ui components to share/view/ui without subfolders

* refactor(LanguageSelector): move LanguageSelector to shared UI components

* refactor(prd-editor): modularize PRD editor with typed feature modules

Break the legacy PRDEditor.jsx monolith into a feature-based TypeScript architecture under src/components/prd-editor while keeping behavior parity and readability.

Key changes:

- Replace PRDEditor.jsx with a typed orchestrator component and a compatibility export bridge at src/components/PRDEditor.tsx.

- Split responsibilities into dedicated hooks: document loading/init, existing PRD registry fetching, save workflow with overwrite detection, and keyboard shortcuts.

- Split UI into focused view components: header, editor/preview body, footer stats, loading state, generate-tasks modal, and overwrite-confirm modal.

- Move filename concerns into utility helpers (sanitize, extension handling, default naming) and centralize template/constants.

- Keep component-local state close to the UI that owns it (workspace controls/modal toggles), while shared workflow state remains in the feature container.

- Reuse the existing MarkdownPreview component for safer markdown rendering instead of ad-hoc HTML conversion.

- Update TaskMasterPanel integration to consume typed PRDEditor directly (remove any-cast) and pass isExisting metadata for correct overwrite behavior.

- Keep all new/changed files below 300 lines and add targeted comments where behavior needs clarification.

Validation:

- npm run typecheck

- npm run build

* refactor(TaskMasterPanel): update PRDEditor import path to match new structure

* refactor(TaskMaster): Remove unused TaskMasterSetupWizard and TaskMasterStatus components

* refactor(TaskDetail): remove unused TaskIndicator import

* refactor(task-master): migrate tasks to a typed feature module

- introduce a new feature-oriented TaskMaster domain under src/components/task-master

- add typed TaskMaster context/provider with explicit project, task, MCP, and loading state handling

- split task UI into focused components (panel, board, toolbar, content, card, detail modal, setup/help modals, banner)

- move task board filtering/sorting/kanban derivation into dedicated hooks and utilities

- relocate CreateTaskModal into the feature module and keep task views modular/readable

- remove legacy monolithic TaskList/TaskDetail/TaskCard files and route main task panel to the new feature panel

- replace contexts/TaskMasterContext.jsx with a typed contexts/TaskMasterContext.ts re-export to the feature context

- update MainContent project sync logic to compare by project name to avoid state churn

- validation: npm run typecheck, npm run build

* refactor(MobileNav): remove unused React import and TaskMasterContext

* refactor(auth): migrate login and setup flows to typed feature module

- Introduce a new feature-based auth module under src/components/auth with clear separation of concerns:\n  - context/AuthContext.tsx for session lifecycle, onboarding status checks, token persistence, and auth actions\n  - view/* components for loading, route guarding, form layout, input fields, and error display\n  - shared auth constants, utility helpers, and type aliases (no interfaces)\n- Convert login and setup UIs to TypeScript and keep form state local to each component for readability and component-level ownership\n- Add explicit API payload typing and safe JSON parsing helpers to improve resilience when backend responses are malformed or incomplete\n- Centralize error fallback handling for auth requests to reduce repeated logic

- Replace legacy auth entrypoints with the new feature module in app wiring:\n  - App now imports AuthProvider and ProtectedRoute from src/components/auth\n  - WebSocketContext, TaskMasterContext, and Onboarding now consume useAuth from the new typed auth context\n- Remove duplicated legacy auth screens (LoginForm.jsx, SetupForm.jsx, ProtectedRoute.jsx)\n- Keep backward compatibility by turning src/contexts/AuthContext.jsx into a thin re-export of the new provider/hook

Result: auth code now follows a feature/domain structure, is fully typed, easier to navigate, and cleaner to extend without touching unrelated UI areas.

* refactor(AppContent): update MobileNav import path and add MobileNav component

* refactor(DiffViewer): rename different diff viewers and place them in different components

* refactor(components): reorganize onboarding/provider auth/sidebar indicator into domain features

- Move onboarding out of root-level components into a dedicated feature module:
  - add src/components/onboarding/view/Onboarding.tsx
  - split onboarding UI into focused subcomponents:
    - OnboardingStepProgress
    - GitConfigurationStep
    - AgentConnectionsStep
    - AgentConnectionCard
  - add onboarding-local types and utils for provider status and validation helpers

- Move multi-provider login modal into a dedicated provider-auth feature:
  - add src/components/provider-auth/view/ProviderLoginModal.tsx
  - add src/components/provider-auth/types.ts
  - keep provider-specific command/title behavior and Gemini setup guidance
  - preserve compatibility for both onboarding flow and settings login flow

- Move TaskIndicator into the sidebar domain:
  - add src/components/sidebar/view/subcomponents/TaskIndicator.tsx
  - update SidebarProjectItem to consume local sidebar TaskIndicator

- Update integration points to the new structure:
  - ProtectedRoute now imports onboarding from onboarding feature
  - Settings now imports ProviderLoginModal directly (remove legacy cast wrapper)
  - git panel consumers now import shared GitDiffViewer by explicit name

- Rename git shared diff view to clearer domain naming:
  - replace shared DiffViewer with shared GitDiffViewer
  - update FileChangeItem and CommitHistoryItem imports accordingly

- Remove superseded root-level legacy components:
  - delete src/components/LoginModal.jsx
  - delete src/components/Onboarding.jsx
  - delete src/components/TaskIndicator.jsx
  - delete old src/components/git-panel/view/shared/DiffViewer.tsx

- Result:
  - clearer feature boundaries (auth vs onboarding vs provider-auth vs sidebar)
  - easier navigation and ownership by domain
  - preserved runtime behavior with improved readability and modularity

* refactor(MainContent): remove TaskMasterPanel import and relocate to task-master component

* fix: update import paths for Input component in FileTree and FileTreeNode

* refactor(FileTree): make file tree context menu a typescript component and move it inside the file tree view

* refactor(FileTree): remove unused ScrollArea import

* feat: setup eslint with typescript and react rules, add unused imports plugin

* fix: remove unused imports, functions, and types after discovering using `npm run lint`

* feat: setup eslint-plugin-react, react-refresh, import-x, and tailwindcss plugins with recommended rules and configurations

* chore: reformat files after running `npm run lint:fix`

* chore: add omments about eslint config plugin uses

* feat: add husky and lint-staged for pre-commit linting

* feat: setup commitlint with conventional config

* fix: i18n translations

---------

Co-authored-by: Haileyesus <something@gmail.com>
Co-authored-by: viper151 <simosmik@gmail.com>
This commit is contained in:
Haileyesus
2026-03-06 01:47:58 +03:00
committed by GitHub
parent 8d28438fe7
commit 844de26ada
254 changed files with 14571 additions and 9347 deletions

View File

@@ -0,0 +1,229 @@
import { useCallback, useMemo, useState } from 'react';
import { FolderPlus, X } from 'lucide-react';
import { useTranslation } from 'react-i18next';
import ErrorBanner from './components/ErrorBanner';
import StepConfiguration from './components/StepConfiguration';
import StepReview from './components/StepReview';
import StepTypeSelection from './components/StepTypeSelection';
import WizardFooter from './components/WizardFooter';
import WizardProgress from './components/WizardProgress';
import { useGithubTokens } from './hooks/useGithubTokens';
import { cloneWorkspaceWithProgress, createWorkspaceRequest } from './data/workspaceApi';
import { isCloneWorkflow, shouldShowGithubAuthentication } from './utils/pathUtils';
import type { TokenMode, WizardFormState, WizardStep, WorkspaceType } from './types';
type ProjectCreationWizardProps = {
onClose: () => void;
onProjectCreated?: (project?: Record<string, unknown>) => void;
};
const initialFormState: WizardFormState = {
workspaceType: 'existing',
workspacePath: '',
githubUrl: '',
tokenMode: 'stored',
selectedGithubToken: '',
newGithubToken: '',
};
export default function ProjectCreationWizard({
onClose,
onProjectCreated,
}: ProjectCreationWizardProps) {
const { t } = useTranslation();
const [step, setStep] = useState<WizardStep>(1);
const [formState, setFormState] = useState<WizardFormState>(initialFormState);
const [isCreating, setIsCreating] = useState(false);
const [error, setError] = useState<string | null>(null);
const [cloneProgress, setCloneProgress] = useState('');
const shouldLoadTokens =
step === 2 && shouldShowGithubAuthentication(formState.workspaceType, formState.githubUrl);
const autoSelectToken = useCallback((tokenId: string) => {
setFormState((previous) => ({ ...previous, selectedGithubToken: tokenId }));
}, []);
const {
tokens: availableTokens,
loading: loadingTokens,
loadError: tokenLoadError,
selectedTokenName,
} = useGithubTokens({
shouldLoad: shouldLoadTokens,
selectedTokenId: formState.selectedGithubToken,
onAutoSelectToken: autoSelectToken,
});
// Keep cross-step values in this component; local UI state lives in child components.
const updateField = useCallback(<K extends keyof WizardFormState>(key: K, value: WizardFormState[K]) => {
setFormState((previous) => ({ ...previous, [key]: value }));
}, []);
const updateWorkspaceType = useCallback(
(workspaceType: WorkspaceType) => updateField('workspaceType', workspaceType),
[updateField],
);
const updateTokenMode = useCallback(
(tokenMode: TokenMode) => updateField('tokenMode', tokenMode),
[updateField],
);
const handleNext = useCallback(() => {
setError(null);
if (step === 1) {
if (!formState.workspaceType) {
setError(t('projectWizard.errors.selectType'));
return;
}
setStep(2);
return;
}
if (step === 2) {
if (!formState.workspacePath.trim()) {
setError(t('projectWizard.errors.providePath'));
return;
}
setStep(3);
}
}, [formState.workspacePath, formState.workspaceType, step, t]);
const handleBack = useCallback(() => {
setError(null);
setStep((previousStep) => (previousStep > 1 ? ((previousStep - 1) as WizardStep) : previousStep));
}, []);
const handleCreate = useCallback(async () => {
setIsCreating(true);
setError(null);
setCloneProgress('');
try {
const shouldCloneRepository = isCloneWorkflow(formState.workspaceType, formState.githubUrl);
if (shouldCloneRepository) {
const project = await cloneWorkspaceWithProgress(
{
workspacePath: formState.workspacePath,
githubUrl: formState.githubUrl,
tokenMode: formState.tokenMode,
selectedGithubToken: formState.selectedGithubToken,
newGithubToken: formState.newGithubToken,
},
{
onProgress: setCloneProgress,
},
);
onProjectCreated?.(project);
onClose();
return;
}
const project = await createWorkspaceRequest({
workspaceType: formState.workspaceType,
path: formState.workspacePath.trim(),
});
onProjectCreated?.(project);
onClose();
} catch (createError) {
const errorMessage =
createError instanceof Error
? createError.message
: t('projectWizard.errors.failedToCreate');
setError(errorMessage);
} finally {
setIsCreating(false);
}
}, [formState, onClose, onProjectCreated, t]);
const shouldCloneRepository = useMemo(
() => isCloneWorkflow(formState.workspaceType, formState.githubUrl),
[formState.githubUrl, formState.workspaceType],
);
return (
<div className="fixed bottom-0 left-0 right-0 top-0 z-[60] flex items-center justify-center bg-black/50 p-0 backdrop-blur-sm sm:p-4">
<div className="h-full w-full overflow-y-auto rounded-none border-0 border-gray-200 bg-white shadow-xl dark:border-gray-700 dark:bg-gray-800 sm:h-auto sm:max-w-2xl sm:rounded-lg sm:border">
<div className="flex items-center justify-between border-b border-gray-200 p-6 dark:border-gray-700">
<div className="flex items-center gap-3">
<div className="flex h-8 w-8 items-center justify-center rounded-lg bg-blue-100 dark:bg-blue-900/50">
<FolderPlus className="h-4 w-4 text-blue-600 dark:text-blue-400" />
</div>
<h3 className="text-lg font-semibold text-gray-900 dark:text-white">
{t('projectWizard.title')}
</h3>
</div>
<button
onClick={onClose}
className="rounded-md p-2 text-gray-400 hover:bg-gray-100 hover:text-gray-600 dark:hover:bg-gray-700 dark:hover:text-gray-300"
disabled={isCreating}
>
<X className="h-5 w-5" />
</button>
</div>
<WizardProgress step={step} />
<div className="min-h-[300px] space-y-6 p-6">
{error && <ErrorBanner message={error} />}
{step === 1 && (
<StepTypeSelection
workspaceType={formState.workspaceType}
onWorkspaceTypeChange={updateWorkspaceType}
/>
)}
{step === 2 && (
<StepConfiguration
workspaceType={formState.workspaceType}
workspacePath={formState.workspacePath}
githubUrl={formState.githubUrl}
tokenMode={formState.tokenMode}
selectedGithubToken={formState.selectedGithubToken}
newGithubToken={formState.newGithubToken}
availableTokens={availableTokens}
loadingTokens={loadingTokens}
tokenLoadError={tokenLoadError}
isCreating={isCreating}
onWorkspacePathChange={(workspacePath) => updateField('workspacePath', workspacePath)}
onGithubUrlChange={(githubUrl) => updateField('githubUrl', githubUrl)}
onTokenModeChange={updateTokenMode}
onSelectedGithubTokenChange={(selectedGithubToken) =>
updateField('selectedGithubToken', selectedGithubToken)
}
onNewGithubTokenChange={(newGithubToken) =>
updateField('newGithubToken', newGithubToken)
}
onAdvanceToConfirm={() => setStep(3)}
/>
)}
{step === 3 && (
<StepReview
formState={formState}
selectedTokenName={selectedTokenName}
isCreating={isCreating}
cloneProgress={cloneProgress}
/>
)}
</div>
<WizardFooter
step={step}
isCreating={isCreating}
isCloneWorkflow={shouldCloneRepository}
onClose={onClose}
onBack={handleBack}
onNext={handleNext}
onCreate={handleCreate}
/>
</div>
</div>
);
}

View File

@@ -0,0 +1,14 @@
import { AlertCircle } from 'lucide-react';
type ErrorBannerProps = {
message: string;
};
export default function ErrorBanner({ message }: ErrorBannerProps) {
return (
<div className="flex items-start gap-3 rounded-lg border border-red-200 bg-red-50 p-4 dark:border-red-800 dark:bg-red-900/20">
<AlertCircle className="mt-0.5 h-5 w-5 flex-shrink-0 text-red-600 dark:text-red-400" />
<p className="text-sm text-red-800 dark:text-red-200">{message}</p>
</div>
);
}

View File

@@ -0,0 +1,251 @@
import { useCallback, useEffect, useMemo, useState } from 'react';
import { Eye, EyeOff, FolderOpen, FolderPlus, Loader2, Plus, X } from 'lucide-react';
import { Button, Input } from '../../../shared/view/ui';
import { browseFilesystemFolders, createFolderInFilesystem } from '../data/workspaceApi';
import { getParentPath, joinFolderPath } from '../utils/pathUtils';
import type { FolderSuggestion } from '../types';
type FolderBrowserModalProps = {
isOpen: boolean;
autoAdvanceOnSelect: boolean;
onClose: () => void;
onFolderSelected: (folderPath: string, advanceToConfirm: boolean) => void;
};
export default function FolderBrowserModal({
isOpen,
autoAdvanceOnSelect,
onClose,
onFolderSelected,
}: FolderBrowserModalProps) {
const [currentPath, setCurrentPath] = useState('~');
const [folders, setFolders] = useState<FolderSuggestion[]>([]);
const [loadingFolders, setLoadingFolders] = useState(false);
const [showHiddenFolders, setShowHiddenFolders] = useState(false);
const [showNewFolderInput, setShowNewFolderInput] = useState(false);
const [newFolderName, setNewFolderName] = useState('');
const [creatingFolder, setCreatingFolder] = useState(false);
const [error, setError] = useState<string | null>(null);
const loadFolders = useCallback(async (pathToLoad: string) => {
setLoadingFolders(true);
setError(null);
try {
const result = await browseFilesystemFolders(pathToLoad);
setCurrentPath(result.path);
setFolders(result.suggestions);
} catch (loadError) {
setError(loadError instanceof Error ? loadError.message : 'Failed to load folders');
} finally {
setLoadingFolders(false);
}
}, []);
useEffect(() => {
if (!isOpen) {
return;
}
loadFolders('~');
}, [isOpen, loadFolders]);
const visibleFolders = useMemo(
() =>
folders
.filter((folder) => showHiddenFolders || !folder.name.startsWith('.'))
.sort((firstFolder, secondFolder) =>
firstFolder.name.toLowerCase().localeCompare(secondFolder.name.toLowerCase()),
),
[folders, showHiddenFolders],
);
const resetNewFolderState = () => {
setShowNewFolderInput(false);
setNewFolderName('');
};
const handleClose = () => {
setError(null);
resetNewFolderState();
onClose();
};
const handleCreateFolder = useCallback(async () => {
if (!newFolderName.trim()) {
return;
}
setCreatingFolder(true);
setError(null);
try {
const folderPath = joinFolderPath(currentPath, newFolderName);
const createdPath = await createFolderInFilesystem(folderPath);
resetNewFolderState();
await loadFolders(createdPath);
} catch (createError) {
setError(createError instanceof Error ? createError.message : 'Failed to create folder');
} finally {
setCreatingFolder(false);
}
}, [currentPath, loadFolders, newFolderName]);
const parentPath = getParentPath(currentPath);
if (!isOpen) {
return null;
}
return (
<div className="fixed inset-0 z-[70] flex items-center justify-center bg-black/50 p-4 backdrop-blur-sm">
<div className="flex max-h-[80vh] w-full max-w-2xl flex-col rounded-lg border border-gray-200 bg-white shadow-xl dark:border-gray-700 dark:bg-gray-800">
<div className="flex items-center justify-between border-b border-gray-200 p-4 dark:border-gray-700">
<div className="flex items-center gap-3">
<div className="flex h-8 w-8 items-center justify-center rounded-lg bg-blue-100 dark:bg-blue-900/50">
<FolderOpen className="h-4 w-4 text-blue-600 dark:text-blue-400" />
</div>
<h3 className="text-lg font-semibold text-gray-900 dark:text-white">Select Folder</h3>
</div>
<div className="flex items-center gap-2">
<button
onClick={() => setShowHiddenFolders((previous) => !previous)}
className={`rounded-md p-2 transition-colors ${
showHiddenFolders
? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400'
: 'text-gray-400 hover:bg-gray-100 hover:text-gray-600 dark:hover:bg-gray-700 dark:hover:text-gray-300'
}`}
title={showHiddenFolders ? 'Hide hidden folders' : 'Show hidden folders'}
>
{showHiddenFolders ? <Eye className="h-5 w-5" /> : <EyeOff className="h-5 w-5" />}
</button>
<button
onClick={() => setShowNewFolderInput((previous) => !previous)}
className={`rounded-md p-2 transition-colors ${
showNewFolderInput
? 'bg-blue-50 text-blue-600 dark:bg-blue-900/30 dark:text-blue-400'
: 'text-gray-400 hover:bg-gray-100 hover:text-gray-600 dark:hover:bg-gray-700 dark:hover:text-gray-300'
}`}
title="Create new folder"
>
<Plus className="h-5 w-5" />
</button>
<button
onClick={handleClose}
className="rounded-md p-2 text-gray-400 hover:bg-gray-100 hover:text-gray-600 dark:hover:bg-gray-700 dark:hover:text-gray-300"
>
<X className="h-5 w-5" />
</button>
</div>
</div>
{showNewFolderInput && (
<div className="border-b border-gray-200 bg-blue-50 px-4 py-3 dark:border-gray-700 dark:bg-blue-900/20">
<div className="flex items-center gap-2">
<Input
type="text"
value={newFolderName}
onChange={(event) => setNewFolderName(event.target.value)}
placeholder="New folder name"
className="flex-1"
onKeyDown={(event) => {
if (event.key === 'Enter') {
handleCreateFolder();
}
if (event.key === 'Escape') {
resetNewFolderState();
}
}}
autoFocus
/>
<Button
size="sm"
onClick={handleCreateFolder}
disabled={!newFolderName.trim() || creatingFolder}
>
{creatingFolder ? <Loader2 className="h-4 w-4 animate-spin" /> : 'Create'}
</Button>
<Button size="sm" variant="ghost" onClick={resetNewFolderState}>
Cancel
</Button>
</div>
</div>
)}
{error && (
<div className="px-4 pt-3">
<p className="text-sm text-red-600 dark:text-red-400">{error}</p>
</div>
)}
<div className="flex-1 overflow-y-auto p-4">
{loadingFolders ? (
<div className="flex items-center justify-center py-8">
<Loader2 className="h-6 w-6 animate-spin text-gray-400" />
</div>
) : (
<div className="space-y-1">
{parentPath && (
<button
onClick={() => loadFolders(parentPath)}
className="flex w-full items-center gap-3 rounded-lg px-4 py-3 text-left hover:bg-gray-100 dark:hover:bg-gray-700"
>
<FolderOpen className="h-5 w-5 text-gray-400" />
<span className="font-medium text-gray-700 dark:text-gray-300">..</span>
</button>
)}
{visibleFolders.length === 0 ? (
<div className="py-8 text-center text-gray-500 dark:text-gray-400">
No subfolders found
</div>
) : (
visibleFolders.map((folder) => (
<div key={folder.path} className="flex items-center gap-2">
<button
onClick={() => loadFolders(folder.path)}
className="flex flex-1 items-center gap-3 rounded-lg px-4 py-3 text-left hover:bg-gray-100 dark:hover:bg-gray-700"
>
<FolderPlus className="h-5 w-5 text-blue-500" />
<span className="font-medium text-gray-900 dark:text-white">
{folder.name}
</span>
</button>
<Button
variant="ghost"
size="sm"
onClick={() => onFolderSelected(folder.path, autoAdvanceOnSelect)}
className="px-3 text-xs"
>
Select
</Button>
</div>
))
)}
</div>
)}
</div>
<div className="border-t border-gray-200 dark:border-gray-700">
<div className="flex items-center gap-2 bg-gray-50 px-4 py-3 dark:bg-gray-900/50">
<span className="text-sm text-gray-600 dark:text-gray-400">Path:</span>
<code className="flex-1 truncate font-mono text-sm text-gray-900 dark:text-white">
{currentPath}
</code>
</div>
<div className="flex items-center justify-end gap-2 p-4">
<Button variant="outline" onClick={handleClose}>
Cancel
</Button>
<Button
variant="outline"
onClick={() => onFolderSelected(currentPath, autoAdvanceOnSelect)}
>
Use this folder
</Button>
</div>
</div>
</div>
</div>
);
}

View File

@@ -0,0 +1,161 @@
import { Key, Loader2 } from 'lucide-react';
import { useTranslation } from 'react-i18next';
import { Input } from '../../../shared/view/ui';
import type { GithubTokenCredential, TokenMode } from '../types';
type GithubAuthenticationCardProps = {
tokenMode: TokenMode;
selectedGithubToken: string;
newGithubToken: string;
availableTokens: GithubTokenCredential[];
loadingTokens: boolean;
tokenLoadError: string | null;
onTokenModeChange: (tokenMode: TokenMode) => void;
onSelectedGithubTokenChange: (tokenId: string) => void;
onNewGithubTokenChange: (tokenValue: string) => void;
};
const getModeClassName = (mode: TokenMode, selectedMode: TokenMode) =>
`px-3 py-2 text-sm font-medium rounded-lg transition-colors ${
mode === selectedMode
? mode === 'none'
? 'bg-green-500 text-white'
: 'bg-blue-500 text-white'
: 'bg-gray-200 dark:bg-gray-700 text-gray-700 dark:text-gray-300'
}`;
export default function GithubAuthenticationCard({
tokenMode,
selectedGithubToken,
newGithubToken,
availableTokens,
loadingTokens,
tokenLoadError,
onTokenModeChange,
onSelectedGithubTokenChange,
onNewGithubTokenChange,
}: GithubAuthenticationCardProps) {
const { t } = useTranslation();
return (
<div className="rounded-lg border border-gray-200 bg-gray-50 p-4 dark:border-gray-700 dark:bg-gray-900/50">
<div className="mb-4 flex items-start gap-3">
<Key className="mt-0.5 h-5 w-5 flex-shrink-0 text-gray-600 dark:text-gray-400" />
<div className="flex-1">
<h5 className="mb-1 font-medium text-gray-900 dark:text-white">
{t('projectWizard.step2.githubAuth')}
</h5>
<p className="text-sm text-gray-600 dark:text-gray-400">
{t('projectWizard.step2.githubAuthHelp')}
</p>
</div>
</div>
{loadingTokens && (
<div className="flex items-center gap-2 text-sm text-gray-500">
<Loader2 className="h-4 w-4 animate-spin" />
{t('projectWizard.step2.loadingTokens')}
</div>
)}
{!loadingTokens && tokenLoadError && (
<p className="mb-3 text-sm text-red-600 dark:text-red-400">{tokenLoadError}</p>
)}
{!loadingTokens && availableTokens.length > 0 && (
<>
<div className="mb-4 grid grid-cols-3 gap-2">
<button
onClick={() => onTokenModeChange('stored')}
className={getModeClassName(tokenMode, 'stored')}
>
{t('projectWizard.step2.storedToken')}
</button>
<button
onClick={() => onTokenModeChange('new')}
className={getModeClassName(tokenMode, 'new')}
>
{t('projectWizard.step2.newToken')}
</button>
<button
onClick={() => {
onTokenModeChange('none');
onSelectedGithubTokenChange('');
onNewGithubTokenChange('');
}}
className={getModeClassName(tokenMode, 'none')}
>
{t('projectWizard.step2.nonePublic')}
</button>
</div>
{tokenMode === 'stored' ? (
<div>
<label className="mb-2 block text-sm font-medium text-gray-700 dark:text-gray-300">
{t('projectWizard.step2.selectToken')}
</label>
<select
value={selectedGithubToken}
onChange={(event) => onSelectedGithubTokenChange(event.target.value)}
className="w-full rounded-lg border border-gray-300 bg-white px-3 py-2 text-sm dark:border-gray-600 dark:bg-gray-800"
>
<option value="">{t('projectWizard.step2.selectTokenPlaceholder')}</option>
{availableTokens.map((token) => (
<option key={token.id} value={String(token.id)}>
{token.credential_name}
</option>
))}
</select>
</div>
) : tokenMode === 'new' ? (
<div>
<label className="mb-2 block text-sm font-medium text-gray-700 dark:text-gray-300">
{t('projectWizard.step2.newToken')}
</label>
<Input
type="password"
value={newGithubToken}
onChange={(event) => onNewGithubTokenChange(event.target.value)}
placeholder="ghp_xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
className="w-full"
/>
<p className="mt-1 text-xs text-gray-500 dark:text-gray-400">
{t('projectWizard.step2.tokenHelp')}
</p>
</div>
) : null}
</>
)}
{!loadingTokens && availableTokens.length === 0 && (
<div className="space-y-4">
<div className="rounded-lg border border-blue-200 bg-blue-50 p-3 dark:border-blue-800 dark:bg-blue-900/20">
<p className="text-sm text-blue-800 dark:text-blue-200">
{t('projectWizard.step2.publicRepoInfo')}
</p>
</div>
<div>
<label className="mb-2 block text-sm font-medium text-gray-700 dark:text-gray-300">
{t('projectWizard.step2.optionalTokenPublic')}
</label>
<Input
type="password"
value={newGithubToken}
onChange={(event) => {
const tokenValue = event.target.value;
onNewGithubTokenChange(tokenValue);
onTokenModeChange(tokenValue.trim() ? 'new' : 'none');
}}
placeholder={t('projectWizard.step2.tokenPublicPlaceholder')}
className="w-full"
/>
<p className="mt-1 text-xs text-gray-500 dark:text-gray-400">
{t('projectWizard.step2.noTokensHelp')}
</p>
</div>
</div>
)}
</div>
);
}

View File

@@ -0,0 +1,108 @@
import { useTranslation } from 'react-i18next';
import { Input } from '../../../shared/view/ui';
import { shouldShowGithubAuthentication } from '../utils/pathUtils';
import type { GithubTokenCredential, TokenMode, WorkspaceType } from '../types';
import GithubAuthenticationCard from './GithubAuthenticationCard';
import WorkspacePathField from './WorkspacePathField';
type StepConfigurationProps = {
workspaceType: WorkspaceType;
workspacePath: string;
githubUrl: string;
tokenMode: TokenMode;
selectedGithubToken: string;
newGithubToken: string;
availableTokens: GithubTokenCredential[];
loadingTokens: boolean;
tokenLoadError: string | null;
isCreating: boolean;
onWorkspacePathChange: (workspacePath: string) => void;
onGithubUrlChange: (githubUrl: string) => void;
onTokenModeChange: (tokenMode: TokenMode) => void;
onSelectedGithubTokenChange: (tokenId: string) => void;
onNewGithubTokenChange: (tokenValue: string) => void;
onAdvanceToConfirm: () => void;
};
export default function StepConfiguration({
workspaceType,
workspacePath,
githubUrl,
tokenMode,
selectedGithubToken,
newGithubToken,
availableTokens,
loadingTokens,
tokenLoadError,
isCreating,
onWorkspacePathChange,
onGithubUrlChange,
onTokenModeChange,
onSelectedGithubTokenChange,
onNewGithubTokenChange,
onAdvanceToConfirm,
}: StepConfigurationProps) {
const { t } = useTranslation();
const showGithubAuth = shouldShowGithubAuthentication(workspaceType, githubUrl);
return (
<div className="space-y-4">
<div>
<label className="mb-2 block text-sm font-medium text-gray-700 dark:text-gray-300">
{workspaceType === 'existing'
? t('projectWizard.step2.existingPath')
: t('projectWizard.step2.newPath')}
</label>
<WorkspacePathField
workspaceType={workspaceType}
value={workspacePath}
disabled={isCreating}
onChange={onWorkspacePathChange}
onAdvanceToConfirm={onAdvanceToConfirm}
/>
<p className="mt-1 text-xs text-gray-500 dark:text-gray-400">
{workspaceType === 'existing'
? t('projectWizard.step2.existingHelp')
: t('projectWizard.step2.newHelp')}
</p>
</div>
{workspaceType === 'new' && (
<>
<div>
<label className="mb-2 block text-sm font-medium text-gray-700 dark:text-gray-300">
{t('projectWizard.step2.githubUrl')}
</label>
<Input
type="text"
value={githubUrl}
onChange={(event) => onGithubUrlChange(event.target.value)}
placeholder="https://github.com/username/repository"
className="w-full"
disabled={isCreating}
/>
<p className="mt-1 text-xs text-gray-500 dark:text-gray-400">
{t('projectWizard.step2.githubHelp')}
</p>
</div>
{showGithubAuth && (
<GithubAuthenticationCard
tokenMode={tokenMode}
selectedGithubToken={selectedGithubToken}
newGithubToken={newGithubToken}
availableTokens={availableTokens}
loadingTokens={loadingTokens}
tokenLoadError={tokenLoadError}
onTokenModeChange={onTokenModeChange}
onSelectedGithubTokenChange={onSelectedGithubTokenChange}
onNewGithubTokenChange={onNewGithubTokenChange}
/>
)}
</>
)}
</div>
);
}

View File

@@ -0,0 +1,107 @@
import { useMemo } from 'react';
import { useTranslation } from 'react-i18next';
import { isSshGitUrl } from '../utils/pathUtils';
import type { WizardFormState } from '../types';
type StepReviewProps = {
formState: WizardFormState;
selectedTokenName: string | null;
isCreating: boolean;
cloneProgress: string;
};
export default function StepReview({
formState,
selectedTokenName,
isCreating,
cloneProgress,
}: StepReviewProps) {
const { t } = useTranslation();
const authenticationLabel = useMemo(() => {
if (formState.tokenMode === 'stored' && formState.selectedGithubToken) {
return `${t('projectWizard.step3.usingStoredToken')} ${selectedTokenName || 'Unknown'}`;
}
if (formState.tokenMode === 'new' && formState.newGithubToken.trim()) {
return t('projectWizard.step3.usingProvidedToken');
}
if (isSshGitUrl(formState.githubUrl)) {
return t('projectWizard.step3.sshKey', { defaultValue: 'SSH Key' });
}
return t('projectWizard.step3.noAuthentication');
}, [formState, selectedTokenName, t]);
return (
<div className="space-y-4">
<div className="rounded-lg border border-gray-200 bg-gray-50 p-4 dark:border-gray-700 dark:bg-gray-900/50">
<h4 className="mb-3 text-sm font-semibold text-gray-900 dark:text-white">
{t('projectWizard.step3.reviewConfig')}
</h4>
<div className="space-y-2">
<div className="flex justify-between text-sm">
<span className="text-gray-600 dark:text-gray-400">
{t('projectWizard.step3.workspaceType')}
</span>
<span className="font-medium text-gray-900 dark:text-white">
{formState.workspaceType === 'existing'
? t('projectWizard.step3.existingWorkspace')
: t('projectWizard.step3.newWorkspace')}
</span>
</div>
<div className="flex justify-between text-sm">
<span className="text-gray-600 dark:text-gray-400">{t('projectWizard.step3.path')}</span>
<span className="break-all font-mono text-xs text-gray-900 dark:text-white">
{formState.workspacePath}
</span>
</div>
{formState.workspaceType === 'new' && formState.githubUrl && (
<>
<div className="flex justify-between text-sm">
<span className="text-gray-600 dark:text-gray-400">
{t('projectWizard.step3.cloneFrom')}
</span>
<span className="break-all font-mono text-xs text-gray-900 dark:text-white">
{formState.githubUrl}
</span>
</div>
<div className="flex justify-between text-sm">
<span className="text-gray-600 dark:text-gray-400">
{t('projectWizard.step3.authentication')}
</span>
<span className="text-xs text-gray-900 dark:text-white">{authenticationLabel}</span>
</div>
</>
)}
</div>
</div>
<div className="rounded-lg border border-blue-200 bg-blue-50 p-4 dark:border-blue-800 dark:bg-blue-900/20">
{isCreating && cloneProgress ? (
<div className="space-y-2">
<p className="text-sm font-medium text-blue-800 dark:text-blue-200">
{t('projectWizard.step3.cloningRepository', { defaultValue: 'Cloning repository...' })}
</p>
<code className="block whitespace-pre-wrap break-all font-mono text-xs text-blue-700 dark:text-blue-300">
{cloneProgress}
</code>
</div>
) : (
<p className="text-sm text-blue-800 dark:text-blue-200">
{formState.workspaceType === 'existing'
? t('projectWizard.step3.existingInfo')
: formState.githubUrl
? t('projectWizard.step3.newWithClone')
: t('projectWizard.step3.newEmpty')}
</p>
)}
</div>
</div>
);
}

View File

@@ -0,0 +1,71 @@
import { FolderPlus, GitBranch } from 'lucide-react';
import { useTranslation } from 'react-i18next';
import type { WorkspaceType } from '../types';
type StepTypeSelectionProps = {
workspaceType: WorkspaceType;
onWorkspaceTypeChange: (workspaceType: WorkspaceType) => void;
};
export default function StepTypeSelection({
workspaceType,
onWorkspaceTypeChange,
}: StepTypeSelectionProps) {
const { t } = useTranslation();
return (
<div className="space-y-4">
<h4 className="mb-3 text-sm font-medium text-gray-700 dark:text-gray-300">
{t('projectWizard.step1.question')}
</h4>
<div className="grid grid-cols-1 gap-4 md:grid-cols-2">
<button
onClick={() => onWorkspaceTypeChange('existing')}
className={`rounded-lg border-2 p-4 text-left transition-all ${
workspaceType === 'existing'
? 'border-blue-500 bg-blue-50 dark:bg-blue-900/20'
: 'border-gray-200 hover:border-gray-300 dark:border-gray-700 dark:hover:border-gray-600'
}`}
>
<div className="flex items-start gap-3">
<div className="flex h-10 w-10 flex-shrink-0 items-center justify-center rounded-lg bg-green-100 dark:bg-green-900/50">
<FolderPlus className="h-5 w-5 text-green-600 dark:text-green-400" />
</div>
<div className="flex-1">
<h5 className="mb-1 font-semibold text-gray-900 dark:text-white">
{t('projectWizard.step1.existing.title')}
</h5>
<p className="text-sm text-gray-600 dark:text-gray-400">
{t('projectWizard.step1.existing.description')}
</p>
</div>
</div>
</button>
<button
onClick={() => onWorkspaceTypeChange('new')}
className={`rounded-lg border-2 p-4 text-left transition-all ${
workspaceType === 'new'
? 'border-blue-500 bg-blue-50 dark:bg-blue-900/20'
: 'border-gray-200 hover:border-gray-300 dark:border-gray-700 dark:hover:border-gray-600'
}`}
>
<div className="flex items-start gap-3">
<div className="flex h-10 w-10 flex-shrink-0 items-center justify-center rounded-lg bg-purple-100 dark:bg-purple-900/50">
<GitBranch className="h-5 w-5 text-purple-600 dark:text-purple-400" />
</div>
<div className="flex-1">
<h5 className="mb-1 font-semibold text-gray-900 dark:text-white">
{t('projectWizard.step1.new.title')}
</h5>
<p className="text-sm text-gray-600 dark:text-gray-400">
{t('projectWizard.step1.new.description')}
</p>
</div>
</div>
</button>
</div>
</div>
);
}

View File

@@ -0,0 +1,62 @@
import { Check, ChevronLeft, ChevronRight, Loader2 } from 'lucide-react';
import { useTranslation } from 'react-i18next';
import { Button } from '../../../shared/view/ui';
import type { WizardStep } from '../types';
type WizardFooterProps = {
step: WizardStep;
isCreating: boolean;
isCloneWorkflow: boolean;
onClose: () => void;
onBack: () => void;
onNext: () => void;
onCreate: () => void;
};
export default function WizardFooter({
step,
isCreating,
isCloneWorkflow,
onClose,
onBack,
onNext,
onCreate,
}: WizardFooterProps) {
const { t } = useTranslation();
return (
<div className="flex items-center justify-between border-t border-gray-200 p-6 dark:border-gray-700">
<Button variant="outline" onClick={step === 1 ? onClose : onBack} disabled={isCreating}>
{step === 1 ? (
t('projectWizard.buttons.cancel')
) : (
<>
<ChevronLeft className="mr-1 h-4 w-4" />
{t('projectWizard.buttons.back')}
</>
)}
</Button>
<Button onClick={step === 3 ? onCreate : onNext} disabled={isCreating}>
{isCreating ? (
<>
<Loader2 className="mr-2 h-4 w-4 animate-spin" />
{isCloneWorkflow
? t('projectWizard.buttons.cloning', { defaultValue: 'Cloning...' })
: t('projectWizard.buttons.creating')}
</>
) : step === 3 ? (
<>
<Check className="mr-1 h-4 w-4" />
{t('projectWizard.buttons.createProject')}
</>
) : (
<>
{t('projectWizard.buttons.next')}
<ChevronRight className="ml-1 h-4 w-4" />
</>
)}
</Button>
</div>
);
}

View File

@@ -0,0 +1,52 @@
import { Fragment } from 'react';
import { Check } from 'lucide-react';
import { useTranslation } from 'react-i18next';
import type { WizardStep } from '../types';
type WizardProgressProps = {
step: WizardStep;
};
export default function WizardProgress({ step }: WizardProgressProps) {
const { t } = useTranslation();
const steps: WizardStep[] = [1, 2, 3];
return (
<div className="px-6 pb-2 pt-4">
<div className="flex items-center justify-between">
{steps.map((currentStep) => (
<Fragment key={currentStep}>
<div className="flex items-center gap-2">
<div
className={`flex h-8 w-8 items-center justify-center rounded-full text-sm font-medium ${
currentStep < step
? 'bg-green-500 text-white'
: currentStep === step
? 'bg-blue-500 text-white'
: 'bg-gray-200 text-gray-500 dark:bg-gray-700'
}`}
>
{currentStep < step ? <Check className="h-4 w-4" /> : currentStep}
</div>
<span className="hidden text-sm font-medium text-gray-700 dark:text-gray-300 sm:inline">
{currentStep === 1
? t('projectWizard.steps.type')
: currentStep === 2
? t('projectWizard.steps.configure')
: t('projectWizard.steps.confirm')}
</span>
</div>
{currentStep < 3 && (
<div
className={`mx-2 h-1 flex-1 rounded ${
currentStep < step ? 'bg-green-500' : 'bg-gray-200 dark:bg-gray-700'
}`}
/>
)}
</Fragment>
))}
</div>
</div>
);
}

View File

@@ -0,0 +1,136 @@
import { useCallback, useEffect, useState } from 'react';
import { FolderOpen } from 'lucide-react';
import { Button, Input } from '../../../shared/view/ui';
import { browseFilesystemFolders } from '../data/workspaceApi';
import { getSuggestionRootPath } from '../utils/pathUtils';
import type { FolderSuggestion, WorkspaceType } from '../types';
import FolderBrowserModal from './FolderBrowserModal';
type WorkspacePathFieldProps = {
workspaceType: WorkspaceType;
value: string;
disabled?: boolean;
onChange: (path: string) => void;
onAdvanceToConfirm: () => void;
};
export default function WorkspacePathField({
workspaceType,
value,
disabled = false,
onChange,
onAdvanceToConfirm,
}: WorkspacePathFieldProps) {
const [pathSuggestions, setPathSuggestions] = useState<FolderSuggestion[]>([]);
const [showPathDropdown, setShowPathDropdown] = useState(false);
const [showFolderBrowser, setShowFolderBrowser] = useState(false);
useEffect(() => {
if (value.trim().length <= 2) {
setPathSuggestions([]);
setShowPathDropdown(false);
return;
}
// Debounce path lookup to avoid firing a request for every keystroke.
const timerId = window.setTimeout(async () => {
try {
const directoryPath = getSuggestionRootPath(value);
const result = await browseFilesystemFolders(directoryPath);
const normalizedInput = value.toLowerCase();
const matchingSuggestions = result.suggestions
.filter((suggestion) => {
const normalizedSuggestion = suggestion.path.toLowerCase();
return (
normalizedSuggestion.startsWith(normalizedInput) &&
normalizedSuggestion !== normalizedInput
);
})
.slice(0, 5);
setPathSuggestions(matchingSuggestions);
setShowPathDropdown(matchingSuggestions.length > 0);
} catch (error) {
console.error('Failed to load path suggestions:', error);
}
}, 200);
return () => {
window.clearTimeout(timerId);
};
}, [value]);
const handleSuggestionSelect = useCallback(
(suggestion: FolderSuggestion) => {
onChange(suggestion.path);
setShowPathDropdown(false);
},
[onChange],
);
const handleFolderSelected = useCallback(
(selectedPath: string, advanceToConfirm: boolean) => {
onChange(selectedPath);
setShowFolderBrowser(false);
if (advanceToConfirm) {
onAdvanceToConfirm();
}
},
[onAdvanceToConfirm, onChange],
);
return (
<>
<div className="relative flex gap-2">
<div className="relative flex-1">
<Input
type="text"
value={value}
onChange={(event) => onChange(event.target.value)}
placeholder={
workspaceType === 'existing'
? '/path/to/existing/workspace'
: '/path/to/new/workspace'
}
className="w-full"
disabled={disabled}
/>
{showPathDropdown && pathSuggestions.length > 0 && (
<div className="absolute z-10 mt-1 max-h-60 w-full overflow-y-auto rounded-lg border border-gray-200 bg-white shadow-lg dark:border-gray-700 dark:bg-gray-800">
{pathSuggestions.map((suggestion) => (
<button
key={suggestion.path}
onClick={() => handleSuggestionSelect(suggestion)}
className="w-full px-4 py-2 text-left text-sm hover:bg-gray-100 dark:hover:bg-gray-700"
>
<div className="font-medium text-gray-900 dark:text-white">{suggestion.name}</div>
<div className="text-xs text-gray-500 dark:text-gray-400">{suggestion.path}</div>
</button>
))}
</div>
)}
</div>
<Button
type="button"
variant="outline"
onClick={() => setShowFolderBrowser(true)}
className="px-3"
title="Browse folders"
disabled={disabled}
>
<FolderOpen className="h-4 w-4" />
</Button>
</div>
<FolderBrowserModal
isOpen={showFolderBrowser}
autoAdvanceOnSelect={workspaceType === 'existing'}
onClose={() => setShowFolderBrowser(false)}
onFolderSelected={handleFolderSelected}
/>
</>
);
}

View File

@@ -0,0 +1,150 @@
import { api } from '../../../utils/api';
import type {
BrowseFilesystemResponse,
CloneProgressEvent,
CreateFolderResponse,
CreateWorkspacePayload,
CreateWorkspaceResponse,
CredentialsResponse,
FolderSuggestion,
TokenMode,
} from '../types';
type CloneWorkspaceParams = {
workspacePath: string;
githubUrl: string;
tokenMode: TokenMode;
selectedGithubToken: string;
newGithubToken: string;
};
type CloneProgressHandlers = {
onProgress: (message: string) => void;
};
const parseJson = async <T>(response: Response): Promise<T> => {
const data = (await response.json()) as T;
return data;
};
export const fetchGithubTokenCredentials = async () => {
const response = await api.get('/settings/credentials?type=github_token');
const data = await parseJson<CredentialsResponse>(response);
if (!response.ok) {
throw new Error(data.error || 'Failed to load GitHub tokens');
}
return (data.credentials || []).filter((credential) => credential.is_active);
};
export const browseFilesystemFolders = async (pathToBrowse: string) => {
const endpoint = `/browse-filesystem?path=${encodeURIComponent(pathToBrowse)}`;
const response = await api.get(endpoint);
const data = await parseJson<BrowseFilesystemResponse>(response);
if (!response.ok) {
throw new Error(data.error || 'Failed to browse filesystem');
}
return {
path: data.path || pathToBrowse,
suggestions: (data.suggestions || []) as FolderSuggestion[],
};
};
export const createFolderInFilesystem = async (folderPath: string) => {
const response = await api.createFolder(folderPath);
const data = await parseJson<CreateFolderResponse>(response);
if (!response.ok) {
throw new Error(data.error || 'Failed to create folder');
}
return data.path || folderPath;
};
export const createWorkspaceRequest = async (payload: CreateWorkspacePayload) => {
const response = await api.createWorkspace(payload);
const data = await parseJson<CreateWorkspaceResponse>(response);
if (!response.ok) {
throw new Error(data.details || data.error || 'Failed to create workspace');
}
return data.project;
};
const buildCloneProgressQuery = ({
workspacePath,
githubUrl,
tokenMode,
selectedGithubToken,
newGithubToken,
}: CloneWorkspaceParams) => {
const query = new URLSearchParams({
path: workspacePath.trim(),
githubUrl: githubUrl.trim(),
});
if (tokenMode === 'stored' && selectedGithubToken) {
query.set('githubTokenId', selectedGithubToken);
}
if (tokenMode === 'new' && newGithubToken.trim()) {
query.set('newGithubToken', newGithubToken.trim());
}
// EventSource cannot send custom headers, so the auth token is passed as query.
const authToken = localStorage.getItem('auth-token');
if (authToken) {
query.set('token', authToken);
}
return query.toString();
};
export const cloneWorkspaceWithProgress = (
params: CloneWorkspaceParams,
handlers: CloneProgressHandlers,
) =>
new Promise<Record<string, unknown> | undefined>((resolve, reject) => {
const query = buildCloneProgressQuery(params);
const eventSource = new EventSource(`/api/projects/clone-progress?${query}`);
let settled = false;
const settle = (callback: () => void) => {
if (settled) {
return;
}
settled = true;
eventSource.close();
callback();
};
eventSource.onmessage = (event) => {
try {
const payload = JSON.parse(event.data) as CloneProgressEvent;
if (payload.type === 'progress' && payload.message) {
handlers.onProgress(payload.message);
return;
}
if (payload.type === 'complete') {
settle(() => resolve(payload.project));
return;
}
if (payload.type === 'error') {
settle(() => reject(new Error(payload.message || 'Failed to clone repository')));
}
} catch (error) {
console.error('Error parsing clone progress event:', error);
}
};
eventSource.onerror = () => {
settle(() => reject(new Error('Connection lost during clone')));
};
});

View File

@@ -0,0 +1,73 @@
import { useEffect, useMemo, useRef, useState } from 'react';
import { fetchGithubTokenCredentials } from '../data/workspaceApi';
import type { GithubTokenCredential } from '../types';
type UseGithubTokensParams = {
shouldLoad: boolean;
selectedTokenId: string;
onAutoSelectToken: (tokenId: string) => void;
};
export const useGithubTokens = ({
shouldLoad,
selectedTokenId,
onAutoSelectToken,
}: UseGithubTokensParams) => {
const [tokens, setTokens] = useState<GithubTokenCredential[]>([]);
const [loading, setLoading] = useState(false);
const [loadError, setLoadError] = useState<string | null>(null);
const hasLoadedRef = useRef(false);
useEffect(() => {
if (!shouldLoad || hasLoadedRef.current) {
return;
}
let isDisposed = false;
const loadTokens = async () => {
setLoading(true);
setLoadError(null);
try {
const activeTokens = await fetchGithubTokenCredentials();
if (isDisposed) {
return;
}
setTokens(activeTokens);
hasLoadedRef.current = true;
if (activeTokens.length > 0 && !selectedTokenId) {
onAutoSelectToken(String(activeTokens[0].id));
}
} catch (error) {
if (!isDisposed) {
setLoadError(error instanceof Error ? error.message : 'Failed to load GitHub tokens');
}
} finally {
if (!isDisposed) {
setLoading(false);
}
}
};
loadTokens();
return () => {
isDisposed = true;
};
}, [onAutoSelectToken, selectedTokenId, shouldLoad]);
const selectedTokenName = useMemo(
() => tokens.find((token) => String(token.id) === selectedTokenId)?.credential_name || null,
[selectedTokenId, tokens],
);
return {
tokens,
loading,
loadError,
selectedTokenName,
};
};

View File

@@ -0,0 +1 @@
export { default } from './ProjectCreationWizard';

View File

@@ -0,0 +1,62 @@
export type WizardStep = 1 | 2 | 3;
export type WorkspaceType = 'existing' | 'new';
export type TokenMode = 'stored' | 'new' | 'none';
export type FolderSuggestion = {
name: string;
path: string;
type?: string;
};
export type GithubTokenCredential = {
id: number;
credential_name: string;
is_active: boolean;
};
export type CredentialsResponse = {
credentials?: GithubTokenCredential[];
error?: string;
};
export type BrowseFilesystemResponse = {
path?: string;
suggestions?: FolderSuggestion[];
error?: string;
};
export type CreateFolderResponse = {
success?: boolean;
path?: string;
error?: string;
details?: string;
};
export type CreateWorkspacePayload = {
workspaceType: WorkspaceType;
path: string;
};
export type CreateWorkspaceResponse = {
success?: boolean;
project?: Record<string, unknown>;
error?: string;
details?: string;
};
export type CloneProgressEvent = {
type?: string;
message?: string;
project?: Record<string, unknown>;
};
export type WizardFormState = {
workspaceType: WorkspaceType;
workspacePath: string;
githubUrl: string;
tokenMode: TokenMode;
selectedGithubToken: string;
newGithubToken: string;
};

View File

@@ -0,0 +1,52 @@
import type { WorkspaceType } from '../types';
const SSH_PREFIXES = ['git@', 'ssh://'];
const WINDOWS_DRIVE_PATTERN = /^[A-Za-z]:\\?$/;
export const isSshGitUrl = (url: string): boolean => {
const trimmedUrl = url.trim();
return SSH_PREFIXES.some((prefix) => trimmedUrl.startsWith(prefix));
};
export const shouldShowGithubAuthentication = (
workspaceType: WorkspaceType,
githubUrl: string,
): boolean => workspaceType === 'new' && githubUrl.trim().length > 0 && !isSshGitUrl(githubUrl);
export const isCloneWorkflow = (workspaceType: WorkspaceType, githubUrl: string): boolean =>
workspaceType === 'new' && githubUrl.trim().length > 0;
export const getSuggestionRootPath = (inputPath: string): string => {
const trimmedPath = inputPath.trim();
const lastSeparatorIndex = Math.max(trimmedPath.lastIndexOf('/'), trimmedPath.lastIndexOf('\\'));
if (lastSeparatorIndex === 2 && /^[A-Za-z]:/.test(trimmedPath)) {
return `${trimmedPath.slice(0, 2)}\\`;
}
return lastSeparatorIndex > 0 ? trimmedPath.slice(0, lastSeparatorIndex) : '~';
};
// Handles root edge cases for Unix-like and Windows paths.
export const getParentPath = (currentPath: string): string | null => {
if (currentPath === '~' || currentPath === '/' || WINDOWS_DRIVE_PATTERN.test(currentPath)) {
return null;
}
const lastSeparatorIndex = Math.max(currentPath.lastIndexOf('/'), currentPath.lastIndexOf('\\'));
if (lastSeparatorIndex <= 0) {
return '/';
}
if (lastSeparatorIndex === 2 && /^[A-Za-z]:/.test(currentPath)) {
return `${currentPath.slice(0, 2)}\\`;
}
return currentPath.slice(0, lastSeparatorIndex);
};
export const joinFolderPath = (basePath: string, folderName: string): string => {
const normalizedBasePath = basePath.trim().replace(/[\\/]+$/, '');
const separator =
normalizedBasePath.includes('\\') && !normalizedBasePath.includes('/') ? '\\' : '/';
return `${normalizedBasePath}${separator}${folderName.trim()}`;
};