hi everyone ,i'am begginer in the angular framework , i created the first component,but got an error someone can help me please,
here is the error in the console log
hi everyone ,i'am begginer in the angular framework , i created the first component,but got an error someone can help me please,
here is the error in the console log
 
    
     
    
    mate! Welcome on board!
The error is thrown by the linter due to the TypeScript rule strictPropertyInitialization.
See: https://www.typescriptlang.org/tsconfig#strictPropertyInitialization
When set to true, TypeScript will raise an error when a class property was declared but not set in the constructor.
The problem with your code is that you've type the appareilStatus as a string, but did not make sure that the variable is actually defined.
In the case that your component appareilStatus is used without the input, that variable will be undefined and therefore not a string.
<app-appareil></app-appareil>
instead of your intended
<app-appareil appareilStatus="..." [appareilName]="'...'"></app-appareil>
To solve this error you have multiple options:
undefined to the types: @Input() appareilStatus: string | undefinedappareilStatus as an optional parameter @Input() appareilStatus?: string@Input() appareilStatus: string = ''@Input() appareilStatus: string
constructor() {
  this.appareilStatus = 'add your logic here';
}
// @ts-ignore in the line before@Input() appareilStatus: stringor... if you are annoying by this rule for now. You can disable this check by adding "strictPropertyInitialization": false to your tsconfig.json
 
    
    This is due to something called strictPropertyInitialization which is equal to true in tsconfig.json.
So we have to tell the compiler that this instance will be initialized during runtime.
We do that by adding the ! operator to ignore strict type.
Your declaration will become like the following
@Input() appareilName!: string;
Hope this helped.
