打字稿中的界面状态和道具反应

interface states and props in typescript react

我正在开发一个使用 TypeScript 和 React 的项目,我对这两者都不熟悉。我的问题是关于 TypeScript 中的接口以及它与道具和状态的关系。到底发生了什么?我的应用程序根本不会 运行 除非我声明界面道具和状态,但我通过 React 构造函数使用状态并且我已经看到所有这些信息都会进入 'interface MyProps' 的示例或 'interface MyStates'。以这段代码为例:

"use strict";

import * as React from 'react'
import NavBar from './components/navbar.tsx'
import Jumbotron from './components/jumbotron.tsx';
import ContentPanel from './components/contentPanel.tsx';
import Footer from './components/footer.tsx';

interface MyProps {}
interface MyState {}
class Root extends React.Component <MyProps, MyState>  {
  constructor(props) {
    super(props);
    this.state = {
      ///some stuff in here
  
    };
  }
  render() {
    return (
      <div>
        <NavBar/>
        <Jumbotron content={this.state.hero}/>
        <ContentPanel content={this.state.whatIs}/>
        <ContentPanel content={this.state.aboutOne}/>
        <ContentPanel content={this.state.aboutTwo}/>
        <ContentPanel content={this.state.testimonial}/>
        <Footer content={this.state.footer}/>
      </div>
    )
  }
}
export default Root;

(我已经删除了 this.state 中的内容,只是为了 post 这里)。为什么我需要接口?这样做的正确方法是什么,因为我认为我是以 JSX 方式而不是 TSX 方式考虑的。

不清楚你到底在问什么,但是:

props:是从组件的父级传递的 key/value 对,组件不应该改变它自己的 props,只对来自父组件的 props 的变化做出反应。

state:有点像 props,但它们在组件本身中使用 setState 方法进行了更改。

当 props 或 state 改变时,render 方法被调用。

至于 typescript 部分,React.Component 将两种类型作为泛型,一种用于 props,一种用于 state,您的示例应该更像:

interface MyProps {}

interface MyState {
    hero: string;
    whatIs: string;
    aboutOne: string;
    aboutTwo: string;
    testimonial: string;
    footer: string;
}

class Root extends React.Component <MyProps, MyState>  {
    constructor(props) {
        super(props);

        this.state = {
            // populate state fields according to props fields
        };
    }

    render() {
        return (
            <div>
                <NavBar/>
                <Jumbotron content={ this.state.hero } />
                <ContentPanel content={ this.state.whatIs } />
                <ContentPanel content={ this.state.aboutOne } />
                <ContentPanel content={ this.state.aboutTwo } />
                <ContentPanel content={ this.state.testimonial } />
                <Footer content={ this.state.footer } />
            </div>
        )
    }
}

如你所见,MyState接口定义了稍后在组件this.state成员中使用的字段(我将它们全部设为字符串,但它们可以是任何你想要的)。

我不确定这些字段是否真的需要处于状态而不是道具中,但这就是你要做的。