diff --git a/.gitignore b/.gitignore index 50f7684..aa8f760 100644 --- a/.gitignore +++ b/.gitignore @@ -157,3 +157,5 @@ Desktop.ini ###################### /coverage/ /.nyc_output/ + +.mvn/wrapper/maven-wrapper.jar \ No newline at end of file diff --git a/mvnw b/mvnw old mode 100644 new mode 100755 diff --git a/npmw b/npmw old mode 100644 new mode 100755 diff --git a/src/main/java/org/datasurvey/service/UserService.java b/src/main/java/org/datasurvey/service/UserService.java index 797de9b..e1d8bb5 100644 --- a/src/main/java/org/datasurvey/service/UserService.java +++ b/src/main/java/org/datasurvey/service/UserService.java @@ -156,8 +156,7 @@ public class UserService { * Modified to register extra user data * name, iconoPerfil, fechaNacimiento, estado, pais */ - public User registerUser(AdminUserDTO userDTO, String password, String name, Integer profileIcon) { - System.out.println(name); + public User registerUser(AdminUserDTO userDTO, String password, String name, Integer profileIcon, Integer isAdmin) { userRepository .findOneByLogin(userDTO.getLogin().toLowerCase()) .ifPresent( @@ -195,7 +194,12 @@ public class UserService { // new user gets registration key newUser.setActivationKey(RandomUtil.generateActivationKey()); Set authorities = new HashSet<>(); + // Check whether it's an ADMIN or USER and apply authorities + if (isAdmin == 1) { + authorityRepository.findById(AuthoritiesConstants.ADMIN).ifPresent(authorities::add); + } authorityRepository.findById(AuthoritiesConstants.USER).ifPresent(authorities::add); + newUser.setAuthorities(authorities); userRepository.save(newUser); this.clearUserCaches(newUser); diff --git a/src/main/java/org/datasurvey/web/rest/AccountResource.java b/src/main/java/org/datasurvey/web/rest/AccountResource.java index 7d594ca..493ece3 100644 --- a/src/main/java/org/datasurvey/web/rest/AccountResource.java +++ b/src/main/java/org/datasurvey/web/rest/AccountResource.java @@ -66,7 +66,8 @@ public class AccountResource { managedUserVM, managedUserVM.getPassword(), managedUserVM.getName(), - managedUserVM.getProfileIcon() + managedUserVM.getProfileIcon(), + managedUserVM.getIsAdmin() ); mailService.sendActivationEmail(user); } diff --git a/src/main/java/org/datasurvey/web/rest/vm/ManagedUserVM.java b/src/main/java/org/datasurvey/web/rest/vm/ManagedUserVM.java index 9717f34..3d1dc73 100644 --- a/src/main/java/org/datasurvey/web/rest/vm/ManagedUserVM.java +++ b/src/main/java/org/datasurvey/web/rest/vm/ManagedUserVM.java @@ -22,6 +22,8 @@ public class ManagedUserVM extends AdminUserDTO { private Integer profileIcon; + private Integer isAdmin; + public ManagedUserVM() { // Empty constructor needed for Jackson. } @@ -50,6 +52,14 @@ public class ManagedUserVM extends AdminUserDTO { this.profileIcon = profileIcon; } + public Integer getIsAdmin() { + return isAdmin; + } + + public void setIsAdmin(Integer isAdmin) { + this.isAdmin = isAdmin; + } + // prettier-ignore @Override public String toString() { diff --git a/src/main/webapp/app/account/register/register.component.spec.ts b/src/main/webapp/app/account/register/register.component.spec.ts index 30c967c..422a382 100644 --- a/src/main/webapp/app/account/register/register.component.spec.ts +++ b/src/main/webapp/app/account/register/register.component.spec.ts @@ -64,6 +64,7 @@ describe('Component Tests', () => { langKey: 'es', name: '', profileIcon: 1, + isAdmin: 0, }); expect(comp.success).toBe(true); expect(comp.errorUserExists).toBe(false); diff --git a/src/main/webapp/app/account/register/register.component.ts b/src/main/webapp/app/account/register/register.component.ts index 59f1804..24a7542 100644 --- a/src/main/webapp/app/account/register/register.component.ts +++ b/src/main/webapp/app/account/register/register.component.ts @@ -1,7 +1,8 @@ -import { Component, AfterViewInit, ElementRef, ViewChild } from '@angular/core'; +import { Component, OnInit, AfterViewInit, ElementRef, ViewChild } from '@angular/core'; import { HttpErrorResponse } from '@angular/common/http'; import { FormBuilder, Validators } from '@angular/forms'; import { TranslateService } from '@ngx-translate/core'; +import { Router } from '@angular/router'; import { EMAIL_ALREADY_USED_TYPE, LOGIN_ALREADY_USED_TYPE } from 'app/config/error.constants'; import { RegisterService } from './register.service'; @@ -86,7 +87,15 @@ export class RegisterComponent implements AfterViewInit { console.log(name); this.registerService - .save({ login, email, password, langKey: this.translateService.currentLang, name, profileIcon: this.profileIcon }) + .save({ + login, + email, + password, + langKey: this.translateService.currentLang, + name, + profileIcon: this.profileIcon, + isAdmin: 0, + }) .subscribe( () => (this.success = true), response => this.processError(response) diff --git a/src/main/webapp/app/account/register/register.model.ts b/src/main/webapp/app/account/register/register.model.ts index eca3751..3a3a97d 100644 --- a/src/main/webapp/app/account/register/register.model.ts +++ b/src/main/webapp/app/account/register/register.model.ts @@ -5,6 +5,7 @@ export class Registration { public password: string, public langKey: string, public name: string, - public profileIcon: number + public profileIcon: number, + public isAdmin: number ) {} } diff --git a/src/main/webapp/app/account/settings/settings.component.spec.ts b/src/main/webapp/app/account/settings/settings.component.spec.ts index 257e405..7d9fc6b 100644 --- a/src/main/webapp/app/account/settings/settings.component.spec.ts +++ b/src/main/webapp/app/account/settings/settings.component.spec.ts @@ -18,6 +18,7 @@ describe('Component Tests', () => { let fixture: ComponentFixture; let mockAccountService: AccountService; const account: Account = { + id: 0, firstName: 'John', lastName: 'Doe', activated: true, diff --git a/src/main/webapp/app/core/auth/account.model.ts b/src/main/webapp/app/core/auth/account.model.ts index 22e083c..5fb0c74 100644 --- a/src/main/webapp/app/core/auth/account.model.ts +++ b/src/main/webapp/app/core/auth/account.model.ts @@ -1,5 +1,6 @@ export class Account { constructor( + public id: number, public activated: boolean, public authorities: string[], public email: string, diff --git a/src/main/webapp/app/core/auth/account.service.spec.ts b/src/main/webapp/app/core/auth/account.service.spec.ts index aec7c97..03842cc 100644 --- a/src/main/webapp/app/core/auth/account.service.spec.ts +++ b/src/main/webapp/app/core/auth/account.service.spec.ts @@ -19,6 +19,7 @@ import { AccountService } from './account.service'; function accountWithAuthorities(authorities: string[]): Account { return { + id: 0, activated: true, authorities, email: '', diff --git a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.html b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.html index 68ee81c..d75c700 100644 --- a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.html +++ b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.html @@ -1,118 +1,246 @@ -
-
-
-

