Reputation: 2588
I am trying to use onInput
on a generic Input component I've created, everytime I add a DOM event I have a little fight with TypeScript.
This is my component, Input.tsx:
import React, { ChangeEvent, FormEvent } from 'react'
import { InputStyled } from './Input-style'
type InputProps = {
name: string
value: string | number
type?: string
placeholder?: string
onInput?: (e: FormEvent<HTMLInputElement>) => void
onChange?: (e: ChangeEvent<HTMLInputElement>) => void
}
export const Input = (props: InputProps) => (
<InputStyled
type={props.type ? props.type : 'text'}
name={props.name}
id={props.name}
placeholder={props.placeholder}
value={props.value}
onInput={props.onInput}
onChange={props.onChange}
/>
)
The problem I am having is that when using the onInput
event, it says Property 'value' does not exist on type 'EventTarget'
import React from 'react'
import { Input } from '@components'
export const Main = () => {
const [rate, setRate] = useState<number>(0)
return (
<Input
type='number'
name='Rate'
value={rate}
placeholder='Decimal number'
onInput={e => setRate(Number(e.target.value))}
/>
)
}
Upvotes: 6
Views: 13284
Reputation: 8818
Do this:
onInput = (event: Event) => {
const { value } = event.target as unknown as { value: number };
setRate(value);
};
<Input onInput={onInput} />
and the squeegee lines will go away.
Upvotes: -2
Reputation: 2039
Explicitly typing the parameter of the handler works:
<Input
onInput={(event: React.ChangeEvent<HTMLInputElement>) => setRate(event.target.value) }
/>
Upvotes: 16