Skip to main content

DebounceHandler

A component that declaratively applies debounce to event handlers of child components.


Code

🔗 View source code


Interface

typescript
type DebounceParameters = Parameters<typeof debounce>;

interface DebounceHandlerProps {
children: JSX.Element;
capture: string;
wait: DebounceParameters[1];
options?: DebounceParameters[2];
}

const DebounceHandler: ({ children, capture, wait, options, }: DebounceHandlerProps) => JSX.Element

Props

NameTypeDefaultDescription
childrenJSX.Element-The child element to apply debounce to
capturestring-The event handler name to apply debounce to (e.g., "onClick")
waitnumber-Debounce wait time in milliseconds
optionsDebounceOptionsundefinedDebounce options

Usage

Button Click Case

typescript
import { DebounceHandler } from '@modern-kit/react'

const Example = () => {
const onClick = () => {
console.log('debounce');
};

return (
<DebounceHandler capture="onClick" wait={500}>
<button onClick={onClick}>Button</button>
</DebounceHandler>
);
};

Input Change Case

typescript
const Input = ({ onChange }: { onChange: (value: string) => void }) => {
const [value, setValue] = useState('');

const handleChange = (e: ChangeEvent<HTMLInputElement>) => {
setValue(e.target.value);
onChange(e.target.value);
};

return <input type="text" onChange={handleChange} value={value} />;
};

const Example = () => {
const [text, setText] = useState('');

const onChange = (value: string) => {
setText(value);
};

return (
<>
<DebounceHandler capture={'onChange'} wait={500}>
<Input onChange={onChange} />
</DebounceHandler>
<p>{text}</p>
</>
);
}

Example

Button Click Case

Check the behavior in the browser developer console.


Input Change Case

Text: