You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
handling creating instances of things and injecting them into places where they are needed
DI has 2 steps:
service registration (list of things that can be injected)
retrieval of registered things, done with constructor(){} injection, either by TypeScript type anotations or by using the @Inject() decorator
Angular provides access to the Injector itself for locating specific services
Wherever they are registered, they will be available within the component and it's children
Steps:
Register services in the provider class or the provide helper function or by providing the type, at the bootstrap call or in the compononent metadata decorators
Initialize them within class cunstroctor signatures
Services === Singletons, stored in memory at client level
Class Constructor Injection
media-item-form.component.ts
import{OnInit}from'@angular/core';import{FormGroup,FormControl,Validators,FormBuilder}from'@angular/forms';exportclassMediaItemFormComponentimplementsOnInit{form: FormGroup;constructor(privateformBuilder: FormBuilder){}ngOnInit(){this.form=this.formBuilder.group({medium: this.formBuilder.control('Movies'),name: this.formBuilder.control('',Validators.compose([Validators.required,Validators.pattern('[\\w\\-\\s\\/]+')])),category: this.formBuilder.control(''),year: this.formBuilder.control('',this.yearValidator)});}yearValidator(control: FormControl){if(control.value.trim().length===0){returnnull;}constyear=parseInt(control.value,10);constminYear=1800;constmaxYear=2500;if(year>=minYear&&year<=maxYear){returnnull;}else{return{year: true};// OR return an object with min-max valuesreturn{year: {min: minYear,max: maxYear};}}onSubmit(formValue){console.log(formValue)}}
import{OnInit,Inject}from'@angular/core';import{FormGroup,FormControl,Validators,FormBuilder}from'@angular/forms';import{MediaItemService}from'./media-item.service';exportclassMediaItemFormComponentimplementsOnInit{form: FormGroup;constructor(privateformBuilder: FormBuilder,privatemediaItemService: MediaItemService,
@Inject('lookupListToken')publiclookupList){}ngOnInit(){this.form=this.formBuilder.group({medium: this.formBuilder.control('Movies'),name: this.formBuilder.control('',Validators.compose([Validators.required,Validators.pattern('[\\w\\-\\s\\/]+')])),category: this.formBuilder.control(''),year: this.formBuilder.control('',this.yearValidator)});}yearValidator(control: FormControl){if(control.value.trim().length===0){returnnull;}constyear=parseInt(control.value,10);constminYear=1800;constmaxYear=2500;if(year>=minYear&&year<=maxYear){returnnull;}else{return{year: true};// OR return an object with min-max valuesreturn{year: {min: minYear,max: maxYear};}}onSubmit(mediaIem){console.log(mediaIem);this.mediaItemService.add(mediaIem)}}
media-item-form.component.html
<form[formGroup]="form"
(ngSubmit)="onSubmit(form.value)"><selectformControlName="medium" name="medium" id="medium"><option*ngFor="let medium of lookupLists.mediums" [value]="medium">{{medium}}</option></select><inputformControlName="name"
name="name"
id="name"><div*ngIf="form.get('name').hasError('pattern')"
class="error">
Name has invalid characters
</div><inputformControlName="year"
name="year"
id="year"><div*ngIf="form.get('year').hasError('year')"
class="error">
Year must be between 1900 and 2100
</div><!-- When returining an OBJECT --><div*ngIf="form.get('year').errors a yearErrors"
class="error">
Year must be between {{ yearErrors.year.min }} and {{ yearErrors.year.max }}
</div><buttontype="submit" [disabled]="!form.valid">Save</button></form>
import{OnInit,Inject}from'@angular/core';import{FormGroup,FormControl,Validators,FormBuilder}from'@angular/forms';import{MediaItemService}from'./media-item.service';import{lookupListToken,lookupLists}from'./provider';exportclassMediaItemFormComponentimplementsOnInit{form: FormGroup;constructor(privateformBuilder: FormBuilder,privatemediaItemService: MediaItemService,
@Inject(lookupListToken)publiclookupList){}ngOnInit(){this.form=this.formBuilder.group({medium: this.formBuilder.control('Movies'),name: this.formBuilder.control('',Validators.compose([Validators.required,Validators.pattern('[\\w\\-\\s\\/]+')])),category: this.formBuilder.control(''),year: this.formBuilder.control('',this.yearValidator)});}yearValidator(control: FormControl){if(control.value.trim().length===0){returnnull;}constyear=parseInt(control.value,10);constminYear=1800;constmaxYear=2500;if(year>=minYear&&year<=maxYear){returnnull;}else{return{year: true};// OR return an object with min-max valuesreturn{year: {min: minYear,max: maxYear};}}onSubmit(mediaIem){console.log(mediaIem);this.mediaItemService.add(mediaIem)}}
media-item-form.component.html
<form[formGroup]="form"
(ngSubmit)="onSubmit(form.value)"><selectformControlName="medium" name="medium" id="medium"><option*ngFor="let medium of lookupLists.mediums" [value]="medium">{{medium}}</option></select><inputformControlName="name"
name="name"
id="name"><div*ngIf="form.get('name').hasError('pattern')"
class="error">
Name has invalid characters
</div><inputformControlName="year"
name="year"
id="year"><div*ngIf="form.get('year').hasError('year')"
class="error">
Year must be between 1900 and 2100
</div><!-- When returining an OBJECT --><div*ngIf="form.get('year').errors a yearErrors"
class="error">
Year must be between {{ yearErrors.year.min }} and {{ yearErrors.year.max }}
</div><buttontype="submit" [disabled]="!form.valid">Save</button></form>
'*' syntactic sugar, shorthand pattern for writing the actual syntax
work with ng-template elements to modify the DOM
if placed on ng-template it will handle rendering or not the children of the template element
*ngIf
<!-- If mediaItem.watchedOn has a value, then this will evaluate to TRUE and the content within the div will be displayed otherwise not.. --><div*ngIf="mediaItem.watchedOn">{{ mediaItem.watchedOn }}</div><!-- this will not make it to the DOM if false/null --><ng-template[ngIf]="mediaItem.watchedOn"><div>{{ mediaItem.watchedOn }}</div></ng-template>
import{OnInit}from'@angular/core';import{FormGroup,FormControl,Validators}from'@angular/forms';exportclassMediaItemFormComponentimplementsOnInit{form: FormGroup;ngOnInit(){this.form=newFormGroup({medium: newFormControl('Movies'),name: newFormControl('',Validators.compose([Validators.required,Validators.pattern('[\\w\\-\\s\\/]+')])),category: newFormControl(''),year: newFormControl('',this.yearValidator)});}yearValidator(control: FormControl){if(control.value.trim().length===0){returnnull;}constyear=parseInt(control.value,10);constminYear=1800;constmaxYear=2500;if(year>=minYear&&year<=maxYear){returnnull;}else{return{year: true};// OR return an object with min-max valuesreturn{year: {min: minYear,max: maxYear};}}onSubmit(formValue){console.log(formValue)}}
Error handling
media-item-form.component.html
<form[formGroup]="form"
(ngSubmit)="onSubmit(form.value)"><selectformControlName="medium" name="medium" id="medium"><optionvalue="Movies">Movies</option><optionvalue="Series">Series</option></select><inputformControlName="name"
name="name"
id="name"><div*ngIf="form.get('name').hasError('pattern')"
class="error">
Name has invalid characters
</div><inputformControlName="year"
name="year"
id="year"><div*ngIf="form.get('year').hasError('year')"
class="error">
Year must be between 1900 and 2100
</div><!-- When returining an OBJECT --><div*ngIf="form.get('year').errors a yearErrors"
class="error">
Year must be between {{ yearErrors.year.min }} and {{ yearErrors.year.max }}
</div><buttontype="submit" [disabled]="!form.valid">Save</button></form>
Full Example
import{Component,ChangeDetectorRef,ElementRef,ViewChild,}from'@angular/core';import{FormBuilder,FormArray,Validators}from'@angular/forms';import{ValidatePassword}from'./must-match/validate-password';
@Component({selector: 'app-root',templateUrl: './app.component.html',styleUrls: ['./app.component.css'],})exportclassAppComponent{submitted=false;// City namesCity: any=['Florida','South Dakota','Tennessee','Michigan'];constructor(publicfb: FormBuilder,privatecd: ChangeDetectorRef){}/*##################### Registration Form #####################*/registrationForm=this.fb.group({file: [null],fullName: this.fb.group({firstName: ['',[Validators.required,Validators.minLength(2),Validators.pattern('^[_A-z0-9]*((-|s)*[_A-z0-9])*$'),],],lastName: ['',[Validators.required]],}),email: ['',[Validators.required,Validators.pattern('[a-z0-9._%+-]+@[a-z0-9.-]+.[a-z]{2,3}$'),],],phoneNumber: ['',[Validators.required,Validators.maxLength(10),Validators.pattern('^[0-9]+$'),],],address: this.fb.group({street: ['',[Validators.required]],city: ['',[Validators.required]],cityName: ['',[Validators.required]],}),gender: ['male'],PasswordValidation: this.fb.group({password: ['',Validators.required],confirmPassword: ['',Validators.required],},{validator: ValidatePassword.MatchPassword,// your validation method}),addDynamicElement: this.fb.array([]),});/*########################## File Upload ########################*/
@ViewChild('fileInput')el: ElementRef;imageUrl: any='https://i.pinimg.com/236x/d6/27/d9/d627d9cda385317de4812a4f7bd922e9--man--iron-man.jpg';editFile: boolean=true;removeUpload: boolean=false;uploadFile(event){letreader=newFileReader();// HTML5 FileReader APIletfile=event.target.files[0];if(event.target.files&&event.target.files[0]){reader.readAsDataURL(file);// When file uploads set it to file formcontrolreader.onload=()=>{this.imageUrl=reader.result;this.registrationForm.patchValue({file: reader.result,});this.editFile=false;this.removeUpload=true;};// ChangeDetectorRef since file is loading outside the zonethis.cd.markForCheck();}}// Function to remove uploaded fileremoveUploadedFile(){letnewFileList=Array.from(this.el.nativeElement.files);this.imageUrl='https://i.pinimg.com/236x/d6/27/d9/d627d9cda385317de4812a4f7bd922e9--man--iron-man.jpg';this.editFile=true;this.removeUpload=false;this.registrationForm.patchValue({file: [null],});}// Getter method to access formcontrolsgetmyForm(){returnthis.registrationForm.controls;}// Choose city using select dropdownchangeCity(e){this.registrationForm.get('address.cityName').setValue(e.target.value,{onlySelf: true,});}/*############### Add Dynamic Elements ###############*/getaddDynamicElement(){returnthis.registrationForm.get('addDynamicElement')asFormArray;}addSuperPowers(){this.addDynamicElement.push(this.fb.control(''));}// Submit Registration FormonSubmit(){this.submitted=true;if(!this.registrationForm.valid){alert('Please fill all the required fields to create a super hero!');returnfalse;}else{returnconsole.log(this.registrationForm.value);}}}
<divclass="container"><divclass="row custom-wrapper"><divclass="col-md-12"><!-- Form starts --><form[formGroup]="registrationForm" (ngSubmit)="onSubmit()"><divclass="group-gap"><!-- Upload image --><divclass="avatar-upload"><divclass="avatar-edit"><inputtype="file"
id="imageUpload"
accept=".png, .jpg, .jpeg"
#fileInput(change)="uploadFile($event)"
/><labelfor="imageUpload"
*ngIf="editFile"
[ngClass]="['custom-label', 'upload-image']"
></label><label*ngIf="removeUpload"
[ngClass]="['custom-label', 'remove-image']"
(click)="removeUploadedFile()"
></label></div><divclass="avatar-preview"><divid="imagePreview"
[style.backgroundImage]="'url(' + imageUrl + ')'"
></div></div></div><!-- Full name --><divformGroupName="fullName"><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['fullName']['controls'].firstName.errors }"
>
First name</label><inputtype="text"
class="form-control"
formControlName="firstName"
[ngClass]="{ error: submitted && myForm['fullName']['controls'].firstName.errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['fullName']['controls'].firstName.errors?.required"
><sup>*</sup>Enter your name
</div><divclass="invalid-feedback"
*ngIf="
submitted && myForm['fullName']['controls'].firstName.errors?.minlength"
><sup>*</sup>Name must be 2 characters long
</div><divclass="invalid-feedback"
*ngIf="
submitted && myForm['fullName']['controls'].firstName.errors?.pattern"
><sup>*</sup>No special charcter allowed
</div></div><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['fullName']['controls'].lastName.errors }"
>
Last name</label><inputtype="text"
class="form-control"
formControlName="lastName"
[ngClass]="{ error: submitted && myForm['fullName']['controls'].lastName.errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['fullName']['controls'].lastName.errors?.required"
><sup>*</sup>Please enter your surname
</div></div></div><!-- Email --><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['email'].errors }"
>Email</label><inputtype="email"
class="form-control"
formControlName="email"
[ngClass]="{ error: submitted && myForm['email'].errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="submitted && myForm['email'].errors?.['required']"
><sup>*</sup>Please enter your email
</div><divclass="invalid-feedback"
*ngIf="submitted && myForm['email'].errors?.['pattern']"
><sup>*</sup>Please enter valid email
</div></div><!-- Phone number --><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['phoneNumber'].errors }"
>Phone Number</label><inputtype="text"
class="form-control"
formControlName="phoneNumber"
[ngClass]="{ error: submitted && myForm['phoneNumber'].errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="submitted && myForm['phoneNumber'].errors?.['maxLength']"
><sup>*</sup>Phone number must be 10 digit long
</div><divclass="invalid-feedback"
*ngIf="submitted && myForm['phoneNumber'].errors?.['required']"
><sup>*</sup>Please enter your phone number
</div><divclass="invalid-feedback"
*ngIf="submitted && myForm['phoneNumber'].errors?.['pattern']"
><sup>*</sup>Please enter valid phone number
</div></div></div><!-- Address --><divclass="group-gap" formGroupName="address"><h5class="mb-3">Address</h5><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['address']['controls'].street.errors }"
>Street</label><inputtype="text"
class="form-control"
formControlName="street"
[ngClass]="{ error: submitted && myForm['address']['controls'].street.errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['address']['controls'].street.errors?.required"
><sup>*</sup>Please enter your street
</div></div><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['address']['controls'].city.errors }"
>City</label><inputtype="text"
class="form-control"
formControlName="city"
[ngClass]="{ error: submitted && myForm['address']['controls'].city.errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['address']['controls'].city.errors?.required"
><sup>*</sup>Please enter your street
</div></div><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['address']['controls'].cityName.errors }"
>State</label><selectclass="custom-select d-block w-100"
(change)="changeCity($event)"
formControlName="cityName"
[ngClass]="{ error: submitted && myForm['address']['controls'].cityName.errors }"
><optionvalue="">Choose...</option><option*ngFor="let city of City" [ngValue]="city">
{{ city }}
</option></select><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['address']['controls'].cityName.errors?.required"
><sup>*</sup>Please enter your city name
</div></div></div><!-- Gender --><divclass="group-gap"><h5class="mb-3">Gender</h5><divclass="d-block my-3"><divclass="custom-control custom-radio"><inputid="male"
type="radio"
class="custom-control-input"
name="gender"
formControlName="gender"
value="male"
checked/><labelclass="custom-control-label" for="male">Male</label></div><divclass="custom-control custom-radio"><inputid="female"
type="radio"
class="custom-control-input"
name="gender"
formControlName="gender"
value="female"
/><labelclass="custom-control-label" for="female">Female</label></div></div></div><!-- Password --><divformGroupName="PasswordValidation"><divclass="group-gap"><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['PasswordValidation']['controls'].password.errors }"
>Password</label><inputtype="password"
class="form-control"
formControlName="password"
[ngClass]="{ error: submitted && myForm['PasswordValidation']['controls'].password.errors }"
/><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['PasswordValidation']['controls'].password.errors"
><sup>*</sup>Please enter password
</div></div><divclass="mb-3"><label[ngClass]="{ error: submitted && myForm['PasswordValidation']['controls'].confirmPassword .errors }"
>Confirm Password</label><inputtype="password"
class="form-control"
formControlName="confirmPassword"
[ngClass]="{ error: submitted && myForm['PasswordValidation']['controls'].confirmPassword .errors }"
/></div><!-- error block --><divclass="invalid-feedback"
*ngIf="
submitted && myForm['PasswordValidation']['controls'].confirmPassword.errors"
><sup>*</sup>Password mismatch
</div></div></div><!-- Add Super Powers Dynamically--><divclass="group-gap" formArrayName="addDynamicElement"><h5class="mb-3">Add Super Powers</h5><divclass="mb-3"><buttontype="button"
class="btn btn-sm btn-success mb-3 btn-block"
(click)="addSuperPowers()"
>
Add Powers
</button><ulclass="subjectList"><li*ngFor="let item of addDynamicElement.controls; let i = index"
><inputtype="text" class="form-control" [formControlName]="i" /></li></ul></div><!-- Submit Button --><buttontype="submit" class="btn btn-danger btn-lg btn-block">
Create Superhero
</button></div></form><!-- Form ends --></div></div></div>
import{Pipe,PipeTransform}from'@angular/core';
@Pipe({name: 'categoryList',// stateless(default) or statefullpure: true// pure: will take in data and return new data, like pure functions})exportclassCategoryListPipeimplementsPipeTransform{transform(mediaItems){constcategories=[];mediaItems.forEach(mediaItem=>{if(categories.indexOf(mediaItem.category)<=-1){categories.push(mediaItem.category)}});returncategories.join(', ');}}
ng g c comp_name --inline-style generate component
app.module.ts
import{NgModule}from'@angular/core';import{BrowserModule}from'@angular/platform-browser';import{AppComponent}from'./app.component';// metadata
@NgModule({// bring in Modules neededimports: [BrowserModule],// Components, Directives, Pipes, Services - available to imported modulesdeclarations: [AppComponent],// entry point for app codebootstrap: [AppComponent]})exportclassAppModule(){}
app.component.ts
import{Component}from'@angular/core';
@Component({// this can be anything as long as contains at leat one dashselector: 'app-root',// or 'name-app'// HTML: <app-root></app-root> // OR <name-app></name-app>template: ` <h1>App Title</h1> <p>Subheading</p> `,templateUrl: './app.component.html',styles: [` h1 { color: blue; } `],styleUrls: ['./app.component.css']})exportclassAppComponent(){}
Bootstrap the module with main.ts
// because we target a browser app we import platformBrowserDynamicimport{platformBrowserDynamic}from'@angular/platform-browser-dynamic';import{AppModule}from'./app/app.module.ts';platformBrowserDynamic().bootsrapModule(AppModule);
import{Component,Input}from'@angular/core';exportclassMediaItemComponent(){
@Input()mediaItem;// optionally can use custom property name
@Input('mediaItemToWatch')mediaItem;}
...
<mw-media-item[mediaItem]="firstMediaItem"></mw-media-item><!-- OR using cutom property name --><mw-media-item[mediaItemToWatch]="firstMediaItem"></mw-media-item>