Merge branch 'KIN-UI-012-frontend_dev'

This commit is contained in:
Gros Frumos 2026-03-18 15:39:54 +02:00
commit 8f5e0f6bd8
5 changed files with 63 additions and 1034 deletions

View file

@ -1,190 +1,37 @@
/** /**
* KIN-INFRA-012: Регрессионный тест saveDeployConfig не теряет пустые строки * KIN-INFRA-012 / KIN-UI-012: Регрессия формы deploy из SettingsView удалены
* *
* Проверяет, что пустая строка в deploy-полях: * saveDeployConfig и связанные deploy-поля перенесены в ProjectView Settings tab.
* 1. Передаётся в patchProject как "" (не undefined) * SettingsView теперь только навигатор.
* 2. Переживает JSON.stringify т.е. бэкенд получает ключ со значением ""
* 3. Непустые значения тоже передаются корректно
* *
* До фикса: `deploy_host: deployHosts.value[id] || undefined` пустая строка * Проверяет, что в SettingsView.vue отсутствуют удалённые формы.
* превращалась в undefined и JSON.stringify отбрасывал поле. Бэкенд не получал
* сигнал очистки. После фикса: пустая строка передаётся как-есть.
*/ */
import { describe, it, expect, vi, beforeEach } from 'vitest' import { describe, it, expect } from 'vitest'
import { mount, flushPromises } from '@vue/test-utils' import { readFileSync } from 'fs'
import SettingsView from '../views/SettingsView.vue' import { resolve } from 'path'
vi.mock('../api', async (importOriginal) => { describe('SettingsView.vue — формы deploy удалены (KIN-UI-012)', () => {
const actual = await importOriginal<typeof import('../api')>() const filePath = resolve(__dirname, '../views/SettingsView.vue')
return { const content = readFileSync(filePath, 'utf-8')
...actual,
api: { it('не содержит saveDeployConfig (форма перенесена в ProjectView)', () => {
projects: vi.fn(), expect(content).not.toContain('saveDeployConfig')
patchProject: vi.fn(),
syncObsidian: vi.fn(),
},
}
}) })
import { api } from '../api' it('не содержит deployHosts (реактивный ref удалён)', () => {
expect(content).not.toContain('deployHosts')
const BASE_PROJECT = {
id: 'KIN',
name: 'Kin',
path: '/projects/kin',
status: 'active',
priority: 5,
tech_stack: ['python'],
execution_mode: null,
autocommit_enabled: null,
auto_test_enabled: null,
obsidian_vault_path: null,
deploy_command: null as string | null,
test_command: null as string | null,
deploy_host: null as string | null,
deploy_path: null as string | null,
deploy_runtime: null as string | null,
deploy_restart_cmd: null as string | null,
created_at: '2024-01-01',
total_tasks: 0,
done_tasks: 0,
active_tasks: 0,
blocked_tasks: 0,
review_tasks: 0,
project_type: null,
ssh_host: null,
ssh_user: null,
ssh_key_path: null,
ssh_proxy_jump: null,
description: null,
}
beforeEach(() => {
vi.clearAllMocks()
vi.mocked(api.patchProject).mockResolvedValue(BASE_PROJECT as any)
}) })
async function mountSettingsWithProject(overrides: Partial<typeof BASE_PROJECT> = {}) { it('не содержит deploy_host input поле', () => {
const project = { ...BASE_PROJECT, ...overrides } expect(content).not.toContain('server host (e.g. vdp-prod)')
vi.mocked(api.projects).mockResolvedValue([project as any])
const wrapper = mount(SettingsView)
await flushPromises()
return wrapper
}
async function clickSaveDeployConfig(wrapper: ReturnType<typeof mount>) {
const saveBtn = wrapper.findAll('button').find(b => b.text().includes('Save Deploy Config'))
expect(saveBtn).toBeDefined()
await saveBtn!.trigger('click')
await flushPromises()
}
// ─────────────────────────────────────────────────────────────
// 1. Пустая строка передаётся как "" — не теряется как undefined
// ─────────────────────────────────────────────────────────────
describe('saveDeployConfig — пустые строки сохраняются в payload', () => {
it('deploy_host="" передаётся как "" когда поле пустое (не undefined)', async () => {
// null в проекте → инициализируется как '' в компоненте → должно передаться как ""
const wrapper = await mountSettingsWithProject({ deploy_host: null })
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect(callArgs[1]).toHaveProperty('deploy_host')
expect((callArgs[1] as any).deploy_host).toBe('')
}) })
it('deploy_path="" передаётся как "" когда поле пустое (не undefined)', async () => { it('не содержит test_command input поле', () => {
const wrapper = await mountSettingsWithProject({ deploy_path: null }) expect(content).not.toContain('placeholder="make test"')
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect(callArgs[1]).toHaveProperty('deploy_path')
expect((callArgs[1] as any).deploy_path).toBe('')
}) })
it('deploy_runtime="" передаётся как "" когда поле пустое (не undefined)', async () => { it('не содержит obsidian_vault_path input поле', () => {
const wrapper = await mountSettingsWithProject({ deploy_runtime: null }) expect(content).not.toContain('path/to/obsidian/vault')
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect(callArgs[1]).toHaveProperty('deploy_runtime')
expect((callArgs[1] as any).deploy_runtime).toBe('')
})
it('deploy_restart_cmd="" передаётся как "" когда поле пустое (не undefined)', async () => {
const wrapper = await mountSettingsWithProject({ deploy_restart_cmd: null })
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect(callArgs[1]).toHaveProperty('deploy_restart_cmd')
expect((callArgs[1] as any).deploy_restart_cmd).toBe('')
})
})
// ─────────────────────────────────────────────────────────────
// 2. JSON.stringify не выбрасывает пустые строки — бэкенд их получит
// ─────────────────────────────────────────────────────────────
describe('saveDeployConfig — пустые строки выживают JSON.stringify', () => {
it('все 4 поля присутствуют в JSON когда все значения пустые', async () => {
// Проект с null во всех deploy-полях → инициализируются как ''
const wrapper = await mountSettingsWithProject()
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
const payload = callArgs[1] as Record<string, unknown>
// Сериализуем как настоящий PATCH-запрос
const jsonBody = JSON.parse(JSON.stringify(payload))
expect(jsonBody).toHaveProperty('deploy_host', '')
expect(jsonBody).toHaveProperty('deploy_path', '')
expect(jsonBody).toHaveProperty('deploy_runtime', '')
expect(jsonBody).toHaveProperty('deploy_restart_cmd', '')
})
it('пустая строка выживает JSON.stringify (регрессия: undefined исчезает)', async () => {
const wrapper = await mountSettingsWithProject({ deploy_host: null })
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
const payload = callArgs[1] as Record<string, unknown>
const jsonBody = JSON.parse(JSON.stringify(payload))
// "" должна присутствовать в JSON как пустая строка
// undefined здесь отсутствовало бы — это был бы баг
expect(Object.keys(jsonBody)).toContain('deploy_host')
expect(jsonBody.deploy_host).toBe('')
expect(jsonBody.deploy_host).not.toBeUndefined()
})
})
// ─────────────────────────────────────────────────────────────
// 3. Непустые значения передаются корректно
// ─────────────────────────────────────────────────────────────
describe('saveDeployConfig — непустые значения передаются корректно', () => {
it('deploy_host с непустым значением передаётся без изменений', async () => {
const wrapper = await mountSettingsWithProject({ deploy_host: 'prod.example.com' })
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect((callArgs[1] as any).deploy_host).toBe('prod.example.com')
})
it('все 4 поля с непустыми значениями передаются корректно', async () => {
const wrapper = await mountSettingsWithProject({
deploy_host: 'prod.example.com',
deploy_path: '/opt/kin',
deploy_runtime: 'docker',
deploy_restart_cmd: 'docker compose restart',
})
await clickSaveDeployConfig(wrapper)
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
const payload = callArgs[1] as any
expect(payload.deploy_host).toBe('prod.example.com')
expect(payload.deploy_path).toBe('/opt/kin')
expect(payload.deploy_runtime).toBe('docker')
expect(payload.deploy_restart_cmd).toBe('docker compose restart')
}) })
}) })

View file

@ -2,18 +2,19 @@
* KIN-079: Стандартизированный deploy компонентные тесты * KIN-079: Стандартизированный deploy компонентные тесты
* *
* Проверяет: * Проверяет:
* 1. SettingsView deploy config рендерится, Save Deploy Config, runtime select * 1. ProjectView Deploy кнопка (видимость, disabled, спиннер)
* 2. ProjectView Deploy кнопка (видимость, disabled, спиннер) * 2. ProjectView Deploy результат (structured, legacy, dependents)
* 3. ProjectView Deploy результат (structured, legacy, dependents) * 3. ProjectView Links таб (список, add link модал, delete link)
* 4. ProjectView Links таб (список, add link модал, delete link) * 4. Граничные кейсы (пустые links, deploy без dependents, overall_success=false)
* 5. Граничные кейсы (пустые links, deploy без dependents, overall_success=false) *
* Примечание: тесты SettingsView (Deploy Config, Project Links) удалены (KIN-UI-012).
* Эти формы перенесены в ProjectView Settings tab.
*/ */
import { describe, it, expect, vi, beforeEach } from 'vitest' import { describe, it, expect, vi, beforeEach } from 'vitest'
import { mount, flushPromises } from '@vue/test-utils' import { mount, flushPromises } from '@vue/test-utils'
import { createRouter, createMemoryHistory } from 'vue-router' import { createRouter, createMemoryHistory } from 'vue-router'
import ProjectView from '../views/ProjectView.vue' import ProjectView from '../views/ProjectView.vue'
import SettingsView from '../views/SettingsView.vue'
vi.mock('../api', async (importOriginal) => { vi.mock('../api', async (importOriginal) => {
const actual = await importOriginal<typeof import('../api')>() const actual = await importOriginal<typeof import('../api')>()
@ -135,163 +136,7 @@ async function switchToLinksTab(wrapper: ReturnType<typeof mount>) {
} }
// ───────────────────────────────────────────────────────────── // ─────────────────────────────────────────────────────────────
// 1. SettingsView — Deploy Config // ProjectView — Deploy кнопка
// ─────────────────────────────────────────────────────────────
describe('SettingsView — Deploy Config', () => {
async function mountSettings(deployFields: Partial<typeof BASE_PROJECT> = {}) {
const project = { ...BASE_PROJECT, ...deployFields }
vi.mocked(api.projects).mockResolvedValue([project as any])
const wrapper = mount(SettingsView)
await flushPromises()
return wrapper
}
it('раздел Deploy Config рендерится для каждого проекта', async () => {
const wrapper = await mountSettings()
expect(wrapper.text()).toContain('Deploy Config')
})
it('поле Server host рендерится', async () => {
const wrapper = await mountSettings()
expect(wrapper.text()).toContain('Server host')
})
it('поле Project path on server рендерится', async () => {
const wrapper = await mountSettings()
expect(wrapper.text()).toContain('Project path on server')
})
it('поле Runtime рендерится', async () => {
const wrapper = await mountSettings()
expect(wrapper.text()).toContain('Runtime')
})
it('поле Restart command рендерится', async () => {
const wrapper = await mountSettings()
expect(wrapper.text()).toContain('Restart command')
})
it('runtime select содержит опции docker, node, python, static', async () => {
const wrapper = await mountSettings()
// Ищем select для runtime (первый select в Deploy Config)
const selects = wrapper.findAll('select')
// Находим select с options docker/node/python/static
const runtimeSelect = selects.find(s => {
const opts = s.findAll('option')
const values = opts.map(o => o.element.value)
return values.includes('docker') && values.includes('node')
})
expect(runtimeSelect).toBeDefined()
const values = runtimeSelect!.findAll('option').map(o => o.element.value)
expect(values).toContain('docker')
expect(values).toContain('node')
expect(values).toContain('python')
expect(values).toContain('static')
})
it('Save Deploy Config вызывает patchProject', async () => {
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text().includes('Save Deploy Config'))
expect(saveBtn).toBeDefined()
await saveBtn!.trigger('click')
await flushPromises()
expect(vi.mocked(api.patchProject)).toHaveBeenCalled()
})
it('patchProject вызывается с deploy_host, deploy_path, deploy_runtime, deploy_restart_cmd', async () => {
const wrapper = await mountSettings({
deploy_host: 'myserver.com',
deploy_path: '/opt/app',
deploy_runtime: 'docker',
deploy_restart_cmd: 'docker compose up -d',
})
const saveBtn = wrapper.findAll('button').find(b => b.text().includes('Save Deploy Config'))
await saveBtn!.trigger('click')
await flushPromises()
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect(callArgs[0]).toBe('KIN')
// Все 4 ключа присутствуют в объекте
expect(callArgs[1]).toHaveProperty('deploy_host')
expect(callArgs[1]).toHaveProperty('deploy_path')
expect(callArgs[1]).toHaveProperty('deploy_runtime')
expect(callArgs[1]).toHaveProperty('deploy_restart_cmd')
})
it('patchProject получает deploy_host=myserver.com из заполненного поля', async () => {
const wrapper = await mountSettings({ deploy_host: 'myserver.com' })
const saveBtn = wrapper.findAll('button').find(b => b.text().includes('Save Deploy Config'))
await saveBtn!.trigger('click')
await flushPromises()
const callArgs = vi.mocked(api.patchProject).mock.calls[0]
expect((callArgs[1] as any).deploy_host).toBe('myserver.com')
})
it('статус "Saved" отображается после успешного сохранения', async () => {
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text().includes('Save Deploy Config'))
await saveBtn!.trigger('click')
await flushPromises()
expect(wrapper.text()).toContain('Saved')
})
})
// ─────────────────────────────────────────────────────────────
// 1b. SettingsView — Project Links
// ─────────────────────────────────────────────────────────────
describe('SettingsView — Project Links', () => {
it('link.type рендерится корректно в списке связей — не undefined (конвенция #527)', async () => {
// Bug #527: шаблон использовал {{ link.link_type }} вместо {{ link.type }} → runtime undefined
vi.mocked(api.projectLinks).mockResolvedValue([
{ id: 1, from_project: 'KIN', to_project: 'BRS', type: 'triggers', description: null, created_at: '2026-01-01' },
] as any)
vi.mocked(api.projects).mockResolvedValue([BASE_PROJECT as any])
const wrapper = mount(SettingsView)
await flushPromises()
// Тип связи должен отображаться как строка, а не undefined
expect(wrapper.text()).toContain('triggers')
expect(wrapper.text()).not.toContain('undefined')
})
it('addLink вызывает createProjectLink с полем type (не link_type) из формы', async () => {
// Bug #527: addLink() использовал link_type вместо type при вызове api
vi.mocked(api.projects).mockResolvedValue([
{ ...BASE_PROJECT, id: 'BRS', name: 'Barsik' } as any,
BASE_PROJECT as any,
])
vi.mocked(api.projectLinks).mockResolvedValue([])
const wrapper = mount(SettingsView)
await flushPromises()
// Открываем форму добавления связи для первого проекта
const addBtns = wrapper.findAll('button').filter(b => b.text().includes('+ Add Link'))
if (addBtns.length > 0) {
await addBtns[0].trigger('click')
await flushPromises()
// Выбираем to_project (в SettingsView это select без api.projects — используем allProjectList)
const selects = wrapper.findAll('select')
const toProjectSelect = selects.find(s => s.findAll('option').some(o => o.element.value !== '' && o.element.value !== 'depends_on' && o.element.value !== 'triggers' && o.element.value !== 'related_to'))
if (toProjectSelect) {
const opts = toProjectSelect.findAll('option').filter(o => o.element.value !== '')
if (opts.length > 0) await toProjectSelect.setValue(opts[0].element.value)
}
const form = wrapper.find('form')
await form.trigger('submit')
await flushPromises()
if (vi.mocked(api.createProjectLink).mock.calls.length > 0) {
const callArg = vi.mocked(api.createProjectLink).mock.calls[0][0]
expect(callArg).toHaveProperty('type')
expect(callArg).not.toHaveProperty('link_type')
}
}
})
})
// ─────────────────────────────────────────────────────────────
// 2. ProjectView — Deploy кнопка
// ───────────────────────────────────────────────────────────── // ─────────────────────────────────────────────────────────────
describe('ProjectView — Deploy кнопка', () => { describe('ProjectView — Deploy кнопка', () => {
it('кнопка Deploy присутствует в header проекта', async () => { it('кнопка Deploy присутствует в header проекта', async () => {

View file

@ -1,199 +1,20 @@
<script setup lang="ts"> <script setup lang="ts">
import { ref, onMounted } from 'vue' import { ref, onMounted } from 'vue'
import { useI18n } from 'vue-i18n' import { useI18n } from 'vue-i18n'
import { api, type Project, type ObsidianSyncResult, type ProjectLink } from '../api' import { api, type Project } from '../api'
const { t } = useI18n() const { t } = useI18n()
const projects = ref<Project[]>([]) const projects = ref<Project[]>([])
const vaultPaths = ref<Record<string, string>>({})
const deployCommands = ref<Record<string, string>>({})
const testCommands = ref<Record<string, string>>({})
const autoTestEnabled = ref<Record<string, boolean>>({})
const worktreesEnabled = ref<Record<string, boolean>>({})
const saving = ref<Record<string, boolean>>({})
const savingTest = ref<Record<string, boolean>>({})
const savingAutoTest = ref<Record<string, boolean>>({})
const savingWorktrees = ref<Record<string, boolean>>({})
const syncing = ref<Record<string, boolean>>({})
const saveStatus = ref<Record<string, string>>({})
const saveTestStatus = ref<Record<string, string>>({})
const saveAutoTestStatus = ref<Record<string, string>>({})
const saveWorktreesStatus = ref<Record<string, string>>({})
const syncResults = ref<Record<string, ObsidianSyncResult | null>>({})
const error = ref<string | null>(null) const error = ref<string | null>(null)
// Deploy config
const deployHosts = ref<Record<string, string>>({})
const deployPaths = ref<Record<string, string>>({})
const deployRuntimes = ref<Record<string, string>>({})
const deployRestartCmds = ref<Record<string, string>>({})
const savingDeployConfig = ref<Record<string, boolean>>({})
const saveDeployConfigStatus = ref<Record<string, string>>({})
// Project Links
const projectLinksMap = ref<Record<string, ProjectLink[]>>({})
const linksLoading = ref<Record<string, boolean>>({})
const showAddLinkForm = ref<Record<string, boolean>>({})
const linkForms = ref<Record<string, { to_project: string; link_type: string; description: string }>>({})
const linkSaving = ref<Record<string, boolean>>({})
const linkError = ref<Record<string, string>>({})
const allProjectList = ref<{ id: string; name: string }[]>([])
onMounted(async () => { onMounted(async () => {
try { try {
projects.value = await api.projects() projects.value = await api.projects()
allProjectList.value = projects.value.map(p => ({ id: p.id, name: p.name }))
for (const p of projects.value) {
vaultPaths.value[p.id] = p.obsidian_vault_path ?? ''
deployCommands.value[p.id] = p.deploy_command ?? ''
testCommands.value[p.id] = p.test_command ?? ''
autoTestEnabled.value[p.id] = !!(p.auto_test_enabled)
worktreesEnabled.value[p.id] = !!(p.worktrees_enabled)
deployHosts.value[p.id] = p.deploy_host ?? ''
deployPaths.value[p.id] = p.deploy_path ?? ''
deployRuntimes.value[p.id] = p.deploy_runtime ?? ''
deployRestartCmds.value[p.id] = p.deploy_restart_cmd ?? ''
linkForms.value[p.id] = { to_project: '', link_type: 'depends_on', description: '' }
projectLinksMap.value[p.id] = []
}
await Promise.all(projects.value.map(p => loadLinks(p.id)))
} catch (e: unknown) { } catch (e: unknown) {
error.value = e instanceof Error ? e.message : String(e) error.value = e instanceof Error ? e.message : String(e)
} }
}) })
async function saveDeployConfig(projectId: string) {
savingDeployConfig.value[projectId] = true
saveDeployConfigStatus.value[projectId] = ''
try {
await api.patchProject(projectId, {
deploy_host: deployHosts.value[projectId],
deploy_path: deployPaths.value[projectId],
deploy_runtime: deployRuntimes.value[projectId],
deploy_restart_cmd: deployRestartCmds.value[projectId],
deploy_command: deployCommands.value[projectId],
})
saveDeployConfigStatus.value[projectId] = t('common.saved')
} catch (e: unknown) {
saveDeployConfigStatus.value[projectId] = `${t('common.error')}: ${e instanceof Error ? e.message : String(e)}`
} finally {
savingDeployConfig.value[projectId] = false
}
}
async function saveVaultPath(projectId: string) {
saving.value[projectId] = true
saveStatus.value[projectId] = ''
try {
await api.patchProject(projectId, { obsidian_vault_path: vaultPaths.value[projectId] })
saveStatus.value[projectId] = t('common.saved')
} catch (e: unknown) {
saveStatus.value[projectId] = `${t('common.error')}: ${e instanceof Error ? e.message : String(e)}`
} finally {
saving.value[projectId] = false
}
}
async function saveTestCommand(projectId: string) {
savingTest.value[projectId] = true
saveTestStatus.value[projectId] = ''
try {
await api.patchProject(projectId, { test_command: testCommands.value[projectId] })
saveTestStatus.value[projectId] = t('common.saved')
} catch (e: unknown) {
saveTestStatus.value[projectId] = `${t('common.error')}: ${e instanceof Error ? e.message : String(e)}`
} finally {
savingTest.value[projectId] = false
}
}
async function toggleAutoTest(projectId: string) {
autoTestEnabled.value[projectId] = !autoTestEnabled.value[projectId]
savingAutoTest.value[projectId] = true
saveAutoTestStatus.value[projectId] = ''
try {
await api.patchProject(projectId, { auto_test_enabled: autoTestEnabled.value[projectId] })
saveAutoTestStatus.value[projectId] = t('common.saved')
} catch (e: unknown) {
autoTestEnabled.value[projectId] = !autoTestEnabled.value[projectId]
saveAutoTestStatus.value[projectId] = `${t('common.error')}: ${e instanceof Error ? e.message : String(e)}`
} finally {
savingAutoTest.value[projectId] = false
}
}
async function toggleWorktrees(projectId: string) {
worktreesEnabled.value[projectId] = !worktreesEnabled.value[projectId]
savingWorktrees.value[projectId] = true
saveWorktreesStatus.value[projectId] = ''
try {
await api.patchProject(projectId, { worktrees_enabled: worktreesEnabled.value[projectId] })
saveWorktreesStatus.value[projectId] = t('common.saved')
} catch (e: unknown) {
worktreesEnabled.value[projectId] = !worktreesEnabled.value[projectId]
saveWorktreesStatus.value[projectId] = `${t('common.error')}: ${e instanceof Error ? e.message : String(e)}`
} finally {
savingWorktrees.value[projectId] = false
}
}
async function runSync(projectId: string) {
syncing.value[projectId] = true
syncResults.value[projectId] = null
saveStatus.value[projectId] = ''
try {
await api.patchProject(projectId, { obsidian_vault_path: vaultPaths.value[projectId] })
syncResults.value[projectId] = await api.syncObsidian(projectId)
} catch (e: unknown) {
saveStatus.value[projectId] = `Sync error: ${e instanceof Error ? e.message : String(e)}`
} finally {
syncing.value[projectId] = false
}
}
async function loadLinks(projectId: string) {
linksLoading.value[projectId] = true
try {
projectLinksMap.value[projectId] = await api.projectLinks(projectId)
} catch (e: unknown) {
linkError.value[projectId] = e instanceof Error ? e.message : String(e)
} finally {
linksLoading.value[projectId] = false
}
}
async function addLink(projectId: string) {
const form = linkForms.value[projectId]
if (!form.to_project) { linkError.value[projectId] = t('settings.select_project_error'); return }
linkSaving.value[projectId] = true
linkError.value[projectId] = ''
try {
await api.createProjectLink({
from_project: projectId,
to_project: form.to_project,
type: form.link_type,
description: form.description || undefined,
})
showAddLinkForm.value[projectId] = false
linkForms.value[projectId] = { to_project: '', link_type: 'depends_on', description: '' }
await loadLinks(projectId)
} catch (e: unknown) {
linkError.value[projectId] = e instanceof Error ? e.message : String(e)
} finally {
linkSaving.value[projectId] = false
}
}
async function deleteLink(projectId: string, linkId: number) {
if (!confirm(t('settings.delete_link_confirm'))) return
try {
await api.deleteProjectLink(linkId)
await loadLinks(projectId)
} catch (e: unknown) {
linkError.value[projectId] = e instanceof Error ? e.message : String(e)
}
}
</script> </script>
<template> <template>
@ -202,249 +23,34 @@ async function deleteLink(projectId: string, linkId: number) {
<div v-if="error" class="text-red-400 mb-4">{{ error }}</div> <div v-if="error" class="text-red-400 mb-4">{{ error }}</div>
<div v-for="project in projects" :key="project.id" class="mb-6 p-4 border border-gray-700 rounded-lg"> <div class="overflow-x-auto">
<div class="flex items-center gap-3 mb-3"> <table class="w-full text-sm">
<span class="font-medium text-gray-100">{{ project.name }}</span> <thead>
<span class="text-xs text-gray-500 font-mono">{{ project.id }}</span> <tr class="text-left text-xs text-gray-500 border-b border-gray-800">
<span v-if="project.execution_mode" class="text-xs text-gray-500 shrink-0">{{ project.execution_mode }}</span> <th class="pb-2 pr-6 font-medium">Name</th>
<a :href="'/project/' + project.id + '?tab=settings'" <th class="pb-2 pr-6 font-medium font-mono">ID</th>
class="ml-auto px-3 py-1 text-xs bg-gray-800 text-gray-300 border border-gray-700 rounded hover:bg-gray-700 no-underline shrink-0"> <th class="pb-2 pr-6 font-medium">Mode</th>
<th class="pb-2 pr-6 font-medium">Status</th>
<th class="pb-2 font-medium"></th>
</tr>
</thead>
<tbody>
<tr v-for="project in projects" :key="project.id" class="border-b border-gray-800 hover:bg-gray-800/30">
<td class="py-2 pr-6 text-gray-100">{{ project.name }}</td>
<td class="py-2 pr-6 text-gray-500 font-mono text-xs">{{ project.id }}</td>
<td class="py-2 pr-6 text-gray-400 text-xs">{{ project.execution_mode ?? '—' }}</td>
<td class="py-2 pr-6 text-gray-400 text-xs">{{ project.status }}</td>
<td class="py-2">
<router-link
:to="`/project/${project.id}?tab=settings`"
class="px-3 py-1 text-xs bg-gray-800 text-gray-300 border border-gray-700 rounded hover:bg-gray-700 no-underline"
>
{{ t('settings.open_settings') }} {{ t('settings.open_settings') }}
</a> </router-link>
</div> </td>
</tr>
<div class="mb-3"> </tbody>
<label class="block text-xs text-gray-400 mb-1">{{ t('settings.obsidian_vault_path') }}</label> </table>
<input
v-model="vaultPaths[project.id]"
type="text"
placeholder="/path/to/obsidian/vault"
class="w-full bg-gray-900 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
</div>
<div class="mb-3">
<label class="block text-xs text-gray-400 mb-1">{{ t('settings.test_command') }}</label>
<input
v-model="testCommands[project.id]"
type="text"
placeholder="make test"
class="w-full bg-gray-900 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
<p class="text-xs text-gray-600 mt-1">{{ t('settings.test_command_hint') }}</p>
</div>
<div class="flex items-center gap-3 flex-wrap mb-3">
<button
@click="saveTestCommand(project.id)"
:disabled="savingTest[project.id]"
class="px-3 py-1.5 text-sm bg-gray-700 hover:bg-gray-600 text-gray-200 rounded disabled:opacity-50"
>
{{ savingTest[project.id] ? t('settings.saving_test') : t('settings.save_test') }}
</button>
<span v-if="saveTestStatus[project.id]" class="text-xs" :class="saveTestStatus[project.id].startsWith(t('common.error')) ? 'text-red-400' : 'text-green-400'">
{{ saveTestStatus[project.id] }}
</span>
</div>
<!-- Deploy Config -->
<div class="mb-2 pt-2 border-t border-gray-800">
<p class="text-xs font-semibold text-gray-400 mb-2">{{ t('settings.deploy_config') }}</p>
<div class="mb-2">
<label class="block text-xs text-gray-500 mb-1">{{ t('settings.server_host') }}</label>
<input
v-model="deployHosts[project.id]"
type="text"
placeholder="server host (e.g. vdp-prod)"
class="w-full bg-gray-800 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
</div>
<div class="mb-2">
<label class="block text-xs text-gray-500 mb-1">{{ t('settings.project_path_on_server') }}</label>
<input
v-model="deployPaths[project.id]"
type="text"
placeholder="/srv/myproject"
class="w-full bg-gray-800 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
</div>
<div class="mb-2">
<label class="block text-xs text-gray-500 mb-1">{{ t('settings.runtime') }}</label>
<select
v-model="deployRuntimes[project.id]"
class="w-full bg-gray-800 border border-gray-700 rounded px-3 py-2 text-sm text-gray-300 focus:outline-none focus:border-gray-500"
>
<option value="">{{ t('settings.select_runtime') }}</option>
<option value="docker">docker</option>
<option value="node">node</option>
<option value="python">python</option>
<option value="static">static</option>
</select>
</div>
<div class="mb-2">
<label class="block text-xs text-gray-500 mb-1">{{ t('settings.restart_command') }}</label>
<input
v-model="deployRestartCmds[project.id]"
type="text"
placeholder="optional override command"
class="w-full bg-gray-800 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
</div>
<div class="mb-2">
<label class="block text-xs text-gray-500 mb-1">{{ t('settings.fallback_command') }}</label>
<input
v-model="deployCommands[project.id]"
type="text"
placeholder="git push origin main"
class="w-full bg-gray-800 border border-gray-700 rounded px-3 py-2 text-sm text-gray-200 font-mono focus:outline-none focus:border-gray-500"
/>
</div>
<div class="flex items-center gap-3 flex-wrap mb-3">
<button
@click="saveDeployConfig(project.id)"
:disabled="savingDeployConfig[project.id]"
class="px-3 py-1.5 text-sm bg-teal-900/50 text-teal-400 border border-teal-800 rounded hover:bg-teal-900 disabled:opacity-50"
>
{{ savingDeployConfig[project.id] ? t('settings.saving_deploy') : t('settings.save_deploy_config') }}
</button>
<span v-if="saveDeployConfigStatus[project.id]" class="text-xs" :class="saveDeployConfigStatus[project.id].startsWith(t('common.error')) ? 'text-red-400' : 'text-green-400'">
{{ saveDeployConfigStatus[project.id] }}
</span>
</div>
</div>
<!-- Project Links -->
<div class="mb-2 pt-2 border-t border-gray-800">
<div class="flex items-center justify-between mb-2">
<p class="text-xs font-semibold text-gray-400">{{ t('settings.project_links') }}</p>
<button
@click="showAddLinkForm[project.id] = !showAddLinkForm[project.id]"
class="px-2 py-0.5 text-xs bg-gray-800 text-gray-300 border border-gray-700 rounded hover:bg-gray-700"
>
{{ t('settings.add_link') }}
</button>
</div>
<p v-if="linksLoading[project.id]" class="text-xs text-gray-500">{{ t('settings.links_loading') }}</p>
<p v-else-if="linkError[project.id]" class="text-xs text-red-400">{{ linkError[project.id] }}</p>
<div v-else-if="!projectLinksMap[project.id]?.length" class="text-xs text-gray-600">{{ t('settings.no_links') }}</div>
<div v-else class="space-y-1 mb-2">
<div v-for="link in projectLinksMap[project.id]" :key="link.id"
class="flex items-center gap-2 px-2 py-1 bg-gray-900 border border-gray-800 rounded text-xs">
<span class="text-gray-500 font-mono">{{ link.from_project }}</span>
<span class="text-gray-600"></span>
<span class="text-gray-500 font-mono">{{ link.to_project }}</span>
<span class="px-1 bg-indigo-900/30 text-indigo-400 border border-indigo-800 rounded">{{ link.type }}</span>
<span v-if="link.description" class="text-gray-600">{{ link.description }}</span>
<button @click="deleteLink(project.id, link.id)"
class="ml-auto text-red-500 hover:text-red-400 bg-transparent border-none cursor-pointer text-xs shrink-0">
</button>
</div>
</div>
<form v-if="showAddLinkForm[project.id]" @submit.prevent="addLink(project.id)" class="space-y-2 p-2 bg-gray-900 border border-gray-800 rounded">
<div>
<label class="block text-[10px] text-gray-500 mb-0.5">From (current)</label>
<input :value="project.id" disabled class="w-full bg-gray-800 border border-gray-700 rounded px-2 py-1 text-xs text-gray-500 font-mono" />
</div>
<div>
<label class="block text-[10px] text-gray-500 mb-0.5">To project</label>
<select v-model="linkForms[project.id].to_project" required
class="w-full bg-gray-800 border border-gray-700 rounded px-2 py-1 text-xs text-gray-300">
<option value="">{{ t('settings.select_project') }}</option>
<option v-for="p in allProjectList.filter(p => p.id !== project.id)" :key="p.id" :value="p.id">{{ p.id }} {{ p.name }}</option>
</select>
</div>
<div>
<label class="block text-[10px] text-gray-500 mb-0.5">Link type</label>
<select v-model="linkForms[project.id].link_type"
class="w-full bg-gray-800 border border-gray-700 rounded px-2 py-1 text-xs text-gray-300">
<option value="depends_on">depends_on</option>
<option value="triggers">triggers</option>
<option value="related_to">related_to</option>
</select>
</div>
<div>
<label class="block text-[10px] text-gray-500 mb-0.5">Description (optional)</label>
<input v-model="linkForms[project.id].description" placeholder="e.g. API used by frontend"
class="w-full bg-gray-800 border border-gray-700 rounded px-2 py-1 text-xs text-gray-200 placeholder-gray-600" />
</div>
<div class="flex gap-2">
<button type="submit" :disabled="linkSaving[project.id]"
class="px-3 py-1 text-xs bg-blue-900/50 text-blue-400 border border-blue-800 rounded hover:bg-blue-900 disabled:opacity-50">
{{ linkSaving[project.id] ? t('settings.saving_link') : t('common.add') }}
</button>
<button type="button" @click="showAddLinkForm[project.id] = false; linkError[project.id] = ''"
class="px-3 py-1 text-xs text-gray-500 hover:text-gray-300 bg-transparent border-none cursor-pointer">
{{ t('settings.cancel_link') }}
</button>
</div>
</form>
</div>
<div class="flex items-center gap-3 mb-3">
<label class="flex items-center gap-2 cursor-pointer select-none">
<input
type="checkbox"
:checked="autoTestEnabled[project.id]"
@change="toggleAutoTest(project.id)"
:disabled="savingAutoTest[project.id]"
class="w-4 h-4 rounded border-gray-600 bg-gray-800 accent-blue-500 cursor-pointer disabled:opacity-50"
/>
<span class="text-sm text-gray-300">{{ t('settings.auto_test') }}</span>
<span class="text-xs text-gray-500">{{ t('settings.auto_test_hint') }}</span>
</label>
<span v-if="saveAutoTestStatus[project.id]" class="text-xs" :class="saveAutoTestStatus[project.id].startsWith(t('common.error')) ? 'text-red-400' : 'text-green-400'">
{{ saveAutoTestStatus[project.id] }}
</span>
</div>
<div class="flex items-center gap-3 mb-3">
<label class="flex items-center gap-2 cursor-pointer select-none">
<input
type="checkbox"
:checked="worktreesEnabled[project.id]"
@change="toggleWorktrees(project.id)"
:disabled="savingWorktrees[project.id]"
class="w-4 h-4 rounded border-gray-600 bg-gray-800 accent-blue-500 cursor-pointer disabled:opacity-50"
/>
<span class="text-sm text-gray-300">{{ t('settings.worktrees') }}</span>
<span class="text-xs text-gray-500">{{ t('settings.worktrees_hint') }}</span>
</label>
<span v-if="saveWorktreesStatus[project.id]" class="text-xs" :class="saveWorktreesStatus[project.id].startsWith(t('common.error')) ? 'text-red-400' : 'text-green-400'">
{{ saveWorktreesStatus[project.id] }}
</span>
</div>
<div class="flex items-center gap-3 flex-wrap">
<button
@click="saveVaultPath(project.id)"
:disabled="saving[project.id]"
class="px-3 py-1.5 text-sm bg-gray-700 hover:bg-gray-600 text-gray-200 rounded disabled:opacity-50"
>
{{ saving[project.id] ? t('settings.saving_vault') : t('settings.save_vault') }}
</button>
<button
@click="runSync(project.id)"
:disabled="syncing[project.id] || !vaultPaths[project.id]"
class="px-3 py-1.5 text-sm bg-indigo-700 hover:bg-indigo-600 text-white rounded disabled:opacity-50"
>
{{ syncing[project.id] ? t('settings.syncing') : t('settings.sync_obsidian') }}
</button>
<span v-if="saveStatus[project.id]" class="text-xs" :class="saveStatus[project.id].startsWith(t('common.error')) ? 'text-red-400' : 'text-green-400'">
{{ saveStatus[project.id] }}
</span>
</div>
<div v-if="syncResults[project.id]" class="mt-3 p-3 bg-gray-900 rounded text-xs text-gray-300">
<div>Exported: <span class="text-green-400 font-medium">{{ syncResults[project.id]!.exported_decisions }}</span> decisions</div>
<div>Updated: <span class="text-green-400 font-medium">{{ syncResults[project.id]!.tasks_updated }}</span> tasks</div>
<div v-if="syncResults[project.id]!.errors.length > 0" class="mt-1">
<div v-for="err in syncResults[project.id]!.errors" :key="err" class="text-red-400">{{ err }}</div>
</div>
</div>
</div> </div>
</div> </div>
</template> </template>

View file

@ -1,87 +1,14 @@
/** /**
* KIN-UI-013: Регрессионный тест CSS-класс ошибки в SettingsView * KIN-UI-013: Регрессионный тест статический анализ SettingsView
* *
* До фикса: .startsWith('Error') хардкод английской строки, ломался при смене локали. * Проверяет, что хардкод английской строки 'Error' в .startsWith() не используется.
* После фикса: .startsWith(t('common.error')) использует i18n-ключ. * Поведенческие тесты кнопок сохранения удалены вместе с самими формами (KIN-UI-012).
*
* Проверяет:
* 1. Литеральный .startsWith('Error') отсутствует в SettingsView.vue
* 2. При ошибке API статусный span получает CSS-класс text-red-400
* 3. При успехе API статусный span получает CSS-класс text-green-400
* 4. Покрывает все 5 статусных полей:
* saveStatus, saveTestStatus, saveDeployConfigStatus,
* saveAutoTestStatus, saveWorktreesStatus
*/ */
import { describe, it, expect, vi, beforeEach } from 'vitest' import { describe, it, expect } from 'vitest'
import { mount, flushPromises } from '@vue/test-utils'
import { readFileSync } from 'fs' import { readFileSync } from 'fs'
import { resolve } from 'path' import { resolve } from 'path'
import SettingsView from '../SettingsView.vue'
vi.mock('../../api', async (importOriginal) => {
const actual = await importOriginal<typeof import('../../api')>()
return {
...actual,
api: {
projects: vi.fn(),
projectLinks: vi.fn(),
patchProject: vi.fn(),
syncObsidian: vi.fn(),
},
}
})
import { api } from '../../api'
const BASE_PROJECT = {
id: 'proj-1',
name: 'Test Project',
path: '/projects/test',
status: 'active',
priority: 5,
tech_stack: ['python'],
execution_mode: null as string | null,
autocommit_enabled: null,
auto_test_enabled: null,
worktrees_enabled: null as number | null,
obsidian_vault_path: null,
deploy_command: null,
test_command: null,
deploy_host: null,
deploy_path: null,
deploy_runtime: null,
deploy_restart_cmd: null,
created_at: '2024-01-01',
total_tasks: 0,
done_tasks: 0,
active_tasks: 0,
blocked_tasks: 0,
review_tasks: 0,
project_type: null,
ssh_host: null,
ssh_user: null,
ssh_key_path: null,
ssh_proxy_jump: null,
description: null,
}
beforeEach(() => {
vi.clearAllMocks()
vi.mocked(api.projectLinks).mockResolvedValue([])
})
async function mountSettings(overrides: Partial<typeof BASE_PROJECT> = {}) {
const project = { ...BASE_PROJECT, ...overrides }
vi.mocked(api.projects).mockResolvedValue([project as any])
const wrapper = mount(SettingsView)
await flushPromises()
return wrapper
}
// ─────────────────────────────────────────────────────────────
// 1. Статический анализ: .startsWith('Error') не используется
// ─────────────────────────────────────────────────────────────
describe('SettingsView.vue — статический анализ', () => { describe('SettingsView.vue — статический анализ', () => {
it("не содержит .startsWith('Error') (одинарные кавычки)", () => { it("не содержит .startsWith('Error') (одинарные кавычки)", () => {
const filePath = resolve(__dirname, '../SettingsView.vue') const filePath = resolve(__dirname, '../SettingsView.vue')
@ -94,123 +21,4 @@ describe('SettingsView.vue — статический анализ', () => {
const content = readFileSync(filePath, 'utf-8') const content = readFileSync(filePath, 'utf-8')
expect(content).not.toContain('.startsWith("Error")') expect(content).not.toContain('.startsWith("Error")')
}) })
it('содержит .startsWith(t(\'common.error\')) — i18n-версию', () => {
const filePath = resolve(__dirname, '../SettingsView.vue')
const content = readFileSync(filePath, 'utf-8')
expect(content).toContain("startsWith(t('common.error'))")
})
})
// ─────────────────────────────────────────────────────────────
// 2. saveVaultPath — CSS-классы при ошибке и успехе
// ─────────────────────────────────────────────────────────────
describe('SettingsView — saveVaultPath CSS-классы', () => {
it('saveStatus: text-red-400 при ошибке API', async () => {
vi.mocked(api.patchProject).mockRejectedValue(new Error('network error'))
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text() === 'Save Vault')
expect(saveBtn?.exists()).toBe(true)
await saveBtn!.trigger('click')
await flushPromises()
const errorSpan = wrapper.find('.text-red-400')
expect(errorSpan.exists()).toBe(true)
expect(errorSpan.text()).toMatch(/^Error:/)
})
it('saveStatus: text-green-400 при успехе API', async () => {
vi.mocked(api.patchProject).mockResolvedValue({} as any)
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text() === 'Save Vault')
await saveBtn!.trigger('click')
await flushPromises()
const successSpan = wrapper.find('.text-green-400')
expect(successSpan.exists()).toBe(true)
})
})
// ─────────────────────────────────────────────────────────────
// 3. saveTestCommand — CSS-класс при ошибке
// ─────────────────────────────────────────────────────────────
describe('SettingsView — saveTestCommand CSS-классы', () => {
it('saveTestStatus: text-red-400 при ошибке API', async () => {
vi.mocked(api.patchProject).mockRejectedValue(new Error('test save failed'))
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text() === 'Save Test')
expect(saveBtn?.exists()).toBe(true)
await saveBtn!.trigger('click')
await flushPromises()
const errorSpan = wrapper.find('.text-red-400')
expect(errorSpan.exists()).toBe(true)
expect(errorSpan.text()).toMatch(/^Error:/)
})
})
// ─────────────────────────────────────────────────────────────
// 4. saveDeployConfig — CSS-класс при ошибке
// ─────────────────────────────────────────────────────────────
describe('SettingsView — saveDeployConfig CSS-классы', () => {
it('saveDeployConfigStatus: text-red-400 при ошибке API', async () => {
vi.mocked(api.patchProject).mockRejectedValue(new Error('deploy save failed'))
const wrapper = await mountSettings()
const saveBtn = wrapper.findAll('button').find(b => b.text() === 'Save Deploy Config')
expect(saveBtn?.exists()).toBe(true)
await saveBtn!.trigger('click')
await flushPromises()
const errorSpan = wrapper.find('.text-red-400')
expect(errorSpan.exists()).toBe(true)
expect(errorSpan.text()).toMatch(/^Error:/)
})
})
// ─────────────────────────────────────────────────────────────
// 5. toggleAutoTest — CSS-класс при ошибке
// ─────────────────────────────────────────────────────────────
describe('SettingsView — toggleAutoTest CSS-классы', () => {
it('saveAutoTestStatus: text-red-400 при ошибке API', async () => {
vi.mocked(api.patchProject).mockRejectedValue(new Error('auto-test toggle failed'))
const wrapper = await mountSettings()
const checkbox = wrapper.findAll('input[type="checkbox"]').find((el) => {
const label = el.element.closest('label')
return label?.textContent?.includes('Auto-test')
})
expect(checkbox?.exists()).toBe(true)
await checkbox!.trigger('change')
await flushPromises()
const errorSpan = wrapper.find('.text-red-400')
expect(errorSpan.exists()).toBe(true)
expect(errorSpan.text()).toMatch(/^Error:/)
})
})
// ─────────────────────────────────────────────────────────────
// 6. toggleWorktrees — CSS-класс при ошибке
// ─────────────────────────────────────────────────────────────
describe('SettingsView — toggleWorktrees CSS-классы', () => {
it('saveWorktreesStatus: text-red-400 при ошибке API', async () => {
vi.mocked(api.patchProject).mockRejectedValue(new Error('worktrees toggle failed'))
const wrapper = await mountSettings()
const checkbox = wrapper.findAll('input[type="checkbox"]').find((el) => {
const label = el.element.closest('label')
return label?.textContent?.includes('Worktrees')
})
expect(checkbox?.exists()).toBe(true)
await checkbox!.trigger('change')
await flushPromises()
const errorSpan = wrapper.find('.text-red-400')
expect(errorSpan.exists()).toBe(true)
expect(errorSpan.text()).toMatch(/^Error:/)
})
}) })

View file

@ -1,5 +1,5 @@
/** /**
* KIN-120: Тесты SettingsView навигатор по настройкам проектов * KIN-UI-012: Тесты SettingsView навигатор по настройкам проектов
* *
* После рефакторинга SettingsView стал навигатором: * После рефакторинга SettingsView стал навигатором:
* показывает список проектов и ссылки на /project/{id}?tab=settings. * показывает список проектов и ссылки на /project/{id}?tab=settings.
@ -23,8 +23,6 @@ vi.mock('../../api', async (importOriginal) => {
...actual, ...actual,
api: { api: {
projects: vi.fn(), projects: vi.fn(),
projectLinks: vi.fn(),
patchProject: vi.fn(),
}, },
} }
}) })
@ -75,8 +73,6 @@ function makeRouter() {
beforeEach(() => { beforeEach(() => {
vi.clearAllMocks() vi.clearAllMocks()
vi.mocked(api.projectLinks).mockResolvedValue([])
vi.mocked(api.patchProject).mockResolvedValue({} as any)
}) })
async function mountSettings(overrides: Partial<typeof BASE_PROJECT> = {}) { async function mountSettings(overrides: Partial<typeof BASE_PROJECT> = {}) {
@ -127,76 +123,3 @@ describe('SettingsView — навигатор', () => {
expect(wrapper.text()).not.toContain('auto_complete') expect(wrapper.text()).not.toContain('auto_complete')
}) })
}) })
// --- KIN-120: Isolation and field presence tests ---
async function mountSettingsMultiple(projects: Partial<typeof BASE_PROJECT>[]) {
vi.mocked(api.projects).mockResolvedValue(projects as any[])
const router = makeRouter()
await router.push('/settings')
const wrapper = mount(SettingsView, { global: { plugins: [router] } })
await flushPromises()
return wrapper
}
describe('SettingsView — изоляция настроек проектов', () => {
it('obsidian_vault_path proj-1 и proj-2 независимы', async () => {
const proj1 = { ...BASE_PROJECT, id: 'proj-1', obsidian_vault_path: '/vault/proj1' }
const proj2 = { ...BASE_PROJECT, id: 'proj-2', name: 'Second Project', obsidian_vault_path: '/vault/proj2' }
const wrapper = await mountSettingsMultiple([proj1, proj2])
const inputs = wrapper.findAll('input[placeholder="/path/to/obsidian/vault"]')
expect(inputs).toHaveLength(2)
expect((inputs[0].element as HTMLInputElement).value).toBe('/vault/proj1')
expect((inputs[1].element as HTMLInputElement).value).toBe('/vault/proj2')
})
it('test_command proj-1 не перекрывает test_command proj-2', async () => {
const proj1 = { ...BASE_PROJECT, id: 'proj-1', test_command: 'make test' }
const proj2 = { ...BASE_PROJECT, id: 'proj-2', name: 'Second Project', test_command: 'npm test' }
const wrapper = await mountSettingsMultiple([proj1, proj2])
const inputs = wrapper.findAll('input[placeholder="make test"]')
expect(inputs).toHaveLength(2)
expect((inputs[0].element as HTMLInputElement).value).toBe('make test')
expect((inputs[1].element as HTMLInputElement).value).toBe('npm test')
})
it('deploy_host proj-1 не перекрывает deploy_host proj-2', async () => {
const proj1 = { ...BASE_PROJECT, id: 'proj-1', deploy_host: 'server-a' }
const proj2 = { ...BASE_PROJECT, id: 'proj-2', name: 'Second Project', deploy_host: 'server-b' }
const wrapper = await mountSettingsMultiple([proj1, proj2])
const inputs = wrapper.findAll('input[placeholder="server host (e.g. vdp-prod)"]')
expect(inputs).toHaveLength(2)
expect((inputs[0].element as HTMLInputElement).value).toBe('server-a')
expect((inputs[1].element as HTMLInputElement).value).toBe('server-b')
})
})
describe('SettingsView — наличие полей настроек', () => {
it('показывает поле obsidian_vault_path', async () => {
const wrapper = await mountSettings({ obsidian_vault_path: '/vault/test' })
const input = wrapper.find('input[placeholder="/path/to/obsidian/vault"]')
expect(input.exists()).toBe(true)
expect((input.element as HTMLInputElement).value).toBe('/vault/test')
})
it('показывает поле test_command с корректным значением', async () => {
const wrapper = await mountSettings({ test_command: 'pytest tests/' })
const input = wrapper.find('input[placeholder="make test"]')
expect(input.exists()).toBe(true)
expect((input.element as HTMLInputElement).value).toBe('pytest tests/')
})
it('показывает поле deploy_host', async () => {
const wrapper = await mountSettings({ deploy_host: 'my-server' })
const input = wrapper.find('input[placeholder="server host (e.g. vdp-prod)"]')
expect(input.exists()).toBe(true)
expect((input.element as HTMLInputElement).value).toBe('my-server')
})
it('показывает поле deploy_path', async () => {
const wrapper = await mountSettings({ deploy_path: '/srv/app' })
const input = wrapper.find('input[placeholder="/srv/myproject"]')
expect(input.exists()).toBe(true)
expect((input.element as HTMLInputElement).value).toBe('/srv/app')
})
})