Issue
So I have a Component.html that includes an input as follows:
<input type="text" (change) = "setNewUserName($event.target.value)"/>
the component.ts is:
import { Component } from "@angular/core";
@Component({
selector : 'app-users-list',
templateUrl : './usersList.component.html'
})
export class UsersListComponent
{
setNewUserName (userName : string): void {
console.log('setNewUserName', userName)
}
}
and finally the module.ts is:
@NgModule ({
declarations: [UsersListComponent],
imports : [CommonModule],
exports: [UsersListComponent]
})
export class UsersListModule {}
When running the server, the following error pops up:
error TS2531: Object is possibly 'null'.
1 <input type="text" (change) = "setNewUserName($event.target.value)"/>
~~~~~
Solution
Are you using Angular Ivy? Most possibly it's due to the template type checking in Ivy AOT.
Nevertheless, there are multiple options
Option 1: Send the event as argument
<input type="text" (change) = "setNewUserName($event)"/>
export class UsersListComponent {
setNewUserName (event: any): void {
console.log('setNewUserName', event.target.value)
}
}
Option 2: Use a template reference variable
<input #userName type="text" (change) = "setNewUserName(userName.value)"/>
export class UsersListComponent {
setNewUserName (userName : string): void {
console.log('setNewUserName', userName)
}
}
Option 3: Disable type checking using $any()
<input type="text" (change) = "setNewUserName($any($event.target).value)"/>
export class UsersListComponent {
setNewUserName (userName : string): void {
console.log('setNewUserName', userName)
}
}
Option 4: Template-driven or reactive form
Use a template-driven or reactive form to get the input value. IMO this would be the most elegant approach.
Update: add disable type checking
Answered By - ruth
0 comments:
Post a Comment
Note: Only a member of this blog may post a comment.