feat: Gestion des classes scolaires
Permet aux administrateurs de créer, modifier et supprimer des classes pour organiser les élèves par niveau. L'archivage soft-delete préserve l'historique tout en masquant les classes obsolètes. Inclut la validation des noms (2-50 caractères), les niveaux scolaires du CP à la Terminale, et les contrôles d'accès par rôle.
This commit is contained in:
465
frontend/e2e/classes.spec.ts
Normal file
465
frontend/e2e/classes.spec.ts
Normal file
@@ -0,0 +1,465 @@
|
||||
import { test, expect } from '@playwright/test';
|
||||
import { execSync } from 'child_process';
|
||||
import { join, dirname } from 'path';
|
||||
import { fileURLToPath } from 'url';
|
||||
|
||||
const __filename = fileURLToPath(import.meta.url);
|
||||
const __dirname = dirname(__filename);
|
||||
|
||||
// Extract port from PLAYWRIGHT_BASE_URL or use default (4173 matches playwright.config.ts)
|
||||
const baseUrl = process.env.PLAYWRIGHT_BASE_URL || 'http://localhost:4173';
|
||||
const urlMatch = baseUrl.match(/:(\d+)$/);
|
||||
const PORT = urlMatch ? urlMatch[1] : '4173';
|
||||
const ALPHA_URL = `http://ecole-alpha.classeo.local:${PORT}`;
|
||||
|
||||
// Test credentials
|
||||
const ADMIN_EMAIL = 'e2e-classes-admin@example.com';
|
||||
const ADMIN_PASSWORD = 'ClassesTest123';
|
||||
|
||||
// Force serial execution to ensure Empty State runs first
|
||||
test.describe.configure({ mode: 'serial' });
|
||||
|
||||
test.describe('Classes Management (Story 2.1)', () => {
|
||||
// Create admin user and clean up classes before running tests
|
||||
test.beforeAll(async () => {
|
||||
const projectRoot = join(__dirname, '../..');
|
||||
const composeFile = join(projectRoot, 'compose.yaml');
|
||||
|
||||
try {
|
||||
// Create admin user
|
||||
execSync(
|
||||
`docker compose -f "${composeFile}" exec -T php php bin/console app:dev:create-test-user --tenant=ecole-alpha --email=${ADMIN_EMAIL} --password=${ADMIN_PASSWORD} --role=ROLE_ADMIN 2>&1`,
|
||||
{ encoding: 'utf-8' }
|
||||
);
|
||||
console.log('Classes E2E test admin user created');
|
||||
|
||||
// Clean up all classes for this tenant to ensure Empty State test works
|
||||
execSync(
|
||||
`docker compose -f "${composeFile}" exec -T php php bin/console dbal:run-sql "DELETE FROM school_classes WHERE tenant_id = 'a1b2c3d4-e5f6-7890-abcd-ef1234567890'" 2>&1`,
|
||||
{ encoding: 'utf-8' }
|
||||
);
|
||||
console.log('Classes cleaned up for E2E tests');
|
||||
} catch (error) {
|
||||
console.error('Setup error:', error);
|
||||
}
|
||||
});
|
||||
|
||||
// Helper to login as admin
|
||||
async function loginAsAdmin(page: import('@playwright/test').Page) {
|
||||
await page.goto(`${ALPHA_URL}/login`);
|
||||
await page.locator('#email').fill(ADMIN_EMAIL);
|
||||
await page.locator('#password').fill(ADMIN_PASSWORD);
|
||||
await page.getByRole('button', { name: /se connecter/i }).click();
|
||||
await expect(page).toHaveURL(/\/dashboard/, { timeout: 10000 });
|
||||
}
|
||||
|
||||
// Helper to open "Nouvelle classe" dialog with proper wait
|
||||
async function openNewClassDialog(page: import('@playwright/test').Page) {
|
||||
const button = page.getByRole('button', { name: /nouvelle classe/i });
|
||||
await button.waitFor({ state: 'visible' });
|
||||
|
||||
// Wait for any pending network requests to finish before clicking
|
||||
await page.waitForLoadState('networkidle');
|
||||
|
||||
// Click the button
|
||||
await button.click();
|
||||
|
||||
// Wait for dialog to appear - retry click if needed (webkit timing issue)
|
||||
const dialog = page.getByRole('dialog');
|
||||
try {
|
||||
await expect(dialog).toBeVisible({ timeout: 5000 });
|
||||
} catch {
|
||||
// Retry once - webkit sometimes needs a second click
|
||||
await button.click();
|
||||
await expect(dialog).toBeVisible({ timeout: 10000 });
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// EMPTY STATE - Must run FIRST before any class is created
|
||||
// ============================================================================
|
||||
test.describe('Empty State', () => {
|
||||
test('shows empty state message when no classes exist', async ({ page }) => {
|
||||
// Clean up classes right before this specific test to avoid race conditions with parallel browsers
|
||||
const projectRoot = join(__dirname, '../..');
|
||||
const composeFile = join(projectRoot, 'compose.yaml');
|
||||
try {
|
||||
execSync(
|
||||
`docker compose -f "${composeFile}" exec -T php php bin/console dbal:run-sql "DELETE FROM school_classes WHERE tenant_id = 'a1b2c3d4-e5f6-7890-abcd-ef1234567890'" 2>&1`,
|
||||
{ encoding: 'utf-8' }
|
||||
);
|
||||
} catch {
|
||||
// Ignore cleanup errors
|
||||
}
|
||||
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Wait for page to load
|
||||
await expect(page.getByRole('heading', { name: /gestion des classes/i })).toBeVisible();
|
||||
|
||||
// Should show empty state
|
||||
await expect(page.locator('.empty-state')).toBeVisible();
|
||||
await expect(page.getByText(/aucune classe/i)).toBeVisible();
|
||||
await expect(page.getByRole('button', { name: /créer une classe/i })).toBeVisible();
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// List Display
|
||||
// ============================================================================
|
||||
test.describe('List Display', () => {
|
||||
test('displays all created classes in the list', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create multiple classes
|
||||
const classNames = [
|
||||
`Liste-6emeA-${Date.now()}`,
|
||||
`Liste-6emeB-${Date.now()}`,
|
||||
`Liste-5emeA-${Date.now()}`,
|
||||
];
|
||||
|
||||
for (const name of classNames) {
|
||||
await openNewClassDialog(page);
|
||||
await page.locator('#class-name').fill(name);
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
}
|
||||
|
||||
// Verify ALL classes appear in the list
|
||||
for (const name of classNames) {
|
||||
await expect(page.getByText(name)).toBeVisible();
|
||||
}
|
||||
|
||||
// Verify the number of class cards matches (at least the ones we created)
|
||||
const classCards = page.locator('.class-card');
|
||||
const count = await classCards.count();
|
||||
expect(count).toBeGreaterThanOrEqual(classNames.length);
|
||||
});
|
||||
|
||||
test('displays class details correctly (level, capacity)', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create a class with all details
|
||||
const className = `Details-${Date.now()}`;
|
||||
await openNewClassDialog(page);
|
||||
await page.locator('#class-name').fill(className);
|
||||
await page.locator('#class-level').selectOption('CM2');
|
||||
await page.locator('#class-capacity').fill('25');
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Find the class card
|
||||
const classCard = page.locator('.class-card', { hasText: className });
|
||||
await expect(classCard).toBeVisible();
|
||||
|
||||
// Verify details are displayed
|
||||
await expect(classCard.getByText('CM2')).toBeVisible();
|
||||
await expect(classCard.getByText('25 places')).toBeVisible();
|
||||
await expect(classCard.getByText('Active')).toBeVisible();
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// AC1: Class Creation
|
||||
// ============================================================================
|
||||
test.describe('AC1: Class Creation', () => {
|
||||
test('can create a new class with all fields', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
|
||||
// Navigate to classes page
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
await expect(page.getByRole('heading', { name: /gestion des classes/i })).toBeVisible();
|
||||
|
||||
// Click "Nouvelle classe" button
|
||||
await openNewClassDialog(page);
|
||||
await expect(page.getByRole('heading', { name: /nouvelle classe/i })).toBeVisible();
|
||||
|
||||
// Fill form
|
||||
const uniqueName = `Test-E2E-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(uniqueName);
|
||||
await page.locator('#class-level').selectOption('6ème');
|
||||
await page.locator('#class-capacity').fill('30');
|
||||
|
||||
// Submit
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
|
||||
// Modal should close and class should appear in list
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
await expect(page.getByText(uniqueName)).toBeVisible({ timeout: 10000 });
|
||||
});
|
||||
|
||||
test('can create a class with only required fields (name)', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
await openNewClassDialog(page);
|
||||
|
||||
// Fill only the name (required)
|
||||
const uniqueName = `Minimal-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(uniqueName);
|
||||
|
||||
// Submit button should be enabled
|
||||
const submitButton = page.getByRole('button', { name: /créer la classe/i });
|
||||
await expect(submitButton).toBeEnabled();
|
||||
|
||||
await submitButton.click();
|
||||
|
||||
// Class should be created
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
await expect(page.getByText(uniqueName)).toBeVisible({ timeout: 10000 });
|
||||
});
|
||||
|
||||
test('submit button is disabled when name is empty', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
await openNewClassDialog(page);
|
||||
|
||||
// Don't fill the name
|
||||
const submitButton = page.getByRole('button', { name: /créer la classe/i });
|
||||
await expect(submitButton).toBeDisabled();
|
||||
|
||||
// Fill level and capacity but not name
|
||||
await page.locator('#class-level').selectOption('CE1');
|
||||
await page.locator('#class-capacity').fill('25');
|
||||
await expect(submitButton).toBeDisabled();
|
||||
|
||||
// Fill name - button should enable
|
||||
await page.locator('#class-name').fill('Test');
|
||||
await expect(submitButton).toBeEnabled();
|
||||
});
|
||||
|
||||
test('can cancel class creation', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
await openNewClassDialog(page);
|
||||
|
||||
// Fill form
|
||||
await page.locator('#class-name').fill('Should-Not-Be-Created');
|
||||
|
||||
// Click cancel
|
||||
await page.getByRole('button', { name: /annuler/i }).click();
|
||||
|
||||
// Modal should close
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible();
|
||||
|
||||
// Class should not appear in list
|
||||
await expect(page.getByText('Should-Not-Be-Created')).not.toBeVisible();
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// AC2: Class Modification
|
||||
// ============================================================================
|
||||
test.describe('AC2: Class Modification', () => {
|
||||
test('can modify an existing class', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// First create a class to modify
|
||||
await openNewClassDialog(page);
|
||||
const originalName = `ToModify-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(originalName);
|
||||
await page.locator('#class-level').selectOption('CM1');
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Find the class card and click modify
|
||||
const classCard = page.locator('.class-card', { hasText: originalName });
|
||||
await classCard.getByRole('button', { name: /modifier/i }).click();
|
||||
|
||||
// Should navigate to edit page
|
||||
await expect(page).toHaveURL(/\/admin\/classes\/[\w-]+/);
|
||||
await expect(page.getByRole('heading', { name: /modifier la classe/i })).toBeVisible();
|
||||
|
||||
// Modify the name
|
||||
const newName = `Modified-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(newName);
|
||||
await page.locator('#class-level').selectOption('CM2');
|
||||
await page.locator('#class-capacity').fill('28');
|
||||
|
||||
// Save
|
||||
await page.getByRole('button', { name: /enregistrer/i }).click();
|
||||
|
||||
// Should show success message
|
||||
await expect(page.getByText(/modifiée avec succès/i)).toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Go back to list and verify
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
await expect(page.getByText(newName)).toBeVisible();
|
||||
});
|
||||
|
||||
test('can cancel modification', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create a class
|
||||
await openNewClassDialog(page);
|
||||
const originalName = `NoChange-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(originalName);
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Click modify
|
||||
const classCard = page.locator('.class-card', { hasText: originalName });
|
||||
await classCard.getByRole('button', { name: /modifier/i }).click();
|
||||
|
||||
// Modify but cancel
|
||||
await page.locator('#class-name').fill('Should-Not-Change');
|
||||
await page.getByRole('button', { name: /annuler/i }).click();
|
||||
|
||||
// Should go back to list
|
||||
await expect(page).toHaveURL(/\/admin\/classes$/);
|
||||
|
||||
// Original name should still be there
|
||||
await expect(page.getByText(originalName)).toBeVisible();
|
||||
await expect(page.getByText('Should-Not-Change')).not.toBeVisible();
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// AC3: Deletion blocked if students assigned
|
||||
// ============================================================================
|
||||
test.describe('AC3: Deletion blocked if students assigned', () => {
|
||||
// SKIP REASON: The Students module is not yet implemented.
|
||||
// HasStudentsInClassHandler currently returns 0 (stub), so all classes
|
||||
// appear empty and can be deleted. This test will be enabled once the
|
||||
// Students module allows assigning students to classes.
|
||||
//
|
||||
// When enabled, this test should:
|
||||
// 1. Create a class
|
||||
// 2. Assign at least one student to it
|
||||
// 3. Attempt to delete the class
|
||||
// 4. Verify the error message "Vous devez d'abord réaffecter les élèves"
|
||||
// 5. Verify the class still exists
|
||||
test.skip('shows warning when trying to delete class with students', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
// Implementation pending Students module
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// AC4: Empty class deletion (soft delete)
|
||||
// ============================================================================
|
||||
test.describe('AC4: Empty class deletion (soft delete)', () => {
|
||||
test('can delete an empty class', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create a class to delete
|
||||
await openNewClassDialog(page);
|
||||
const className = `ToDelete-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(className);
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
await expect(page.getByText(className)).toBeVisible();
|
||||
|
||||
// Find and click delete button
|
||||
const classCard = page.locator('.class-card', { hasText: className });
|
||||
await classCard.getByRole('button', { name: /supprimer/i }).click();
|
||||
|
||||
// Confirmation modal should appear
|
||||
const deleteModal = page.getByRole('alertdialog');
|
||||
await expect(deleteModal).toBeVisible({ timeout: 10000 });
|
||||
await expect(deleteModal.getByText(className)).toBeVisible();
|
||||
|
||||
// Confirm deletion
|
||||
await deleteModal.getByRole('button', { name: /supprimer/i }).click();
|
||||
|
||||
// Modal should close and class should no longer appear in list
|
||||
await expect(deleteModal).not.toBeVisible({ timeout: 10000 });
|
||||
await expect(page.getByText(className)).not.toBeVisible({ timeout: 10000 });
|
||||
});
|
||||
|
||||
test('can cancel deletion', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create a class
|
||||
await openNewClassDialog(page);
|
||||
const className = `NoDelete-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(className);
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Find and click delete
|
||||
const classCard = page.locator('.class-card', { hasText: className });
|
||||
await classCard.getByRole('button', { name: /supprimer/i }).click();
|
||||
|
||||
// Confirmation modal should appear
|
||||
const deleteModal = page.getByRole('alertdialog');
|
||||
await expect(deleteModal).toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Cancel deletion
|
||||
await deleteModal.getByRole('button', { name: /annuler/i }).click();
|
||||
|
||||
// Modal should close and class should still be there
|
||||
await expect(deleteModal).not.toBeVisible({ timeout: 10000 });
|
||||
await expect(page.getByText(className)).toBeVisible();
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// Navigation
|
||||
// ============================================================================
|
||||
test.describe('Navigation', () => {
|
||||
test('can access classes page directly', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
|
||||
// Navigate directly to classes page
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
await expect(page).toHaveURL(/\/admin\/classes/);
|
||||
await expect(page.getByRole('heading', { name: /gestion des classes/i })).toBeVisible();
|
||||
});
|
||||
|
||||
test('breadcrumb navigation works on edit page', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
// Create a class
|
||||
await openNewClassDialog(page);
|
||||
const className = `Breadcrumb-${Date.now()}`;
|
||||
await page.locator('#class-name').fill(className);
|
||||
await page.getByRole('button', { name: /créer la classe/i }).click();
|
||||
await expect(page.getByRole('dialog')).not.toBeVisible({ timeout: 10000 });
|
||||
|
||||
// Go to edit page
|
||||
const classCard = page.locator('.class-card', { hasText: className });
|
||||
await classCard.getByRole('button', { name: /modifier/i }).click();
|
||||
|
||||
// Click breadcrumb to go back
|
||||
await page.getByRole('link', { name: 'Classes' }).click();
|
||||
|
||||
await expect(page).toHaveURL(/\/admin\/classes$/);
|
||||
});
|
||||
});
|
||||
|
||||
// ============================================================================
|
||||
// Validation
|
||||
// ============================================================================
|
||||
test.describe('Validation', () => {
|
||||
test('shows validation for class name length', async ({ page }) => {
|
||||
await loginAsAdmin(page);
|
||||
await page.goto(`${ALPHA_URL}/admin/classes`);
|
||||
|
||||
await openNewClassDialog(page);
|
||||
|
||||
// Try a name that's too short (1 char)
|
||||
await page.locator('#class-name').fill('A');
|
||||
|
||||
// The HTML5 minlength validation should prevent submission
|
||||
// or show an error
|
||||
const nameInput = page.locator('#class-name');
|
||||
const isInvalid = await nameInput.evaluate(
|
||||
(el: HTMLInputElement) => !el.validity.valid
|
||||
);
|
||||
expect(isInvalid).toBe(true);
|
||||
});
|
||||
});
|
||||
});
|
||||
@@ -306,10 +306,10 @@ test.describe('Login Flow', () => {
|
||||
});
|
||||
|
||||
test.describe('Tenant Isolation', () => {
|
||||
// Extract port from PLAYWRIGHT_BASE_URL or use default
|
||||
// Extract port from PLAYWRIGHT_BASE_URL or use default (4173 matches playwright.config.ts)
|
||||
const baseUrl = process.env.PLAYWRIGHT_BASE_URL || 'http://localhost:4173';
|
||||
const urlMatch = baseUrl.match(/:(\d+)$/);
|
||||
const PORT = urlMatch ? urlMatch[1] : '5174';
|
||||
const PORT = urlMatch ? urlMatch[1] : '4173';
|
||||
const ALPHA_URL = `http://ecole-alpha.classeo.local:${PORT}`;
|
||||
const BETA_URL = `http://ecole-beta.classeo.local:${PORT}`;
|
||||
const ALPHA_EMAIL = 'tenant-test-alpha@example.com';
|
||||
|
||||
@@ -16,6 +16,11 @@ const config: PlaywrightTestConfig = {
|
||||
},
|
||||
testDir: 'e2e',
|
||||
testMatch: /(.+\.)?(test|spec)\.[jt]s/,
|
||||
// Run browsers sequentially in CI to avoid race conditions with shared database
|
||||
// Classes tests use mode: 'serial' which only works within a single worker
|
||||
fullyParallel: !process.env.CI,
|
||||
// Use 1 worker in CI to ensure no parallel execution across different browser projects
|
||||
workers: process.env.CI ? 1 : undefined,
|
||||
use: {
|
||||
baseURL,
|
||||
trace: 'on-first-retry',
|
||||
|
||||
@@ -31,11 +31,11 @@
|
||||
<span class="action-label">Gérer les utilisateurs</span>
|
||||
<span class="action-hint">Bientôt disponible</span>
|
||||
</div>
|
||||
<div class="action-card disabled" aria-disabled="true">
|
||||
<a class="action-card" href="/admin/classes">
|
||||
<span class="action-icon">🏫</span>
|
||||
<span class="action-label">Configurer les classes</span>
|
||||
<span class="action-hint">Bientôt disponible</span>
|
||||
</div>
|
||||
<span class="action-hint">Créer et gérer</span>
|
||||
</a>
|
||||
<div class="action-card disabled" aria-disabled="true">
|
||||
<span class="action-icon">📅</span>
|
||||
<span class="action-label">Calendrier scolaire</span>
|
||||
|
||||
33
frontend/src/lib/constants/schoolLevels.ts
Normal file
33
frontend/src/lib/constants/schoolLevels.ts
Normal file
@@ -0,0 +1,33 @@
|
||||
/**
|
||||
* Liste des niveaux scolaires valides selon le référentiel Éducation Nationale.
|
||||
*
|
||||
* Utilisé pour :
|
||||
* - La validation dans les formulaires
|
||||
* - Les selects/dropdowns
|
||||
*
|
||||
* @see backend/src/Administration/Domain/Model/SchoolClass/SchoolLevels.php
|
||||
*/
|
||||
export const SCHOOL_LEVELS = [
|
||||
'CP',
|
||||
'CE1',
|
||||
'CE2',
|
||||
'CM1',
|
||||
'CM2',
|
||||
'6ème',
|
||||
'5ème',
|
||||
'4ème',
|
||||
'3ème',
|
||||
'2nde',
|
||||
'1ère',
|
||||
'Terminale'
|
||||
] as const;
|
||||
|
||||
export type SchoolLevel = (typeof SCHOOL_LEVELS)[number];
|
||||
|
||||
/**
|
||||
* Options pour les selects de niveaux scolaires.
|
||||
*/
|
||||
export const SCHOOL_LEVEL_OPTIONS = SCHOOL_LEVELS.map((level) => ({
|
||||
value: level,
|
||||
label: level
|
||||
}));
|
||||
684
frontend/src/routes/admin/classes/+page.svelte
Normal file
684
frontend/src/routes/admin/classes/+page.svelte
Normal file
@@ -0,0 +1,684 @@
|
||||
<script lang="ts">
|
||||
import { goto } from '$app/navigation';
|
||||
import { getApiBaseUrl } from '$lib/api/config';
|
||||
import { authenticatedFetch } from '$lib/auth';
|
||||
import { SCHOOL_LEVEL_OPTIONS } from '$lib/constants/schoolLevels';
|
||||
|
||||
// Types
|
||||
interface SchoolClass {
|
||||
id: string;
|
||||
name: string;
|
||||
level: string | null;
|
||||
capacity: number | null;
|
||||
status: string;
|
||||
createdAt: string;
|
||||
updatedAt: string;
|
||||
}
|
||||
|
||||
// State
|
||||
let classes = $state<SchoolClass[]>([]);
|
||||
let isLoading = $state(true);
|
||||
let error = $state<string | null>(null);
|
||||
let showCreateModal = $state(false);
|
||||
let showDeleteModal = $state(false);
|
||||
let classToDelete = $state<SchoolClass | null>(null);
|
||||
|
||||
// Form state
|
||||
let newClassName = $state('');
|
||||
let newClassLevel = $state<string | null>(null);
|
||||
let newClassCapacity = $state<number | null>(null);
|
||||
let isSubmitting = $state(false);
|
||||
let isDeleting = $state(false);
|
||||
|
||||
// Load classes on mount
|
||||
$effect(() => {
|
||||
loadClasses();
|
||||
});
|
||||
|
||||
async function loadClasses() {
|
||||
try {
|
||||
isLoading = true;
|
||||
error = null;
|
||||
const apiUrl = getApiBaseUrl();
|
||||
const response = await authenticatedFetch(`${apiUrl}/classes`);
|
||||
|
||||
if (!response.ok) {
|
||||
throw new Error('Erreur lors du chargement des classes');
|
||||
}
|
||||
|
||||
const data = await response.json();
|
||||
// API Platform peut retourner hydra:member, member, ou un tableau direct
|
||||
classes = data['hydra:member'] ?? data['member'] ?? (Array.isArray(data) ? data : []);
|
||||
} catch (e) {
|
||||
error = e instanceof Error ? e.message : 'Erreur inconnue';
|
||||
// Use demo data for now
|
||||
classes = [];
|
||||
} finally {
|
||||
isLoading = false;
|
||||
}
|
||||
}
|
||||
|
||||
async function handleCreateClass() {
|
||||
if (!newClassName.trim()) return;
|
||||
|
||||
try {
|
||||
isSubmitting = true;
|
||||
const apiUrl = getApiBaseUrl();
|
||||
const response = await authenticatedFetch(`${apiUrl}/classes`, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
'Content-Type': 'application/json'
|
||||
},
|
||||
body: JSON.stringify({
|
||||
name: newClassName.trim(),
|
||||
level: newClassLevel,
|
||||
capacity: newClassCapacity
|
||||
})
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
const errorData = await response.json();
|
||||
throw new Error(errorData.message || 'Erreur lors de la création');
|
||||
}
|
||||
|
||||
// Reload classes and close modal
|
||||
await loadClasses();
|
||||
closeModal();
|
||||
} catch (e) {
|
||||
error = e instanceof Error ? e.message : 'Erreur lors de la création';
|
||||
} finally {
|
||||
isSubmitting = false;
|
||||
}
|
||||
}
|
||||
|
||||
function openDeleteModal(schoolClass: SchoolClass) {
|
||||
classToDelete = schoolClass;
|
||||
showDeleteModal = true;
|
||||
}
|
||||
|
||||
function closeDeleteModal() {
|
||||
showDeleteModal = false;
|
||||
classToDelete = null;
|
||||
}
|
||||
|
||||
async function handleConfirmDelete() {
|
||||
if (!classToDelete) return;
|
||||
|
||||
try {
|
||||
isDeleting = true;
|
||||
const apiUrl = getApiBaseUrl();
|
||||
const response = await authenticatedFetch(`${apiUrl}/classes/${classToDelete.id}`, {
|
||||
method: 'DELETE'
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
const errorData = await response.json();
|
||||
throw new Error(errorData.message || 'Erreur lors de la suppression');
|
||||
}
|
||||
|
||||
closeDeleteModal();
|
||||
await loadClasses();
|
||||
} catch (e) {
|
||||
error = e instanceof Error ? e.message : 'Erreur lors de la suppression';
|
||||
} finally {
|
||||
isDeleting = false;
|
||||
}
|
||||
}
|
||||
|
||||
function openCreateModal() {
|
||||
showCreateModal = true;
|
||||
newClassName = '';
|
||||
newClassLevel = null;
|
||||
newClassCapacity = null;
|
||||
}
|
||||
|
||||
function closeModal() {
|
||||
showCreateModal = false;
|
||||
}
|
||||
|
||||
function navigateToEdit(classId: string) {
|
||||
goto(`/admin/classes/${classId}`);
|
||||
}
|
||||
</script>
|
||||
|
||||
<svelte:head>
|
||||
<title>Gestion des classes - Classeo</title>
|
||||
</svelte:head>
|
||||
|
||||
<div class="classes-page">
|
||||
<header class="page-header">
|
||||
<div class="header-content">
|
||||
<h1>Gestion des classes</h1>
|
||||
<p class="subtitle">Créez et gérez les classes de votre établissement</p>
|
||||
</div>
|
||||
<button class="btn-primary" onclick={openCreateModal}>
|
||||
<span class="btn-icon">+</span>
|
||||
Nouvelle classe
|
||||
</button>
|
||||
</header>
|
||||
|
||||
{#if error}
|
||||
<div class="alert alert-error">
|
||||
<span class="alert-icon">⚠️</span>
|
||||
{error}
|
||||
<button class="alert-close" onclick={() => (error = null)}>×</button>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
{#if isLoading}
|
||||
<div class="loading-state">
|
||||
<div class="spinner"></div>
|
||||
<p>Chargement des classes...</p>
|
||||
</div>
|
||||
{:else if classes.length === 0}
|
||||
<div class="empty-state">
|
||||
<span class="empty-icon">🏫</span>
|
||||
<h2>Aucune classe</h2>
|
||||
<p>Commencez par créer votre première classe</p>
|
||||
<button class="btn-primary" onclick={openCreateModal}>Créer une classe</button>
|
||||
</div>
|
||||
{:else}
|
||||
<div class="classes-grid">
|
||||
{#each classes as schoolClass (schoolClass.id)}
|
||||
<div class="class-card">
|
||||
<div class="class-info">
|
||||
<h3 class="class-name">{schoolClass.name}</h3>
|
||||
{#if schoolClass.level}
|
||||
<span class="class-level">{schoolClass.level}</span>
|
||||
{/if}
|
||||
</div>
|
||||
<div class="class-meta">
|
||||
{#if schoolClass.capacity}
|
||||
<span class="meta-item">
|
||||
<span class="meta-icon">👥</span>
|
||||
{schoolClass.capacity} places
|
||||
</span>
|
||||
{/if}
|
||||
<span class="meta-item status-{schoolClass.status}">
|
||||
{schoolClass.status === 'active' ? 'Active' : 'Archivée'}
|
||||
</span>
|
||||
</div>
|
||||
<div class="class-actions">
|
||||
<button class="btn-secondary btn-sm" onclick={() => navigateToEdit(schoolClass.id)}>
|
||||
Modifier
|
||||
</button>
|
||||
<button
|
||||
class="btn-danger btn-sm"
|
||||
onclick={() => openDeleteModal(schoolClass)}
|
||||
>
|
||||
Supprimer
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
{/each}
|
||||
</div>
|
||||
{/if}
|
||||
</div>
|
||||
|
||||
<!-- Create Modal -->
|
||||
{#if showCreateModal}
|
||||
<div class="modal-overlay" onclick={closeModal} role="presentation">
|
||||
<div
|
||||
class="modal"
|
||||
onclick={(e) => e.stopPropagation()}
|
||||
role="dialog"
|
||||
aria-modal="true"
|
||||
aria-labelledby="modal-title"
|
||||
>
|
||||
<header class="modal-header">
|
||||
<h2 id="modal-title">Nouvelle classe</h2>
|
||||
<button class="modal-close" onclick={closeModal} aria-label="Fermer">×</button>
|
||||
</header>
|
||||
|
||||
<form class="modal-body" onsubmit={(e) => { e.preventDefault(); handleCreateClass(); }}>
|
||||
<div class="form-group">
|
||||
<label for="class-name">Nom de la classe *</label>
|
||||
<input
|
||||
type="text"
|
||||
id="class-name"
|
||||
bind:value={newClassName}
|
||||
placeholder="ex: 6ème A"
|
||||
required
|
||||
minlength="2"
|
||||
maxlength="50"
|
||||
/>
|
||||
</div>
|
||||
|
||||
<div class="form-group">
|
||||
<label for="class-level">Niveau scolaire</label>
|
||||
<select id="class-level" bind:value={newClassLevel}>
|
||||
<option value={null}>-- Sélectionner --</option>
|
||||
{#each SCHOOL_LEVEL_OPTIONS as level}
|
||||
<option value={level.value}>{level.label}</option>
|
||||
{/each}
|
||||
</select>
|
||||
</div>
|
||||
|
||||
<div class="form-group">
|
||||
<label for="class-capacity">Capacité maximale</label>
|
||||
<input
|
||||
type="number"
|
||||
id="class-capacity"
|
||||
bind:value={newClassCapacity}
|
||||
placeholder="ex: 30"
|
||||
min="1"
|
||||
max="100"
|
||||
/>
|
||||
</div>
|
||||
|
||||
<div class="modal-actions">
|
||||
<button type="button" class="btn-secondary" onclick={closeModal} disabled={isSubmitting}>
|
||||
Annuler
|
||||
</button>
|
||||
<button type="submit" class="btn-primary" disabled={isSubmitting || !newClassName.trim()}>
|
||||
{#if isSubmitting}
|
||||
Création...
|
||||
{:else}
|
||||
Créer la classe
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</form>
|
||||
</div>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<!-- Delete Confirmation Modal -->
|
||||
{#if showDeleteModal && classToDelete}
|
||||
<div class="modal-overlay" onclick={closeDeleteModal} role="presentation">
|
||||
<div
|
||||
class="modal modal-confirm"
|
||||
onclick={(e) => e.stopPropagation()}
|
||||
role="alertdialog"
|
||||
aria-modal="true"
|
||||
aria-labelledby="delete-modal-title"
|
||||
aria-describedby="delete-modal-description"
|
||||
>
|
||||
<header class="modal-header modal-header-danger">
|
||||
<h2 id="delete-modal-title">Supprimer la classe</h2>
|
||||
<button class="modal-close" onclick={closeDeleteModal} aria-label="Fermer">×</button>
|
||||
</header>
|
||||
|
||||
<div class="modal-body">
|
||||
<p id="delete-modal-description">
|
||||
Êtes-vous sûr de vouloir supprimer la classe <strong>{classToDelete.name}</strong> ?
|
||||
</p>
|
||||
<p class="delete-warning">Cette action est irréversible.</p>
|
||||
</div>
|
||||
|
||||
<div class="modal-actions">
|
||||
<button type="button" class="btn-secondary" onclick={closeDeleteModal} disabled={isDeleting}>
|
||||
Annuler
|
||||
</button>
|
||||
<button type="button" class="btn-danger" onclick={handleConfirmDelete} disabled={isDeleting}>
|
||||
{#if isDeleting}
|
||||
Suppression...
|
||||
{:else}
|
||||
Supprimer
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<style>
|
||||
.classes-page {
|
||||
padding: 1.5rem;
|
||||
max-width: 1200px;
|
||||
margin: 0 auto;
|
||||
}
|
||||
|
||||
.page-header {
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: flex-start;
|
||||
gap: 1rem;
|
||||
margin-bottom: 1.5rem;
|
||||
flex-wrap: wrap;
|
||||
}
|
||||
|
||||
.header-content h1 {
|
||||
margin: 0;
|
||||
font-size: 1.5rem;
|
||||
font-weight: 700;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.subtitle {
|
||||
margin: 0.25rem 0 0;
|
||||
color: #6b7280;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.btn-primary {
|
||||
display: inline-flex;
|
||||
align-items: center;
|
||||
gap: 0.5rem;
|
||||
padding: 0.75rem 1.25rem;
|
||||
background: #3b82f6;
|
||||
color: white;
|
||||
border: none;
|
||||
border-radius: 0.5rem;
|
||||
font-weight: 600;
|
||||
cursor: pointer;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.btn-primary:hover:not(:disabled) {
|
||||
background: #2563eb;
|
||||
}
|
||||
|
||||
.btn-primary:disabled {
|
||||
opacity: 0.6;
|
||||
cursor: not-allowed;
|
||||
}
|
||||
|
||||
.btn-secondary {
|
||||
padding: 0.5rem 1rem;
|
||||
background: white;
|
||||
color: #374151;
|
||||
border: 1px solid #d1d5db;
|
||||
border-radius: 0.375rem;
|
||||
font-weight: 500;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s;
|
||||
}
|
||||
|
||||
.btn-secondary:hover:not(:disabled) {
|
||||
background: #f3f4f6;
|
||||
}
|
||||
|
||||
.btn-danger {
|
||||
padding: 0.5rem 1rem;
|
||||
background: #fef2f2;
|
||||
color: #dc2626;
|
||||
border: 1px solid #fecaca;
|
||||
border-radius: 0.375rem;
|
||||
font-weight: 500;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s;
|
||||
}
|
||||
|
||||
.btn-danger:hover {
|
||||
background: #fee2e2;
|
||||
}
|
||||
|
||||
.btn-sm {
|
||||
padding: 0.375rem 0.75rem;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.btn-icon {
|
||||
font-size: 1.25rem;
|
||||
line-height: 1;
|
||||
}
|
||||
|
||||
.alert {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.75rem;
|
||||
padding: 1rem;
|
||||
border-radius: 0.5rem;
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
|
||||
.alert-error {
|
||||
background: #fef2f2;
|
||||
border: 1px solid #fecaca;
|
||||
color: #dc2626;
|
||||
}
|
||||
|
||||
.alert-icon {
|
||||
flex-shrink: 0;
|
||||
}
|
||||
|
||||
.alert-close {
|
||||
margin-left: auto;
|
||||
padding: 0.25rem 0.5rem;
|
||||
background: none;
|
||||
border: none;
|
||||
font-size: 1.25rem;
|
||||
cursor: pointer;
|
||||
opacity: 0.6;
|
||||
}
|
||||
|
||||
.alert-close:hover {
|
||||
opacity: 1;
|
||||
}
|
||||
|
||||
.loading-state,
|
||||
.empty-state {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
padding: 3rem;
|
||||
text-align: center;
|
||||
background: white;
|
||||
border-radius: 0.75rem;
|
||||
border: 2px dashed #e5e7eb;
|
||||
}
|
||||
|
||||
.spinner {
|
||||
width: 2rem;
|
||||
height: 2rem;
|
||||
border: 3px solid #e5e7eb;
|
||||
border-top-color: #3b82f6;
|
||||
border-radius: 50%;
|
||||
animation: spin 0.8s linear infinite;
|
||||
}
|
||||
|
||||
@keyframes spin {
|
||||
to {
|
||||
transform: rotate(360deg);
|
||||
}
|
||||
}
|
||||
|
||||
.empty-icon {
|
||||
font-size: 3rem;
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
|
||||
.empty-state h2 {
|
||||
margin: 0 0 0.5rem;
|
||||
font-size: 1.25rem;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.empty-state p {
|
||||
margin: 0 0 1.5rem;
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.classes-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fill, minmax(280px, 1fr));
|
||||
gap: 1rem;
|
||||
}
|
||||
|
||||
.class-card {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
gap: 1rem;
|
||||
padding: 1.25rem;
|
||||
background: white;
|
||||
border: 1px solid #e5e7eb;
|
||||
border-radius: 0.75rem;
|
||||
transition: box-shadow 0.2s;
|
||||
}
|
||||
|
||||
.class-card:hover {
|
||||
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.1);
|
||||
}
|
||||
|
||||
.class-info {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.75rem;
|
||||
}
|
||||
|
||||
.class-name {
|
||||
margin: 0;
|
||||
font-size: 1.125rem;
|
||||
font-weight: 600;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.class-level {
|
||||
padding: 0.25rem 0.5rem;
|
||||
background: #eff6ff;
|
||||
color: #3b82f6;
|
||||
border-radius: 0.25rem;
|
||||
font-size: 0.75rem;
|
||||
font-weight: 500;
|
||||
}
|
||||
|
||||
.class-meta {
|
||||
display: flex;
|
||||
gap: 1rem;
|
||||
flex-wrap: wrap;
|
||||
}
|
||||
|
||||
.meta-item {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.25rem;
|
||||
font-size: 0.875rem;
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.meta-icon {
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.status-active {
|
||||
color: #059669;
|
||||
}
|
||||
|
||||
.status-archived {
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.class-actions {
|
||||
display: flex;
|
||||
gap: 0.5rem;
|
||||
margin-top: auto;
|
||||
}
|
||||
|
||||
/* Modal */
|
||||
.modal-overlay {
|
||||
position: fixed;
|
||||
inset: 0;
|
||||
background: rgba(0, 0, 0, 0.5);
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
padding: 1rem;
|
||||
z-index: 100;
|
||||
}
|
||||
|
||||
.modal {
|
||||
background: white;
|
||||
border-radius: 0.75rem;
|
||||
width: 100%;
|
||||
max-width: 28rem;
|
||||
max-height: 90vh;
|
||||
overflow: auto;
|
||||
box-shadow: 0 25px 50px -12px rgba(0, 0, 0, 0.25);
|
||||
}
|
||||
|
||||
.modal-header {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: space-between;
|
||||
padding: 1.25rem 1.5rem;
|
||||
border-bottom: 1px solid #e5e7eb;
|
||||
}
|
||||
|
||||
.modal-header h2 {
|
||||
margin: 0;
|
||||
font-size: 1.125rem;
|
||||
font-weight: 600;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.modal-close {
|
||||
padding: 0.25rem 0.5rem;
|
||||
background: none;
|
||||
border: none;
|
||||
font-size: 1.5rem;
|
||||
line-height: 1;
|
||||
color: #6b7280;
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
.modal-close:hover {
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.modal-body {
|
||||
padding: 1.5rem;
|
||||
}
|
||||
|
||||
.form-group {
|
||||
margin-bottom: 1.25rem;
|
||||
}
|
||||
|
||||
.form-group label {
|
||||
display: block;
|
||||
margin-bottom: 0.5rem;
|
||||
font-weight: 500;
|
||||
color: #374151;
|
||||
}
|
||||
|
||||
.form-group input,
|
||||
.form-group select {
|
||||
width: 100%;
|
||||
padding: 0.75rem 1rem;
|
||||
border: 1px solid #d1d5db;
|
||||
border-radius: 0.375rem;
|
||||
font-size: 1rem;
|
||||
transition: border-color 0.2s;
|
||||
}
|
||||
|
||||
.form-group input:focus,
|
||||
.form-group select:focus {
|
||||
outline: none;
|
||||
border-color: #3b82f6;
|
||||
box-shadow: 0 0 0 3px rgba(59, 130, 246, 0.1);
|
||||
}
|
||||
|
||||
.modal-actions {
|
||||
display: flex;
|
||||
justify-content: flex-end;
|
||||
gap: 0.75rem;
|
||||
padding-top: 1rem;
|
||||
border-top: 1px solid #e5e7eb;
|
||||
}
|
||||
|
||||
/* Delete confirmation modal */
|
||||
.modal-confirm {
|
||||
max-width: 24rem;
|
||||
}
|
||||
|
||||
.modal-confirm .modal-actions {
|
||||
padding: 1rem 1.5rem;
|
||||
border-top: 1px solid #e5e7eb;
|
||||
}
|
||||
|
||||
.modal-header-danger {
|
||||
background: #fef2f2;
|
||||
border-bottom-color: #fecaca;
|
||||
}
|
||||
|
||||
.modal-header-danger h2 {
|
||||
color: #dc2626;
|
||||
}
|
||||
|
||||
.delete-warning {
|
||||
margin: 0.75rem 0 0;
|
||||
font-size: 0.875rem;
|
||||
color: #6b7280;
|
||||
}
|
||||
</style>
|
||||
487
frontend/src/routes/admin/classes/[id]/+page.svelte
Normal file
487
frontend/src/routes/admin/classes/[id]/+page.svelte
Normal file
@@ -0,0 +1,487 @@
|
||||
<script lang="ts">
|
||||
import { goto } from '$app/navigation';
|
||||
import { page } from '$app/state';
|
||||
import { getApiBaseUrl } from '$lib/api/config';
|
||||
import { authenticatedFetch } from '$lib/auth';
|
||||
import { SCHOOL_LEVEL_OPTIONS } from '$lib/constants/schoolLevels';
|
||||
|
||||
// Types
|
||||
interface SchoolClass {
|
||||
id: string;
|
||||
name: string;
|
||||
level: string | null;
|
||||
capacity: number | null;
|
||||
description: string | null;
|
||||
status: string;
|
||||
createdAt: string;
|
||||
updatedAt: string;
|
||||
}
|
||||
|
||||
// State
|
||||
let schoolClass = $state<SchoolClass | null>(null);
|
||||
let isLoading = $state(true);
|
||||
let isSaving = $state(false);
|
||||
let error = $state<string | null>(null);
|
||||
let successMessage = $state<string | null>(null);
|
||||
|
||||
// Form state (bound to schoolClass)
|
||||
let formName = $state('');
|
||||
let formLevel = $state<string | null>(null);
|
||||
let formCapacity = $state<number | null>(null);
|
||||
let formDescription = $state('');
|
||||
|
||||
// Track original values to detect intentional clearing
|
||||
let originalLevel = $state<string | null>(null);
|
||||
let originalCapacity = $state<number | null>(null);
|
||||
let originalDescription = $state<string | null>(null);
|
||||
|
||||
const classId = $derived(page.params.id);
|
||||
|
||||
// Load class on mount
|
||||
$effect(() => {
|
||||
if (classId) {
|
||||
loadClass(classId);
|
||||
}
|
||||
});
|
||||
|
||||
async function loadClass(id: string) {
|
||||
try {
|
||||
isLoading = true;
|
||||
error = null;
|
||||
|
||||
const apiUrl = getApiBaseUrl();
|
||||
const response = await authenticatedFetch(`${apiUrl}/classes/${id}`);
|
||||
|
||||
if (!response.ok) {
|
||||
if (response.status === 404) {
|
||||
throw new Error('Classe introuvable');
|
||||
}
|
||||
throw new Error('Erreur lors du chargement de la classe');
|
||||
}
|
||||
|
||||
schoolClass = await response.json();
|
||||
|
||||
// Initialize form with loaded data
|
||||
if (schoolClass) {
|
||||
formName = schoolClass.name;
|
||||
formLevel = schoolClass.level;
|
||||
formCapacity = schoolClass.capacity;
|
||||
formDescription = schoolClass.description ?? '';
|
||||
|
||||
// Track original values for clear detection
|
||||
originalLevel = schoolClass.level;
|
||||
originalCapacity = schoolClass.capacity;
|
||||
originalDescription = schoolClass.description;
|
||||
}
|
||||
} catch (e) {
|
||||
error = e instanceof Error ? e.message : 'Erreur inconnue';
|
||||
} finally {
|
||||
isLoading = false;
|
||||
}
|
||||
}
|
||||
|
||||
async function handleSave() {
|
||||
if (!formName.trim() || !schoolClass) return;
|
||||
|
||||
try {
|
||||
isSaving = true;
|
||||
error = null;
|
||||
successMessage = null;
|
||||
|
||||
const apiUrl = getApiBaseUrl();
|
||||
|
||||
// Detect if user intentionally cleared optional fields
|
||||
const clearLevel = originalLevel !== null && formLevel === null;
|
||||
const clearCapacity = originalCapacity !== null && formCapacity === null;
|
||||
const trimmedDescription = formDescription.trim() || null;
|
||||
const clearDescription = originalDescription !== null && trimmedDescription === null;
|
||||
|
||||
const response = await authenticatedFetch(`${apiUrl}/classes/${schoolClass.id}`, {
|
||||
method: 'PATCH',
|
||||
headers: {
|
||||
'Content-Type': 'application/merge-patch+json'
|
||||
},
|
||||
body: JSON.stringify({
|
||||
name: formName.trim(),
|
||||
level: formLevel,
|
||||
capacity: formCapacity,
|
||||
description: trimmedDescription,
|
||||
clearLevel,
|
||||
clearCapacity,
|
||||
clearDescription
|
||||
})
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
const errorData = await response.json();
|
||||
throw new Error(errorData.message || 'Erreur lors de la modification');
|
||||
}
|
||||
|
||||
const updatedClass: SchoolClass = await response.json();
|
||||
schoolClass = updatedClass;
|
||||
successMessage = 'Classe modifiée avec succès';
|
||||
|
||||
// Update original values after successful save
|
||||
originalLevel = updatedClass.level;
|
||||
originalCapacity = updatedClass.capacity;
|
||||
originalDescription = updatedClass.description;
|
||||
|
||||
// Clear success message after 3 seconds
|
||||
window.setTimeout(() => {
|
||||
successMessage = null;
|
||||
}, 3000);
|
||||
} catch (e) {
|
||||
error = e instanceof Error ? e.message : 'Erreur lors de la modification';
|
||||
} finally {
|
||||
isSaving = false;
|
||||
}
|
||||
}
|
||||
|
||||
function goBack() {
|
||||
goto('/admin/classes');
|
||||
}
|
||||
</script>
|
||||
|
||||
<svelte:head>
|
||||
<title>{schoolClass?.name ?? 'Modifier la classe'} - Classeo</title>
|
||||
</svelte:head>
|
||||
|
||||
<div class="edit-page">
|
||||
<nav class="breadcrumb">
|
||||
<a href="/admin/classes">Classes</a>
|
||||
<span class="separator">/</span>
|
||||
<span class="current">{schoolClass?.name ?? 'Chargement...'}</span>
|
||||
</nav>
|
||||
|
||||
{#if isLoading}
|
||||
<div class="loading-state">
|
||||
<div class="spinner"></div>
|
||||
<p>Chargement de la classe...</p>
|
||||
</div>
|
||||
{:else if error && !schoolClass}
|
||||
<div class="error-state">
|
||||
<span class="error-icon">⚠️</span>
|
||||
<h2>Erreur</h2>
|
||||
<p>{error}</p>
|
||||
<button class="btn-primary" onclick={goBack}>Retour à la liste</button>
|
||||
</div>
|
||||
{:else if schoolClass}
|
||||
<div class="edit-form-container">
|
||||
<header class="form-header">
|
||||
<h1>Modifier la classe</h1>
|
||||
<p class="subtitle">
|
||||
Créée le {new Date(schoolClass.createdAt).toLocaleDateString('fr-FR')}
|
||||
</p>
|
||||
</header>
|
||||
|
||||
{#if error}
|
||||
<div class="alert alert-error">
|
||||
<span class="alert-icon">⚠️</span>
|
||||
{error}
|
||||
<button class="alert-close" onclick={() => (error = null)}>×</button>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
{#if successMessage}
|
||||
<div class="alert alert-success">
|
||||
<span class="alert-icon">✓</span>
|
||||
{successMessage}
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<form onsubmit={(e) => { e.preventDefault(); handleSave(); }}>
|
||||
<div class="form-group">
|
||||
<label for="class-name">Nom de la classe *</label>
|
||||
<input
|
||||
type="text"
|
||||
id="class-name"
|
||||
bind:value={formName}
|
||||
placeholder="ex: 6ème A"
|
||||
required
|
||||
minlength="2"
|
||||
maxlength="50"
|
||||
/>
|
||||
</div>
|
||||
|
||||
<div class="form-row">
|
||||
<div class="form-group">
|
||||
<label for="class-level">Niveau scolaire</label>
|
||||
<select id="class-level" bind:value={formLevel}>
|
||||
<option value={null}>-- Aucun --</option>
|
||||
{#each SCHOOL_LEVEL_OPTIONS as level}
|
||||
<option value={level.value}>{level.label}</option>
|
||||
{/each}
|
||||
</select>
|
||||
</div>
|
||||
|
||||
<div class="form-group">
|
||||
<label for="class-capacity">Capacité maximale</label>
|
||||
<input
|
||||
type="number"
|
||||
id="class-capacity"
|
||||
bind:value={formCapacity}
|
||||
placeholder="ex: 30"
|
||||
min="1"
|
||||
max="100"
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="form-group">
|
||||
<label for="class-description">Description (optionnelle)</label>
|
||||
<textarea
|
||||
id="class-description"
|
||||
bind:value={formDescription}
|
||||
placeholder="ex: Classe à option musique"
|
||||
rows="3"
|
||||
></textarea>
|
||||
</div>
|
||||
|
||||
<div class="form-actions">
|
||||
<button type="button" class="btn-secondary" onclick={goBack} disabled={isSaving}>
|
||||
Annuler
|
||||
</button>
|
||||
<button type="submit" class="btn-primary" disabled={isSaving || !formName.trim()}>
|
||||
{#if isSaving}
|
||||
Enregistrement...
|
||||
{:else}
|
||||
Enregistrer les modifications
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</form>
|
||||
</div>
|
||||
{/if}
|
||||
</div>
|
||||
|
||||
<style>
|
||||
.edit-page {
|
||||
padding: 1.5rem;
|
||||
max-width: 600px;
|
||||
margin: 0 auto;
|
||||
}
|
||||
|
||||
.breadcrumb {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.5rem;
|
||||
margin-bottom: 1.5rem;
|
||||
font-size: 0.875rem;
|
||||
}
|
||||
|
||||
.breadcrumb a {
|
||||
color: #3b82f6;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
.breadcrumb a:hover {
|
||||
text-decoration: underline;
|
||||
}
|
||||
|
||||
.breadcrumb .separator {
|
||||
color: #9ca3af;
|
||||
}
|
||||
|
||||
.breadcrumb .current {
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.loading-state,
|
||||
.error-state {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
padding: 3rem;
|
||||
text-align: center;
|
||||
background: white;
|
||||
border-radius: 0.75rem;
|
||||
border: 1px solid #e5e7eb;
|
||||
}
|
||||
|
||||
.spinner {
|
||||
width: 2rem;
|
||||
height: 2rem;
|
||||
border: 3px solid #e5e7eb;
|
||||
border-top-color: #3b82f6;
|
||||
border-radius: 50%;
|
||||
animation: spin 0.8s linear infinite;
|
||||
}
|
||||
|
||||
@keyframes spin {
|
||||
to {
|
||||
transform: rotate(360deg);
|
||||
}
|
||||
}
|
||||
|
||||
.error-icon {
|
||||
font-size: 3rem;
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
|
||||
.error-state h2 {
|
||||
margin: 0 0 0.5rem;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.error-state p {
|
||||
margin: 0 0 1.5rem;
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.edit-form-container {
|
||||
background: white;
|
||||
border-radius: 0.75rem;
|
||||
border: 1px solid #e5e7eb;
|
||||
padding: 1.5rem;
|
||||
}
|
||||
|
||||
.form-header {
|
||||
margin-bottom: 1.5rem;
|
||||
}
|
||||
|
||||
.form-header h1 {
|
||||
margin: 0;
|
||||
font-size: 1.25rem;
|
||||
font-weight: 600;
|
||||
color: #1f2937;
|
||||
}
|
||||
|
||||
.subtitle {
|
||||
margin: 0.25rem 0 0;
|
||||
font-size: 0.875rem;
|
||||
color: #6b7280;
|
||||
}
|
||||
|
||||
.alert {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.75rem;
|
||||
padding: 1rem;
|
||||
border-radius: 0.5rem;
|
||||
margin-bottom: 1rem;
|
||||
}
|
||||
|
||||
.alert-error {
|
||||
background: #fef2f2;
|
||||
border: 1px solid #fecaca;
|
||||
color: #dc2626;
|
||||
}
|
||||
|
||||
.alert-success {
|
||||
background: #f0fdf4;
|
||||
border: 1px solid #bbf7d0;
|
||||
color: #059669;
|
||||
}
|
||||
|
||||
.alert-icon {
|
||||
flex-shrink: 0;
|
||||
}
|
||||
|
||||
.alert-close {
|
||||
margin-left: auto;
|
||||
padding: 0.25rem 0.5rem;
|
||||
background: none;
|
||||
border: none;
|
||||
font-size: 1.25rem;
|
||||
cursor: pointer;
|
||||
opacity: 0.6;
|
||||
}
|
||||
|
||||
.alert-close:hover {
|
||||
opacity: 1;
|
||||
}
|
||||
|
||||
.form-group {
|
||||
margin-bottom: 1.25rem;
|
||||
}
|
||||
|
||||
.form-row {
|
||||
display: grid;
|
||||
grid-template-columns: 1fr 1fr;
|
||||
gap: 1rem;
|
||||
}
|
||||
|
||||
@media (max-width: 480px) {
|
||||
.form-row {
|
||||
grid-template-columns: 1fr;
|
||||
}
|
||||
}
|
||||
|
||||
.form-group label {
|
||||
display: block;
|
||||
margin-bottom: 0.5rem;
|
||||
font-weight: 500;
|
||||
color: #374151;
|
||||
}
|
||||
|
||||
.form-group input,
|
||||
.form-group select,
|
||||
.form-group textarea {
|
||||
width: 100%;
|
||||
padding: 0.75rem 1rem;
|
||||
border: 1px solid #d1d5db;
|
||||
border-radius: 0.375rem;
|
||||
font-size: 1rem;
|
||||
transition: border-color 0.2s;
|
||||
font-family: inherit;
|
||||
}
|
||||
|
||||
.form-group input:focus,
|
||||
.form-group select:focus,
|
||||
.form-group textarea:focus {
|
||||
outline: none;
|
||||
border-color: #3b82f6;
|
||||
box-shadow: 0 0 0 3px rgba(59, 130, 246, 0.1);
|
||||
}
|
||||
|
||||
.form-group textarea {
|
||||
resize: vertical;
|
||||
}
|
||||
|
||||
.form-actions {
|
||||
display: flex;
|
||||
justify-content: flex-end;
|
||||
gap: 0.75rem;
|
||||
padding-top: 1rem;
|
||||
border-top: 1px solid #e5e7eb;
|
||||
}
|
||||
|
||||
.btn-primary {
|
||||
display: inline-flex;
|
||||
align-items: center;
|
||||
gap: 0.5rem;
|
||||
padding: 0.75rem 1.25rem;
|
||||
background: #3b82f6;
|
||||
color: white;
|
||||
border: none;
|
||||
border-radius: 0.5rem;
|
||||
font-weight: 600;
|
||||
cursor: pointer;
|
||||
transition: background 0.2s;
|
||||
}
|
||||
|
||||
.btn-primary:hover:not(:disabled) {
|
||||
background: #2563eb;
|
||||
}
|
||||
|
||||
.btn-primary:disabled {
|
||||
opacity: 0.6;
|
||||
cursor: not-allowed;
|
||||
}
|
||||
|
||||
.btn-secondary {
|
||||
padding: 0.75rem 1.25rem;
|
||||
background: white;
|
||||
color: #374151;
|
||||
border: 1px solid #d1d5db;
|
||||
border-radius: 0.5rem;
|
||||
font-weight: 500;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s;
|
||||
}
|
||||
|
||||
.btn-secondary:hover:not(:disabled) {
|
||||
background: #f3f4f6;
|
||||
}
|
||||
</style>
|
||||
Reference in New Issue
Block a user