我有一个React钩子(使用typescript),但是如果我使用any
作为初始值的类型,我只能让它工作。
我尝试过HTMLInputElement
,React.FormEvent
(甚至是React.FormEvent<HTMLInputElement>
)的组合以及使用input type="text"
尝试将输入元素限制为type: string.
这是钩子:
import { useCallback, useState } from "react";
export default function useField(initialValue: any) {
const [value, setValue] = useState(initialValue);
const handleUpdate = useCallback(
({ currentTarget: { type, checked, value } }) => {
setValue(type === "checkbox" ? checked : value);
},
[]
);
return [value, handleUpdate];
}
这就是它被使用的地方:
import useField from "./hooks/useField";
const App = () => {
const [firstName, setFirstName] = useField("");
const [lastName, setLastName] = useField("");
const [age, setAge] = useField("");
return (
<div className="App">
<form>
<input value={firstName} name="firstName" onChange={setFirstName} />
<input value={lastName} name="lastName" onChange={setLastName} />
<input value={age} name="age" onChange={setAge} />
</form>
</div>
);
};
export default App;
它实际上是使用initialValue: any
工作,但我觉得这种类型应该更具体。如果我确实将其更改为更具体的类型(例如字符串),那么我会得到以下两个错误。
(JSX attribute) React.InputHTMLAttributes<HTMLInputElement>.onChange?: ((event: React.ChangeEvent<HTMLInputElement>) => void) | undefined
Type 'string | (({ currentTarget: { type, checked, value } }: any) => void)' is not assignable to type '((event: ChangeEvent<HTMLInputElement>) => void) | undefined'.
Type 'string' is not assignable to type '((event: ChangeEvent<HTMLInputElement>) => void) | undefined'.ts(2322)
index.d.ts(1977, 9): The expected type comes from property 'onChange' which is declared here on type 'DetailedHTMLProps<InputHTMLAttributes<HTMLInputElement>, HTMLInputElement>'
第二个是输入onChange事件:
(JSX attribute) React.InputHTMLAttributes<HTMLInputElement>.onChange?: ((event: React.ChangeEvent<HTMLInputElement>) => void) | undefined
Type 'string | (({ currentTarget: { type, checked, value } }: any) => void)' is not assignable to type '((event: ChangeEvent<HTMLInputElement>) => void) | undefined'.
Type 'string' is not assignable to type '((event: ChangeEvent<HTMLInputElement>) => void) | undefined'.ts(2322)
index.d.ts(1977, 9): The expected type comes from property 'onChange' which is declared here on type 'DetailedHTMLProps<InputHTMLAttributes<HTMLInputElement>, HTMLInputElement>'
今天是我使用Typescript的第一天,所以这可能是非常明显的!
如果未指定返回类型,TypeScript将推断它。我将从一个简单的例子开始:
function strNum() {
return [1, 'a'];
}
这将返回类型(string | number)[]
,即可以包含字符串或数字元素的数组。
useField
返回一组string | (event: ChangeEvent<HTMLInputElement>) => void
。这意味着数组的任何元素都可以是这些类型中的任何一个,并且它们彼此不兼容。
相反,您可以将返回类型指定为元组。这是具有特定元素类型的设置长度数组。
useField(initialValue: string): [string, (event: React.ChangeEvent<HTMLInputElement>) => void] {