feat: Manage Images using Minio Service

This commit is contained in:
diallolatoile 2026-01-11 19:54:37 +00:00
parent f8aa8eb595
commit a45f4b151c
6 changed files with 297 additions and 50 deletions

View File

@ -1109,3 +1109,156 @@ $transition-base: all 0.3s ease;
height: 80px; height: 80px;
} }
} }
/* ==================== STYLES DU LOGO ==================== */
/* Conteneur principal */
.logo-card {
position: relative;
width: 220px;
height: 220px;
transition: all 0.3s ease;
}
.logo-card:hover {
transform: translateY(-5px);
}
/* Conteneur d'affichage du logo */
.logo-display-container {
position: relative;
width: 100%;
height: 100%;
overflow: hidden;
border-radius: 16px;
background: linear-gradient(145deg, #ffffff, #f0f0f0);
}
/* Logo marchand */
.merchant-logo {
width: 100%;
height: 100%;
object-fit: cover;
transition: transform 0.5s ease;
opacity: 0;
}
.merchant-logo.logo-loaded {
opacity: 1;
}
.logo-display-container:hover .merchant-logo {
transform: scale(1.05);
}
/* Placeholder par défaut */
.default-logo-placeholder {
width: 100%;
height: 100%;
display: flex;
align-items: center;
justify-content: center;
background: linear-gradient(135deg, #667eea 0%, #764ba2 100%);
color: white;
}
.logo-initials {
font-size: 4rem;
font-weight: bold;
text-transform: uppercase;
}
/* Overlay au hover */
.logo-overlay {
position: absolute;
top: 0;
left: 0;
width: 100%;
height: 100%;
background: rgba(0, 0, 0, 0.7);
display: flex;
align-items: center;
justify-content: center;
opacity: 0;
transition: opacity 0.3s ease;
}
.logo-display-container:hover .logo-overlay {
opacity: 1;
}
.overlay-content {
text-align: center;
color: white;
}
.overlay-icon {
font-size: 2rem;
margin-bottom: 0.5rem;
}
.overlay-text {
font-size: 0.8rem;
opacity: 0.9;
}
/* Badge de statut */
.status-badge {
position: absolute;
top: 10px;
right: 10px;
padding: 0.25rem 0.5rem;
font-size: 0.7rem;
box-shadow: 0 2px 5px rgba(0,0,0,0.2);
}
/* Loader */
.logo-loader {
position: absolute;
top: 50%;
left: 50%;
transform: translate(-50%, -50%);
z-index: 10;
}
/* Informations sous le logo */
.logo-info {
max-width: 220px;
}
.merchant-name {
font-size: 1.1rem;
color: #333;
}
/* Actions */
.logo-actions .btn {
padding: 0.25rem 0.5rem;
border-radius: 20px;
}
.logo-actions .btn:hover {
transform: scale(1.1);
}
/* Animation de chargement */
@keyframes fadeIn {
from { opacity: 0; }
to { opacity: 1; }
}
.merchant-logo {
animation: fadeIn 0.5s ease forwards;
}
/* États */
.logo-loading .logo-display-container {
background: linear-gradient(90deg, #f0f0f0 25%, #e0e0e0 50%, #f0f0f0 75%);
background-size: 200% 100%;
animation: loading 1.5s infinite;
}
@keyframes loading {
0% { background-position: 200% 0; }
100% { background-position: -200% 0; }
}

View File

@ -220,16 +220,24 @@ export class MinioService {
/** /**
* Supprime un logo * Supprime un logo
*/ */
deleteMerchantLogo(fileName: string): Observable<void> { deleteMerchantLogo(
if (!fileName || fileName.trim() === '') { merchantId: string,
return throwError(() => new Error('Nom de fichier invalide')); fileName: string
): Observable<void> {
if (!merchantId || !fileName || fileName.trim() === '') {
return throwError(() => new Error('Paramètres invalides ou Nom de fichier invalide'));
} }
const params: any = {
fileName
};
return this.http.delete<{ return this.http.delete<{
success: boolean; success: boolean;
message: string message: string
}>( }>(
`${this.baseUrl}/${encodeURIComponent(fileName)}` `${this.baseUrl}/merchants/${merchantId}/logos/url`,
{ params }
).pipe( ).pipe(
map(response => { map(response => {
if (response.success) { if (response.success) {

View File

@ -349,7 +349,7 @@ export class MerchantUsersManagement implements OnInit, OnDestroy {
this.loadingMerchantPartners = true; this.loadingMerchantPartners = true;
this.merchantPartnersError = ''; this.merchantPartnersError = '';
this.merchantConfigService.getAllMerchants() this.merchantConfigService.fetchAllMerchants()
.pipe(takeUntil(this.destroy$)) .pipe(takeUntil(this.destroy$))
.subscribe({ .subscribe({
next: (merchants) => { next: (merchants) => {
@ -571,15 +571,19 @@ export class MerchantUsersManagement implements OnInit, OnDestroy {
enabled: this.newUser.enabled, enabled: this.newUser.enabled,
emailVerified: this.newUser.emailVerified, emailVerified: this.newUser.emailVerified,
userType: this.newUser.userType, userType: this.newUser.userType,
merchantPartnerId: this.newUser.merchantPartnerId // Passer l'ID du merchant merchantPartnerId: this.newUser.merchantPartnerId
}; };
// Variable pour stocker l'ID de l'utilisateur créé en cas de rollback
let createdUserId: string | null = null;
this.merchantUsersService.createMerchantUser(userDto) this.merchantUsersService.createMerchantUser(userDto)
.pipe( .pipe(
switchMap((createdKeycloakUser) => { switchMap((createdKeycloakUser) => {
console.log('✅ Keycloak user created successfully:', createdKeycloakUser); console.log('✅ Keycloak user created successfully:', createdKeycloakUser);
createdUserId = createdKeycloakUser.id;
// 2. Ajouter l'utilisateur au merchant dans MerchantConfig // 2. Si c'est un utilisateur Merchant, l'ajouter au merchant dans MerchantConfig
if (this.isMerchantRole(this.newUser.role) && this.newUser.merchantPartnerId) { if (this.isMerchantRole(this.newUser.role) && this.newUser.merchantPartnerId) {
const merchantPartnerId = Number(this.newUser.merchantPartnerId); const merchantPartnerId = Number(this.newUser.merchantPartnerId);
@ -594,32 +598,88 @@ export class MerchantUsersManagement implements OnInit, OnDestroy {
map((merchantConfigUser) => { map((merchantConfigUser) => {
return { return {
keycloakUser: createdKeycloakUser, keycloakUser: createdKeycloakUser,
merchantConfigUser merchantConfigUser,
success: true
}; };
}),
catchError((merchantError) => {
console.error('❌ Failed to add user to merchant config:', merchantError);
// ROLLBACK: Supprimer l'utilisateur Keycloak créé
if (createdUserId) {
console.log(`🔄 Rollback: Deleting Keycloak user ${createdUserId} because merchant association failed`);
return this.merchantUsersService.deleteMerchantUser(createdUserId).pipe(
map(() => {
console.log(`✅ Keycloak user ${createdUserId} deleted as part of rollback`);
throw new Error(`Failed to associate user with merchant: ${merchantError.message}. User creation rolled back.`);
}),
catchError((deleteError) => {
console.error(`❌ Failed to delete Keycloak user during rollback:`, deleteError);
// Même si le rollback échoue, on propage l'erreur originale avec info supplémentaire
throw new Error(`Failed to associate user with merchant: ${merchantError.message}. AND failed to rollback user creation: ${deleteError.message}`);
}) })
); );
} }
return of({ keycloakUser: createdKeycloakUser }); // Si createdUserId est null, on ne peut pas rollback
throw merchantError;
})
);
}
// Si pas d'association nécessaire (non-Merchant user), retourner directement
return of({
keycloakUser: createdKeycloakUser,
merchantConfigUser: null,
success: true
});
}), }),
takeUntil(this.destroy$) takeUntil(this.destroy$)
) )
.subscribe({ .subscribe({
next: (result) => { next: (result) => {
if (result.success) {
console.log('✅ Complete user creation successful:', result); console.log('✅ Complete user creation successful:', result);
this.creatingUser = false; this.creatingUser = false;
this.modalService.dismissAll(); this.modalService.dismissAll();
this.refreshUsersList(); this.refreshUsersList();
this.cdRef.detectChanges(); this.cdRef.detectChanges();
}
}, },
error: (error) => { error: (error) => {
console.error('❌ Error in user creation process:', error); console.error('❌ Error in user creation process:', error);
this.creatingUser = false; this.creatingUser = false;
this.createUserError = this.getErrorMessage(error);
// Déterminer le message d'erreur approprié
if (error.message.includes('rolled back')) {
// Erreur avec rollback réussi
this.createUserError = error.message;
console.log('⚠️ User creation rolled back successfully');
} else if (createdUserId && !error.message.includes('failed to rollback')) {
// L'utilisateur a été créé mais une autre erreur est survenue
// Tentative de nettoyage de l'utilisateur orphelin
console.log(`⚠️ Attempting to clean up orphaned user: ${createdUserId}`);
this.merchantUsersService.deleteMerchantUser(createdUserId).subscribe({
next: () => {
console.log(`✅ Orphaned user cleaned up: ${createdUserId}`);
this.createUserError = `User creation failed after user was created. Orphaned user ${createdUserId} has been cleaned up. Error: ${error.message}`;
this.cdRef.detectChanges();
},
error: (cleanupError) => {
console.error(`❌ Failed to cleanup orphaned user:`, cleanupError);
this.createUserError = `User creation failed and cleanup of orphaned user ${createdUserId} also failed. Please contact admin. Original error: ${error.message}`;
this.cdRef.detectChanges(); this.cdRef.detectChanges();
} }
}); });
} else {
// Autre erreur
this.createUserError = this.getErrorMessage(error);
this.cdRef.detectChanges();
} }
}
});
}
// Méthode pour trouver le merchantPartnerId de l'utilisateur connecté // Méthode pour trouver le merchantPartnerId de l'utilisateur connecté
private findMerchantPartnerIdForCurrentUser(): void { private findMerchantPartnerIdForCurrentUser(): void {
@ -791,16 +851,28 @@ export class MerchantUsersManagement implements OnInit, OnDestroy {
if (error.error?.message) { if (error.error?.message) {
return error.error.message; return error.error.message;
} }
if (error.status === 400) {
return 'Données invalides. Vérifiez les champs du formulaire.';
}
if (error.status === 409) { if (error.status === 409) {
return 'Un utilisateur avec ce nom d\'utilisateur ou email existe déjà.'; return 'Un utilisateur avec ce nom d\'utilisateur ou email existe déjà.';
} }
if (error.status === 403) { if (error.status === 403) {
return 'Vous n\'avez pas les permissions nécessaires pour cette action.'; return 'Vous n\'avez pas les permissions nécessaires pour cette action.';
} }
return 'Erreur lors de la création de l\'utilisateur. Veuillez réessayer.';
if (error.status === 400) {
return 'Données invalides. Vérifiez les informations saisies';
}
if (error.status === 404) {
return 'Le merchant spécifié n\'existe pas';
}
if (error.status === 0 || error.status === 503) {
return 'Service temporairement indisponible. Veuillez réessayer plus tard';
}
return 'Une erreur inattendue est survenue lors de l\'Operation';
} }
private getResetPasswordErrorMessage(error: any): string { private getResetPasswordErrorMessage(error: any): string {

View File

@ -112,15 +112,17 @@
<div class="row align-items-center"> <div class="row align-items-center">
<!-- Logo et informations --> <!-- Logo et informations -->
<div class="col-md-8"> <div class="col-md-8">
<div class="d-flex align-items-center"> <div class="d-flex align-items-start">
<!-- ==================== LOGO DU MARCHAND ==================== --> <!-- ==================== LOGO DU MARCHAND ==================== -->
<div class="merchant-logo-container me-4"> <div class="merchant-logo-container me-4">
<div class="logo-display">
@if (merchant.logo && merchant.logo.trim() !== '') { @if (merchant.logo && merchant.logo.trim() !== '') {
<img <img
[src]="getMerchantLogoUrl(merchant.id, merchant.logo, merchant.name) | async" [src]="getMerchantLogoUrl(merchant.id, merchant.logo, merchant.name) | async"
[alt]="merchant.name + ' logo'" [alt]="merchant.name + ' logo'"
class="rounded-circle" class="merchant-logo"
style="width: 40px; height: 40px; object-fit: cover; border: 2px solid #f0f0f0;" style="width: 300px; height: 250px; object-fit: cover; border-radius: 8px; border: 2px solid #f0f0f0;"
loading="lazy" loading="lazy"
(error)="onLogoError($event, merchant.name)" (error)="onLogoError($event, merchant.name)"
/> />
@ -128,14 +130,21 @@
<img <img
[src]="getDefaultLogoUrl(merchant.name)" [src]="getDefaultLogoUrl(merchant.name)"
[alt]="merchant.name + ' logo'" [alt]="merchant.name + ' logo'"
class="rounded-circle" class="merchant-logo"
style="width: 40px; height: 40px; object-fit: cover; border: 2px solid #f0f0f0;" style="width: 200px; height: 200px; object-fit: cover; border-radius: 8px; border: 2px solid #f0f0f0;"
loading="lazy" loading="lazy"
(error)="onDefaultLogoError($event)" (error)="onDefaultLogoError($event)"
/> />
} }
</div> </div>
<div class="logo-info mt-2 text-center">
<div style="font-size: 0.85rem; color: #666;">
{{ merchant.logo ? 'Logo personnalisé' : 'Logo par défaut' }}
</div>
</div>
</div>
<!-- Informations du marchand --> <!-- Informations du marchand -->
<div class="flex-grow-1"> <div class="flex-grow-1">
<h2 class="mb-2 text-white">{{ merchant.name }}</h2> <h2 class="mb-2 text-white">{{ merchant.name }}</h2>

View File

@ -138,7 +138,7 @@ export class MerchantConfigService {
return Math.ceil(value / 10000) * 10000; return Math.ceil(value / 10000) * 10000;
} }
private fetchAllMerchants(params?: SearchMerchantsParams): Observable<Merchant[]> { fetchAllMerchants(params?: SearchMerchantsParams): Observable<Merchant[]> {
// Commencer avec un take raisonnable // Commencer avec un take raisonnable
const initialTake = 500; const initialTake = 500;
@ -190,7 +190,7 @@ export class MerchantConfigService {
const skip = this.merchantsCache.length; const skip = this.merchantsCache.length;
let httpParams = new HttpParams() let httpParams = new HttpParams()
.set('take', take.toString()) .set('take', take.toString())
.set('skip', skip.toString()); // Si votre API supporte skip .set('skip', skip.toString());
if (params?.query) { if (params?.query) {
httpParams = httpParams.set('query', params.query.trim()); httpParams = httpParams.set('query', params.query.trim());

View File

@ -927,18 +927,21 @@ export class MerchantConfigManagement implements OnInit, OnDestroy {
console.log('✅ New logo uploaded:', uploadResponse); console.log('✅ New logo uploaded:', uploadResponse);
this.uploadingLogo = false; this.uploadingLogo = false;
// Mettre à jour le nom du logo dans l'objet merchant
this.selectedMerchantForEdit!.logo = uploadResponse.data.fileName;
// Supprimer l'ancien logo si différent // Supprimer l'ancien logo si différent
const oldLogo = this.selectedMerchantForEdit!.logo; const oldLogo = this.selectedMerchantForEdit!.logo;
if (oldLogo && oldLogo !== uploadResponse.data.fileName) { if (oldLogo && oldLogo !== uploadResponse.data.fileName) {
this.minioService.deleteMerchantLogo(oldLogo).subscribe({
this.logoUrlCache.delete(oldLogo);
this.minioService.deleteMerchantLogo(String(this.selectedMerchantForEdit?.id), oldLogo).subscribe({
next: () => console.log('🗑️ Old logo deleted'), next: () => console.log('🗑️ Old logo deleted'),
error: (err) => console.warn('⚠️ Could not delete old logo:', err) error: (err) => console.warn('⚠️ Could not delete old logo:', err)
}); });
} }
// Mettre à jour le nom du logo dans l'objet merchant
this.selectedMerchantForEdit!.logo = uploadResponse.data.fileName;
console.log('Logo : ' + this.selectedMerchantForEdit!.logo) console.log('Logo : ' + this.selectedMerchantForEdit!.logo)
// Retourner l'observable pour la mise à jour du marchand // Retourner l'observable pour la mise à jour du marchand
@ -973,9 +976,11 @@ export class MerchantConfigManagement implements OnInit, OnDestroy {
if (merchantId) { if (merchantId) {
this.merchantProfiles[merchantId] = frontendMerchant; this.merchantProfiles[merchantId] = frontendMerchant;
const cacheKey = `${merchantId}_${frontendMerchant.name}`;
// Invalider le cache de l'URL du logo // Invalider le cache de l'URL du logo
if (frontendMerchant.logo) { if (frontendMerchant.logo) {
this.logoUrlCache.delete(frontendMerchant.logo); this.logoUrlCache.set(cacheKey, frontendMerchant.logo);
} }
} }
@ -1011,7 +1016,7 @@ export class MerchantConfigManagement implements OnInit, OnDestroy {
logoFileName: string, logoFileName: string,
): Observable<string> { ): Observable<string> {
const cacheKey = `${merchantId}_${logoFileName}`; const cacheKey = `${merchantId}_${merchantName}`;
// Vérifier si le logo est en cache d'erreur // Vérifier si le logo est en cache d'erreur
if (this.logoErrorCache.has(cacheKey)) { if (this.logoErrorCache.has(cacheKey)) {