Project-Image-Uploader/frontend/src/Components/ComponentUtils/MultiUpload/ConsentCheckboxes.js
matthias.lotz 39f133eadf feat(frontend): Add consent management UI components
- Add ConsentCheckboxes component with workshop and social media consents
- Add UploadSuccessDialog with group ID display and copy functionality
- Integrate consent validation into MultiUploadPage
- Extend batchUpload utility to send consent data
- Add GDPR compliance notices and contact information
- Block uploads without required workshop consent
2025-11-09 21:11:01 +01:00

207 lines
8.2 KiB
JavaScript

import React, { useState, useEffect } from 'react';
import {
Box,
FormControlLabel,
Checkbox,
Typography,
Paper,
Divider,
Alert
} from '@mui/material';
import InfoIcon from '@mui/icons-material/Info';
import FacebookIcon from '@mui/icons-material/Facebook';
import InstagramIcon from '@mui/icons-material/Instagram';
import MusicNoteIcon from '@mui/icons-material/MusicNote';
const ICON_MAP = {
'Facebook': FacebookIcon,
'Instagram': InstagramIcon,
'MusicNote': MusicNoteIcon,
};
/**
* ConsentCheckboxes Component
*
* GDPR-konforme Einwilligungsabfrage für Bildveröffentlichung
* - Pflicht: Werkstatt-Anzeige Zustimmung
* - Optional: Social Media Plattform-Zustimmungen
*/
function ConsentCheckboxes({ onConsentChange, consents, disabled = false }) {
const [platforms, setPlatforms] = useState([]);
const [loading, setLoading] = useState(true);
const [error, setError] = useState(null);
useEffect(() => {
// Lade verfügbare Plattformen vom Backend
fetchPlatforms();
}, []);
const fetchPlatforms = async () => {
try {
const response = await fetch('/api/social-media/platforms');
if (!response.ok) {
throw new Error('Failed to load platforms');
}
const data = await response.json();
setPlatforms(data);
setError(null);
} catch (error) {
console.error('Error loading platforms:', error);
setError('Plattformen konnten nicht geladen werden');
} finally {
setLoading(false);
}
};
const handleWorkshopChange = (event) => {
onConsentChange({
...consents,
workshopConsent: event.target.checked
});
};
const handleSocialMediaChange = (platformId) => (event) => {
const updatedConsents = { ...consents };
const platformConsents = updatedConsents.socialMediaConsents || [];
if (event.target.checked) {
// Füge Consent hinzu
platformConsents.push({ platformId, consented: true });
} else {
// Entferne Consent
const index = platformConsents.findIndex(c => c.platformId === platformId);
if (index > -1) {
platformConsents.splice(index, 1);
}
}
updatedConsents.socialMediaConsents = platformConsents;
onConsentChange(updatedConsents);
};
const isPlatformChecked = (platformId) => {
return consents.socialMediaConsents?.some(c => c.platformId === platformId) || false;
};
return (
<Paper
sx={{
p: 3,
mb: 3,
borderRadius: '12px',
boxShadow: '0 2px 8px rgba(0,0,0,0.1)',
border: '2px solid #e0e0e0'
}}
>
{/* Aufklärungshinweis */}
<Alert severity="info" icon={<InfoIcon />} sx={{ mb: 3 }}>
<Typography variant="body2" sx={{ fontWeight: 600, mb: 1 }}>
Wichtiger Hinweis
</Typography>
<Typography variant="body2">
Alle hochgeladenen Inhalte werden vom Hobbyhimmel-Team geprüft, bevor sie
angezeigt oder veröffentlicht werden. Wir behalten uns vor, Inhalte nicht
zu zeigen oder rechtswidrige Inhalte zu entfernen.
</Typography>
<Typography variant="body2" sx={{ mt: 1 }}>
Nach dem Upload erhalten Sie eine Gruppen-ID als Referenz für die Kontaktaufnahme.
</Typography>
</Alert>
{/* Pflicht-Zustimmung: Werkstatt-Anzeige */}
<Box sx={{ mb: 3 }}>
<Typography variant="h6" sx={{ mb: 2, fontWeight: 600, color: '#333' }}>
Anzeige in der Werkstatt *
</Typography>
<FormControlLabel
control={
<Checkbox
checked={consents.workshopConsent || false}
onChange={handleWorkshopChange}
disabled={disabled}
required
sx={{
color: '#4CAF50',
'&.Mui-checked': { color: '#4CAF50' }
}}
/>
}
label={
<Typography variant="body2" sx={{ color: '#555' }}>
Ich willige ein, dass meine hochgeladenen Bilder auf dem Monitor in
der offenen Werkstatt des Hobbyhimmels angezeigt werden dürfen.
Die Bilder sind nur lokal im Hobbyhimmel sichtbar und werden nicht
über das Internet zugänglich gemacht. <strong>(Pflichtfeld)</strong>
</Typography>
}
/>
</Box>
<Divider sx={{ my: 3 }} />
{/* Optional: Social Media Veröffentlichung */}
<Box>
<Typography variant="h6" sx={{ mb: 2, fontWeight: 600, color: '#333' }}>
Social Media Veröffentlichung (optional)
</Typography>
<Typography variant="body2" sx={{ mb: 2, color: '#666' }}>
Ich willige ein, dass meine Bilder und Texte auf folgenden Social Media
Plattformen veröffentlicht werden dürfen (inklusive aller angegebenen
Informationen wie Name und Beschreibung):
</Typography>
{loading ? (
<Typography sx={{ color: '#666', fontStyle: 'italic' }}>
Lade Plattformen...
</Typography>
) : error ? (
<Alert severity="warning" sx={{ mb: 2 }}>
{error}
</Alert>
) : (
<Box sx={{ display: 'flex', flexDirection: 'column', gap: 1 }}>
{platforms.map(platform => {
const IconComponent = ICON_MAP[platform.icon_name] || InfoIcon;
return (
<FormControlLabel
key={platform.id}
control={
<Checkbox
checked={isPlatformChecked(platform.id)}
onChange={handleSocialMediaChange(platform.id)}
disabled={disabled}
sx={{
color: '#2196F3',
'&.Mui-checked': { color: '#2196F3' }
}}
/>
}
label={
<Box sx={{ display: 'flex', alignItems: 'center', gap: 1 }}>
<IconComponent fontSize="small" sx={{ color: '#2196F3' }} />
<Typography variant="body2">
{platform.display_name}
</Typography>
</Box>
}
/>
);
})}
</Box>
)}
</Box>
{/* Widerrufs-Hinweis */}
<Alert severity="info" sx={{ mt: 3 }}>
<Typography variant="caption" sx={{ display: 'block' }}>
<strong>Widerruf Ihrer Einwilligung:</strong> Sie können Ihre Einwilligung
jederzeit widerrufen. Kontaktieren Sie uns hierzu mit Ihrer Gruppen-ID unter:{' '}
<strong>it@hobbyhimmel.de</strong>
</Typography>
</Alert>
</Paper>
);
}
export default ConsentCheckboxes;