1. ホーム
  2. javascript

TypeScriptでreactのstateを利用する

2023-09-22 03:55:16

質問

TypeScript初心者です。renderメソッド内で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] Property 'playOrPause' does not exist on type 'ReadOnly<{}>'.

playOrPause プロパティを文字列の型として宣言してみましたが、うまくいきませんでした。 動作させるには、ここで何が足りないのでしょうか。

どのように解決するのですか?

コンポーネントが、TypescriptのGenericsで使用されているStateインターフェイスを使用していることを宣言する必要があります。

interface IProps {
}

interface IState {
  playOrPause?: string;
}

class Player extends React.Component<IProps, IState> {
  // ------------------------------------------^
  constructor(props: IProps) {
    super(props);

    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>
    );
  }
}