Реагировать с ES7: Не использовать TypeError: Не удается прочитать свойство "состояние" неопределенного
Я получаю эту ошибку Uncaught TypeError: Не могу прочитать свойство "состояние" неопределенного, когда я ввожу что-либо в поле ввода AuthorForm. Я использую React с ES7.
Ошибка возникает в третьей строке функции setAuthorState в ManageAuthorPage. Независимо от этой строки кода, даже если я поставлю console.log(this.state.author) в setAuthorState, он остановится на console.log и вызовет ошибку.
Невозможно найти аналогичную проблему для кого-то другого через Интернет.
Вот код ManageAuthorPage:
import React, { Component } from 'react';
import AuthorForm from './authorForm';
class ManageAuthorPage extends Component {
state = {
author: { id: '', firstName: '', lastName: '' }
};
setAuthorState(event) {
let field = event.target.name;
let value = event.target.value;
this.state.author[field] = value;
return this.setState({author: this.state.author});
};
render() {
return (
<AuthorForm
author={this.state.author}
onChange={this.setAuthorState}
/>
);
}
}
export default ManageAuthorPage
И вот код AuthorForm:
import React, { Component } from 'react';
class AuthorForm extends Component {
render() {
return (
<form>
<h1>Manage Author</h1>
<label htmlFor="firstName">First Name</label>
<input type="text"
name="firstName"
className="form-control"
placeholder="First Name"
ref="firstName"
onChange={this.props.onChange}
value={this.props.author.firstName}
/>
<br />
<label htmlFor="lastName">Last Name</label>
<input type="text"
name="lastName"
className="form-control"
placeholder="Last Name"
ref="lastName"
onChange={this.props.onChange}
value={this.props.author.lastName}
/>
<input type="submit" value="Save" className="btn btn-default" />
</form>
);
}
}
export default AuthorForm
Ответы
Ответ 1
Убедитесь, что вы вызываете super()
как первое, что есть в вашем конструкторе!
Вы должны установить this
для метода setAuthorState
class ManageAuthorPage extends Component {
state = {
author: { id: '', firstName: '', lastName: '' }
};
constructor(props) {
super(props);
this.handleAuthorChange = this.handleAuthorChange.bind(this);
}
handleAuthorChange(event) {
let {name: fieldName, value} = event.target;
this.setState({
[fieldName]: value
});
};
render() {
return (
<AuthorForm
author={this.state.author}
onChange={this.handleAuthorChange}
/>
);
}
}
Еще одна альтернатива, основанная на arrow function
:
class ManageAuthorPage extends Component {
state = {
author: { id: '', firstName: '', lastName: '' }
};
handleAuthorChange = (event) => {
const {name: fieldName, value} = event.target;
this.setState({
[fieldName]: value
});
};
render() {
return (
<AuthorForm
author={this.state.author}
onChange={this.handleAuthorChange}
/>
);
}
}
Ответ 2
Вы должны привязать обработчики событий к правильному контексту (this
):
onChange={this.setAuthorState.bind(this)}