类型“Readonly<{}>”上不存在属性“value”
2017-11-29
274159
我需要创建一个表单,该表单将根据 API 的返回值显示一些内容。我正在使用以下代码:
class App extends React.Component {
constructor(props) {
super(props);
this.state = {value: ''};
this.handleChange = this.handleChange.bind(this);
this.handleSubmit = this.handleSubmit.bind(this);
}
handleChange(event) {
this.setState({value: event.target.value});
}
handleSubmit(event) {
alert('A name was submitted: ' + this.state.value); //error here
event.preventDefault();
}
render() {
return (
<form onSubmit={this.handleSubmit}>
<label>
Name:
<input type="text" value={this.state.value} onChange={this.handleChange} /> // error here
</label>
<input type="submit" value="Submit" />
</form>
);
}
}
我收到以下错误:
error TS2339: Property 'value' does not exist on type 'Readonly<{}>'.
我在代码上注释的两行中收到此错误。此代码甚至不是我的,我从 react 官方网站( https://reactjs.org/docs/forms.html )获得它,但它在这里不起作用。
我正在使用 create-react-app 工具。
3个回答
组件
定义
如下:
interface Component<P = {}, S = {}> extends ComponentLifecycle<P, S> { }
这意味着状态(和 props)的默认类型是:
{}。
如果您希望组件在状态下具有
value
,则需要像这样定义它:
class App extends React.Component<{}, { value: string }> {
...
}
或者:
type MyProps = { ... };
type MyState = { value: string };
class App extends React.Component<MyProps, MyState> {
...
}
Nitzan Tomer
2017-11-29
interface MyProps {
...
}
interface MyState {
value: string
}
class App extends React.Component<MyProps, MyState> {
...
}
// Or with hooks, something like
const App = ({}: MyProps) => {
const [value, setValue] = useState<string>('');
...
};
type
也可以,就像 @nitzan-tomer 的回答中那样,只要保持一致即可。
Leo
2018-10-05
如果你不想传递界面状态或道具模型,你可以尝试这个
class App extends React.Component <any, any>
Siphenathi
2020-11-06