このエラーが発生していますUncaught TypeError:入力ボックスに何かを入力するたびにundefinedのプロパティ 'state'を読み取ることができませんAuthorForm。 ES7でReactを使用しています。
エラーはManageAuthorPageのsetAuthorState関数の3行目で発生します。 setAuthorStateにconsole.log(this.state.author)を入れても、そのコード行に関係なく、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
コンストラクターで最初に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}
/>
);
}
}
イベントハンドラーを正しいコンテキスト(this
)にバインドする必要があります。
onChange={this.setAuthorState.bind(this)}