如何从 Typescript 1.6 中的单独文件正确导入 React JSX

IT技术 reactjs typescript react-jsx typescript1.6
2021-05-10 23:26:33

我有以下 app.tsx 文件可以正常加载来自 React.Component 的 App 元素和来自另一个 React.Component 的子 Worklist 元素(这两个类都定义在同一个 app.tsx 文件中)。它在安装了 Typescript 1.6 的 Visual Studio 中运行(ECMAScript 版本:ECMAScript 5,JSX 编译:React,module系统:CommonJS)。

但是,我想将这两个组件拆分为单独的文件。但是,当我取消注释 WorkList 的导入并从 app.tsx 中删除 WorkList 组件的类定义时 - 它失败并出现错误:

错误 TS2604 JSX 元素类型“WorkList”没有任何构造或调用签名。

这是工作 app.tsx 和所需的 worklist.tsx。

// app.tsx
import * as React from "react";
import * as ReactDOM  from "react-dom";
//import * as WorkList from "./worklist";

interface Props {
    foo: string;
}

class WorkList extends React.Component<Props, {}> {
    constructor(props: Props) {
        super(props);
    }
    render() {
        return <h2>WorkList!{this.props.foo} </h2>
    }
}
class App extends React.Component<Props, {}> {
    constructor(props: Props) {
        super(props);
    }
    public render() {
        return <WorkList foo="baz"></WorkList>
    }
}


ReactDOM.render(    
    React.createElement(App, { foo: 'bar' }),
    document.getElementById('app')
);




//worklist.tsx
import * as React from "react";

interface Props {
    foo: string;
}

class WorkList extends React.Component<Props, {}> {
    constructor(props: Props) {
        super(props);
    }
    render() {
        return <h2>WorkList!{this.props.foo} </h2>
    }
}

<WorkList foo="bar" />

使用 Typescript 1.6 导入子 JSX 的正确方法是什么?

这是应用了正确答案的工作代码:

// app.tsx
import * as React from "react";
import * as ReactDOM  from "react-dom";
import WorkList from "./worklist";

interface Props {
    foo: string;
}

class App extends React.Component<Props, {}> {
    constructor(props: Props) {
        super(props);
    }
    public render() {
        return <WorkList foo="baz"></WorkList>
    }
}       
ReactDOM.render(

    React.createElement(App, { foo: 'bar' }),
    document.getElementById('app')
);

//worklist.tsx
import * as React from "react";

interface Props {
    foo: string;
}

export default class WorkList extends React.Component<Props, {}> {
    constructor(props: Props) {
        super(props);
    }
    render() {
        return <h2>WorkList!{this.props.foo} </h2>
    }
}
1个回答

我希望,您需要WorkListworklist.tsx文件中正确导出,例如作为默认导出:

export default class WorkList extend React.Component<Props, {}>

然后将其导入app.tsx

import WorkList from "worklist"

这应该可以解决您的问题。