- Create or edit a Usuario Extra -

+
+
+
+
+ -
- - -
- - -
- -
- - -
- - This field is required. - +
+
+

+ REGISTRAR ADMIN +

+

Ingrese los datos para registrar a un admin.

-
-
- - -
- -
- -
- +
+ Registration saved! Please check your email for confirmation.
-
-
- - -
- - This field is required. - +
+ Registration failed! Please try again later.
-
-
- - -
+
+ Email is already in use! Please choose another one. +
-
- - +
+ The password and its confirmation do not match! +
+ + +
+
+ + + +
+ + Your name is required. + + + + Your name is invalid. + + + + Your name is required to be at least 2 characters. + + + + Your name cannot be longer than 50 characters. + +
+
+
+ +
+
+ + + +
+ + Your email is required. + + + + Your email is invalid. + + + + Your email is required to be at least 5 characters. + + + + Your email cannot be longer than 100 characters. + +
+
+
+ +
+
+ + + +
+ + Your password is required. + + + + Your password is required to be at least 4 characters. + + + + Your password cannot be longer than 50 characters. + +
+
+
+ +
+
+ + + +
+ + Your confirmation password is required. + + + + Your confirmation password is required to be at least 4 characters. + + + + Your confirmation password cannot be longer than 50 characters. + +
+
+
+ +
+
+ + +
+
+ +
+ +
+
- -
- - - -
- +
diff --git a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.spec.ts b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.spec.ts index d980272..c2e698a 100644 --- a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.spec.ts +++ b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.spec.ts @@ -1,212 +1,144 @@ -jest.mock('@angular/router'); +jest.mock('@ngx-translate/core'); -import { ComponentFixture, TestBed } from '@angular/core/testing'; -import { HttpResponse } from '@angular/common/http'; +import { ComponentFixture, TestBed, waitForAsync, inject, tick, fakeAsync } from '@angular/core/testing'; import { HttpClientTestingModule } from '@angular/common/http/testing'; import { FormBuilder } from '@angular/forms'; -import { ActivatedRoute } from '@angular/router'; -import { of, Subject } from 'rxjs'; +import { of, throwError } from 'rxjs'; +import { TranslateService } from '@ngx-translate/core'; -import { UsuarioExtraService } from '../service/usuario-extra.service'; -import { IUsuarioExtra, UsuarioExtra } from '../usuario-extra.model'; - -import { IUser } from 'app/entities/user/user.model'; -import { UserService } from 'app/entities/user/user.service'; -import { IPlantilla } from 'app/entities/plantilla/plantilla.model'; -import { PlantillaService } from 'app/entities/plantilla/service/plantilla.service'; +import { EMAIL_ALREADY_USED_TYPE, LOGIN_ALREADY_USED_TYPE } from 'app/config/error.constants'; +import { RegisterService } from 'app/account/register/register.service'; import { UsuarioExtraUpdateComponent } from './usuario-extra-update.component'; describe('Component Tests', () => { - describe('UsuarioExtra Management Update Component', () => { - let comp: UsuarioExtraUpdateComponent; + describe('RegisterComponent', () => { let fixture: ComponentFixture; - let activatedRoute: ActivatedRoute; - let usuarioExtraService: UsuarioExtraService; - let userService: UserService; - let plantillaService: PlantillaService; + let comp: UsuarioExtraUpdateComponent; + + beforeEach( + waitForAsync(() => { + TestBed.configureTestingModule({ + imports: [HttpClientTestingModule], + declarations: [UsuarioExtraUpdateComponent], + providers: [FormBuilder, TranslateService], + }) + .overrideTemplate(UsuarioExtraUpdateComponent, '') + .compileComponents(); + }) + ); beforeEach(() => { - TestBed.configureTestingModule({ - imports: [HttpClientTestingModule], - declarations: [UsuarioExtraUpdateComponent], - providers: [FormBuilder, ActivatedRoute], - }) - .overrideTemplate(UsuarioExtraUpdateComponent, '') - .compileComponents(); - fixture = TestBed.createComponent(UsuarioExtraUpdateComponent); - activatedRoute = TestBed.inject(ActivatedRoute); - usuarioExtraService = TestBed.inject(UsuarioExtraService); - userService = TestBed.inject(UserService); - plantillaService = TestBed.inject(PlantillaService); - comp = fixture.componentInstance; }); - describe('ngOnInit', () => { - it('Should call User query and add missing value', () => { - const usuarioExtra: IUsuarioExtra = { id: 456 }; - const user: IUser = { id: 58280 }; - usuarioExtra.user = user; - - const userCollection: IUser[] = [{ id: 29686 }]; - jest.spyOn(userService, 'query').mockReturnValue(of(new HttpResponse({ body: userCollection }))); - const additionalUsers = [user]; - const expectedCollection: IUser[] = [...additionalUsers, ...userCollection]; - jest.spyOn(userService, 'addUserToCollectionIfMissing').mockReturnValue(expectedCollection); - - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - expect(userService.query).toHaveBeenCalled(); - expect(userService.addUserToCollectionIfMissing).toHaveBeenCalledWith(userCollection, ...additionalUsers); - expect(comp.usersSharedCollection).toEqual(expectedCollection); + it('should ensure the two passwords entered match', () => { + comp.registerForm.patchValue({ + password: 'password', + confirmPassword: 'non-matching', }); - it('Should call Plantilla query and add missing value', () => { - const usuarioExtra: IUsuarioExtra = { id: 456 }; - const plantillas: IPlantilla[] = [{ id: 54411 }]; - usuarioExtra.plantillas = plantillas; + comp.register(); - const plantillaCollection: IPlantilla[] = [{ id: 32212 }]; - jest.spyOn(plantillaService, 'query').mockReturnValue(of(new HttpResponse({ body: plantillaCollection }))); - const additionalPlantillas = [...plantillas]; - const expectedCollection: IPlantilla[] = [...additionalPlantillas, ...plantillaCollection]; - jest.spyOn(plantillaService, 'addPlantillaToCollectionIfMissing').mockReturnValue(expectedCollection); - - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - expect(plantillaService.query).toHaveBeenCalled(); - expect(plantillaService.addPlantillaToCollectionIfMissing).toHaveBeenCalledWith(plantillaCollection, ...additionalPlantillas); - expect(comp.plantillasSharedCollection).toEqual(expectedCollection); - }); - - it('Should update editForm', () => { - const usuarioExtra: IUsuarioExtra = { id: 456 }; - const user: IUser = { id: 30429 }; - usuarioExtra.user = user; - const plantillas: IPlantilla = { id: 61011 }; - usuarioExtra.plantillas = [plantillas]; - - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - expect(comp.editForm.value).toEqual(expect.objectContaining(usuarioExtra)); - expect(comp.usersSharedCollection).toContain(user); - expect(comp.plantillasSharedCollection).toContain(plantillas); - }); + expect(comp.doNotMatch).toBe(true); }); - describe('save', () => { - it('Should call update service on save for existing entity', () => { - // GIVEN - const saveSubject = new Subject>(); - const usuarioExtra = { id: 123 }; - jest.spyOn(usuarioExtraService, 'update').mockReturnValue(saveSubject); - jest.spyOn(comp, 'previousState'); - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - // WHEN - comp.save(); - expect(comp.isSaving).toEqual(true); - saveSubject.next(new HttpResponse({ body: usuarioExtra })); - saveSubject.complete(); - - // THEN - expect(comp.previousState).toHaveBeenCalled(); - expect(usuarioExtraService.update).toHaveBeenCalledWith(usuarioExtra); - expect(comp.isSaving).toEqual(false); - }); - - it('Should call create service on save for new entity', () => { - // GIVEN - const saveSubject = new Subject>(); - const usuarioExtra = new UsuarioExtra(); - jest.spyOn(usuarioExtraService, 'create').mockReturnValue(saveSubject); - jest.spyOn(comp, 'previousState'); - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - // WHEN - comp.save(); - expect(comp.isSaving).toEqual(true); - saveSubject.next(new HttpResponse({ body: usuarioExtra })); - saveSubject.complete(); - - // THEN - expect(usuarioExtraService.create).toHaveBeenCalledWith(usuarioExtra); - expect(comp.isSaving).toEqual(false); - expect(comp.previousState).toHaveBeenCalled(); - }); - - it('Should set isSaving to false on error', () => { - // GIVEN - const saveSubject = new Subject>(); - const usuarioExtra = { id: 123 }; - jest.spyOn(usuarioExtraService, 'update').mockReturnValue(saveSubject); - jest.spyOn(comp, 'previousState'); - activatedRoute.data = of({ usuarioExtra }); - comp.ngOnInit(); - - // WHEN - comp.save(); - expect(comp.isSaving).toEqual(true); - saveSubject.error('This is an error!'); - - // THEN - expect(usuarioExtraService.update).toHaveBeenCalledWith(usuarioExtra); - expect(comp.isSaving).toEqual(false); - expect(comp.previousState).not.toHaveBeenCalled(); - }); - }); - - describe('Tracking relationships identifiers', () => { - describe('trackUserById', () => { - it('Should return tracked User primary key', () => { - const entity = { id: 123 }; - const trackResult = comp.trackUserById(0, entity); - expect(trackResult).toEqual(entity.id); - }); - }); - - describe('trackPlantillaById', () => { - it('Should return tracked Plantilla primary key', () => { - const entity = { id: 123 }; - const trackResult = comp.trackPlantillaById(0, entity); - expect(trackResult).toEqual(entity.id); - }); - }); - }); - - describe('Getting selected relationships', () => { - describe('getSelectedPlantilla', () => { - it('Should return option if no Plantilla is selected', () => { - const option = { id: 123 }; - const result = comp.getSelectedPlantilla(option); - expect(result === option).toEqual(true); + it('should update success to true after creating an account', inject( + [RegisterService, TranslateService], + fakeAsync((service: RegisterService, mockLanguageService: TranslateService) => { + jest.spyOn(service, 'save').mockReturnValue(of({})); + mockLanguageService.currentLang = 'es'; + comp.registerForm.patchValue({ + password: 'password', + confirmPassword: 'password', }); - it('Should return selected Plantilla for according option', () => { - const option = { id: 123 }; - const selected = { id: 123 }; - const selected2 = { id: 456 }; - const result = comp.getSelectedPlantilla(option, [selected2, selected]); - expect(result === selected).toEqual(true); - expect(result === selected2).toEqual(false); - expect(result === option).toEqual(false); + comp.register(); + tick(); + + expect(service.save).toHaveBeenCalledWith({ + email: '', + password: 'password', + login: '', + langKey: 'es', + name: '', + profileIcon: 1, + isAdmin: 1, + }); + expect(comp.success).toBe(true); + expect(comp.errorUserExists).toBe(false); + expect(comp.errorEmailExists).toBe(false); + expect(comp.error).toBe(false); + }) + )); + + it('should notify of user existence upon 400/login already in use', inject( + [RegisterService], + fakeAsync((service: RegisterService) => { + jest.spyOn(service, 'save').mockReturnValue( + throwError({ + status: 400, + error: { type: LOGIN_ALREADY_USED_TYPE }, + }) + ); + comp.registerForm.patchValue({ + password: 'password', + confirmPassword: 'password', }); - it('Should return option if this Plantilla is not selected', () => { - const option = { id: 123 }; - const selected = { id: 456 }; - const result = comp.getSelectedPlantilla(option, [selected]); - expect(result === option).toEqual(true); - expect(result === selected).toEqual(false); + comp.register(); + tick(); + + expect(comp.errorUserExists).toBe(true); + expect(comp.errorEmailExists).toBe(false); + expect(comp.error).toBe(false); + }) + )); + + it('should notify of email existence upon 400/email address already in use', inject( + [RegisterService], + fakeAsync((service: RegisterService) => { + jest.spyOn(service, 'save').mockReturnValue( + throwError({ + status: 400, + error: { type: EMAIL_ALREADY_USED_TYPE }, + }) + ); + comp.registerForm.patchValue({ + password: 'password', + confirmPassword: 'password', }); - }); - }); + + comp.register(); + tick(); + + expect(comp.errorEmailExists).toBe(true); + expect(comp.errorUserExists).toBe(false); + expect(comp.error).toBe(false); + }) + )); + + it('should notify of generic error', inject( + [RegisterService], + fakeAsync((service: RegisterService) => { + jest.spyOn(service, 'save').mockReturnValue( + throwError({ + status: 503, + }) + ); + comp.registerForm.patchValue({ + password: 'password', + confirmPassword: 'password', + }); + + comp.register(); + tick(); + + expect(comp.errorUserExists).toBe(false); + expect(comp.errorEmailExists).toBe(false); + expect(comp.error).toBe(true); + }) + )); }); }); diff --git a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.ts b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.ts index b790e73..f712e2b 100644 --- a/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.ts +++ b/src/main/webapp/app/entities/usuario-extra/update/usuario-extra-update.component.ts @@ -1,161 +1,121 @@ import { Component, OnInit } from '@angular/core'; -import { HttpResponse } from '@angular/common/http'; +import { HttpErrorResponse } from '@angular/common/http'; import { FormBuilder, Validators } from '@angular/forms'; -import { ActivatedRoute } from '@angular/router'; -import { Observable } from 'rxjs'; -import { finalize, map } from 'rxjs/operators'; +import { TranslateService } from '@ngx-translate/core'; -import * as dayjs from 'dayjs'; -import { DATE_TIME_FORMAT } from 'app/config/input.constants'; - -import { IUsuarioExtra, UsuarioExtra } from '../usuario-extra.model'; -import { UsuarioExtraService } from '../service/usuario-extra.service'; -import { IUser } from 'app/entities/user/user.model'; -import { UserService } from 'app/entities/user/user.service'; -import { IPlantilla } from 'app/entities/plantilla/plantilla.model'; -import { PlantillaService } from 'app/entities/plantilla/service/plantilla.service'; +import { EMAIL_ALREADY_USED_TYPE, LOGIN_ALREADY_USED_TYPE } from 'app/config/error.constants'; +import { RegisterService } from 'app/account/register/register.service'; @Component({ selector: 'jhi-usuario-extra-update', templateUrl: './usuario-extra-update.component.html', }) -export class UsuarioExtraUpdateComponent implements OnInit { - isSaving = false; +export class UsuarioExtraUpdateComponent { + // @ViewChild('name', { static: false }) + // name?: ElementRef; - usersSharedCollection: IUser[] = []; - plantillasSharedCollection: IPlantilla[] = []; + profileIcon: number = 1; + profileIcons: any[] = [ + { name: 'C1', class: 'active' }, + { name: 'C2' }, + { name: 'C3' }, + { name: 'C4' }, + { name: 'C5' }, + { name: 'C6' }, + { name: 'C7' }, + { name: 'C8' }, + { name: 'C9' }, + { name: 'C10' }, + { name: 'C11' }, + { name: 'C12' }, + { name: 'C13' }, + { name: 'C14' }, + { name: 'C15' }, + { name: 'C16' }, + { name: 'C17' }, + { name: 'C18' }, + { name: 'C19' }, + { name: 'C20' }, + { name: 'C21' }, + { name: 'C22' }, + { name: 'C23' }, + { name: 'C24' }, + { name: 'C25' }, + { name: 'C26' }, + { name: 'C27' }, + { name: 'C28' }, + ]; - editForm = this.fb.group({ - id: [], - nombre: [null, [Validators.required]], - iconoPerfil: [], - fechaNacimiento: [], - estado: [null, [Validators.required]], - user: [], - plantillas: [], + doNotMatch = false; + error = false; + errorEmailExists = false; + errorUserExists = false; + success = false; + + // Login will be used to store the email as well. + // login: ['', [Validators.required, Validators.minLength(5), Validators.maxLength(254), Validators.email]] + registerForm = this.fb.group({ + name: ['', [Validators.required, Validators.minLength(2), Validators.maxLength(254)]], + email: ['', [Validators.required, Validators.minLength(5), Validators.maxLength(254), Validators.email]], + password: ['', [Validators.required, Validators.minLength(4), Validators.maxLength(50)]], + confirmPassword: ['', [Validators.required, Validators.minLength(4), Validators.maxLength(50)]], }); - constructor( - protected usuarioExtraService: UsuarioExtraService, - protected userService: UserService, - protected plantillaService: PlantillaService, - protected activatedRoute: ActivatedRoute, - protected fb: FormBuilder - ) {} + constructor(private translateService: TranslateService, private registerService: RegisterService, private fb: FormBuilder) {} - ngOnInit(): void { - this.activatedRoute.data.subscribe(({ usuarioExtra }) => { - if (usuarioExtra.id === undefined) { - const today = dayjs().startOf('day'); - usuarioExtra.fechaNacimiento = today; - } - - this.updateForm(usuarioExtra); - - this.loadRelationshipsOptions(); - }); + ngAfterViewInit(): void { + // if (this.name) { + // this.name.nativeElement.focus(); + // } } - previousState(): void { - window.history.back(); - } + register(): void { + this.doNotMatch = false; + this.error = false; + this.errorEmailExists = false; + this.errorUserExists = false; - save(): void { - this.isSaving = true; - const usuarioExtra = this.createFromForm(); - if (usuarioExtra.id !== undefined) { - this.subscribeToSaveResponse(this.usuarioExtraService.update(usuarioExtra)); + const password = this.registerForm.get(['password'])!.value; + if (password !== this.registerForm.get(['confirmPassword'])!.value) { + this.doNotMatch = true; } else { - this.subscribeToSaveResponse(this.usuarioExtraService.create(usuarioExtra)); + const login = this.registerForm.get(['email'])!.value; + const email = this.registerForm.get(['email'])!.value; + const name = this.registerForm.get(['name'])!.value; + console.log(name); + + this.registerService + .save({ + login, + email, + password, + langKey: this.translateService.currentLang, + name, + profileIcon: this.profileIcon, + isAdmin: 1, + }) + .subscribe( + () => (this.success = true), + response => this.processError(response) + ); } } - trackUserById(index: number, item: IUser): number { - return item.id!; - } - - trackPlantillaById(index: number, item: IPlantilla): number { - return item.id!; - } - - getSelectedPlantilla(option: IPlantilla, selectedVals?: IPlantilla[]): IPlantilla { - if (selectedVals) { - for (const selectedVal of selectedVals) { - if (option.id === selectedVal.id) { - return selectedVal; - } - } + private processError(response: HttpErrorResponse): void { + if (response.status === 400 && response.error.type === LOGIN_ALREADY_USED_TYPE) { + this.errorUserExists = true; + } else if (response.status === 400 && response.error.type === EMAIL_ALREADY_USED_TYPE) { + this.errorEmailExists = true; + } else { + this.error = true; } - return option; } - protected subscribeToSaveResponse(result: Observable>): void { - result.pipe(finalize(() => this.onSaveFinalize())).subscribe( - () => this.onSaveSuccess(), - () => this.onSaveError() - ); - } - - protected onSaveSuccess(): void { - this.previousState(); - } - - protected onSaveError(): void { - // Api for inheritance. - } - - protected onSaveFinalize(): void { - this.isSaving = false; - } - - protected updateForm(usuarioExtra: IUsuarioExtra): void { - this.editForm.patchValue({ - id: usuarioExtra.id, - nombre: usuarioExtra.nombre, - iconoPerfil: usuarioExtra.iconoPerfil, - fechaNacimiento: usuarioExtra.fechaNacimiento ? usuarioExtra.fechaNacimiento.format(DATE_TIME_FORMAT) : null, - estado: usuarioExtra.estado, - user: usuarioExtra.user, - plantillas: usuarioExtra.plantillas, - }); - - this.usersSharedCollection = this.userService.addUserToCollectionIfMissing(this.usersSharedCollection, usuarioExtra.user); - this.plantillasSharedCollection = this.plantillaService.addPlantillaToCollectionIfMissing( - this.plantillasSharedCollection, - ...(usuarioExtra.plantillas ?? []) - ); - } - - protected loadRelationshipsOptions(): void { - this.userService - .query() - .pipe(map((res: HttpResponse) => res.body ?? [])) - .pipe(map((users: IUser[]) => this.userService.addUserToCollectionIfMissing(users, this.editForm.get('user')!.value))) - .subscribe((users: IUser[]) => (this.usersSharedCollection = users)); - - this.plantillaService - .query() - .pipe(map((res: HttpResponse) => res.body ?? [])) - .pipe( - map((plantillas: IPlantilla[]) => - this.plantillaService.addPlantillaToCollectionIfMissing(plantillas, ...(this.editForm.get('plantillas')!.value ?? [])) - ) - ) - .subscribe((plantillas: IPlantilla[]) => (this.plantillasSharedCollection = plantillas)); - } - - protected createFromForm(): IUsuarioExtra { - return { - ...new UsuarioExtra(), - id: this.editForm.get(['id'])!.value, - nombre: this.editForm.get(['nombre'])!.value, - iconoPerfil: this.editForm.get(['iconoPerfil'])!.value, - fechaNacimiento: this.editForm.get(['fechaNacimiento'])!.value - ? dayjs(this.editForm.get(['fechaNacimiento'])!.value, DATE_TIME_FORMAT) - : undefined, - estado: this.editForm.get(['estado'])!.value, - user: this.editForm.get(['user'])!.value, - plantillas: this.editForm.get(['plantillas'])!.value, - }; + selectIcon(event: MouseEvent): void { + if (event.target instanceof Element) { + document.querySelectorAll('.active').forEach(e => e.classList.remove('active')); + event.target.classList.add('active'); + this.profileIcon = +event.target.getAttribute('id')! + 1; + } } } diff --git a/src/main/webapp/app/entities/usuario-extra/usuario-extra.module.ts b/src/main/webapp/app/entities/usuario-extra/usuario-extra.module.ts index beab505..1abd9c6 100644 --- a/src/main/webapp/app/entities/usuario-extra/usuario-extra.module.ts +++ b/src/main/webapp/app/entities/usuario-extra/usuario-extra.module.ts @@ -5,9 +5,10 @@ import { UsuarioExtraDetailComponent } from './detail/usuario-extra-detail.compo import { UsuarioExtraUpdateComponent } from './update/usuario-extra-update.component'; import { UsuarioExtraDeleteDialogComponent } from './delete/usuario-extra-delete-dialog.component'; import { UsuarioExtraRoutingModule } from './route/usuario-extra-routing.module'; +import { ComponentsModule } from 'app/components/components.module'; @NgModule({ - imports: [SharedModule, UsuarioExtraRoutingModule], + imports: [SharedModule, UsuarioExtraRoutingModule, ComponentsModule], declarations: [UsuarioExtraComponent, UsuarioExtraDetailComponent, UsuarioExtraUpdateComponent, UsuarioExtraDeleteDialogComponent], entryComponents: [UsuarioExtraDeleteDialogComponent], }) diff --git a/src/main/webapp/app/home/home.component.spec.ts b/src/main/webapp/app/home/home.component.spec.ts index 7d3229c..8b6a450 100644 --- a/src/main/webapp/app/home/home.component.spec.ts +++ b/src/main/webapp/app/home/home.component.spec.ts @@ -17,6 +17,7 @@ describe('Component Tests', () => { let mockAccountService: AccountService; let mockRouter: Router; const account: Account = { + id: 0, activated: true, authorities: [], email: '', diff --git a/src/main/webapp/app/layouts/sidebar/sidebar.component.html b/src/main/webapp/app/layouts/sidebar/sidebar.component.html index 98c662b..9bd3d74 100644 --- a/src/main/webapp/app/layouts/sidebar/sidebar.component.html +++ b/src/main/webapp/app/layouts/sidebar/sidebar.component.html @@ -9,12 +9,12 @@