我正在将我的React项目转换为Typescript。
我有这种状态:
AdminBlogPostContainer.tsx
const [blogPost,setBlogPost] = useState<null | BLOGPOST>(null);
return(
<AdminBlogPostPage
blogPost={blogPost as BLOGPOST}
setBlogPost={setBlogPost}
/>
);
AdminBlogPostPage.tsx
interface AdminBlogPostPage {
blogPost: BLOGPOST,
setBlogPost: // <---- WHAT SHOULD I USE AS TYPE HERE ?
}
const AdminBlogPostPage: React.FC<AdminBlogPostPage> = (props) => {
console.log("Rendering AdminBlogPostPage...");
return(
// ...
);
};
export default AdminBlogPostPage;
这是错误消息:
答案 0 :(得分:2)
让我们从@types/react
开始一些相关的类型定义。
declare namespace React {
// ...
type SetStateAction<S> = S | ((prevState: S) => S);
// ...
type Dispatch<A> = (value: A) => void;
// ...
function useState<S>(initialState: S | (() => S)): [S, Dispatch<SetStateAction<S>>];
// ...
}
由此我们可以推断出语句中setBlogPost
的类型
const [blogPost, setBlogPost] = useState<null | BLOGPOST>(null);
这是Dispatch<SetStateAction<null | BLOGPOST>>
,但让我们细分一下以了解每个部分的含义。
setBlogPost: (value: null | BLOGPOST | ((prevState: null | BLOGPOST) => null | BLOGPOST)) => void;
从外面一次消化一次,我们得到以下解释:
setBlogPost: (value: ...) => void
setBlogPost
是一个接受参数value
并返回void
的函数。
value: null | BLOGPOST | ((prevState: ...) => null | BLOGPOST)
value
是null
,BLOGPOST
或接受参数prevState
并返回null
或BLOGPOST
的函数。
prevState: null | BLOGPOST
prevState
是null
或BLOGPOST
。
答案 1 :(得分:-1)
interface AdminBlogPostPage {
blogPost: BLOGPOST;
setBlogPost: Function; // <---- You may use the Function type here
}