我是TypeScript的新手。我在渲染方法中显示this.state.something或将其分配给函数内的变量时出现问题。
查看最重要的代码:
interface State {
playOrPause?: string;
}
class Player extends React.Component {
constructor() {
super();
this.state = {
playOrPause: 'Play'
};
}
render() {
return(
<div>
<button
ref={playPause => this.playPause = playPause}
title={this.state.playOrPause} // in this line I get an error
>
Play
</button>
</div>
);
}
}
错误说:“[ts]属性'playOrPause'在'ReadOnly&lt; {}&gt;'类型中不存在。
我试图将playOrPause属性声明为一种字符串,但它不起作用。 我在这里错过了什么才能让它发挥作用?
答案 0 :(得分:12)
您需要声明您的组件正在使用Statecript接口,它由Typescript的泛型使用。
interface IState {
playOrPause?: string;
}
interface IProps {}
class Player extends React.Component<IProps, IState> {
// --------------------------------------------^
constructor() {
super();
this.state = {
playOrPause: 'Play'
};
}
render() {
return(
<div>
<button
ref={playPause => this.playPause = playPause}
title={this.state.playOrPause} // in this line I get an error
>
Play
</button>
</div>
);
}
}
答案 1 :(得分:2)
在我的情况下(使用TypeScript,状态值实际上是一个布尔值)我遇到了同样的问题,我通过将要标记为输出的状态值传递给String()来解决了这个问题:< / p>
import React, { Component } from 'react';
interface ITestProps {
name: string;
}
interface ITestState {
toggle: boolean;
}
class Test extends Component<ITestProps, ITestState> {
constructor(props: ITestProps) {
super(props);
this.state = {
toggle: false,
};
this.onClick = this.onClick.bind(this);
}
onClick() {
this.setState((previousState, props) => ({
toggle: !previousState.toggle,
}));
}
render() {
return (
<div>
Hello, {this.props.name}!
<br />
Toggle state is: {String(this.state.toggle)}
</div>
)
}
}
答案 2 :(得分:2)
如果有人想知道如何使用钩子实现它:
const [value, setValue] = useState<number>(0);
useState 是一个泛型函数,这意味着它可以接受一个类型参数。这个类型参数会告诉 TypeScript 哪些类型可以接受这种状态。
答案 3 :(得分:-2)
只需使用属性,类型声明接口或类型,然后将其注释为状态即可。 ?
表示可选:
interface ITestProps {}
interface ITestState {
playOrPause?: string;
}
class Player extends React.Component<ITestProps, ITestState> {
state = {
playOrPause: 'Play'
};
render() {
return // your code here
}
如果您需要相同的状态将其传递给子组件,则只需要用.d.ts
创建一个文件,便可以按照上面的接口添加更多的值,您应该一切顺利!< / p>