Event handlers let your app respond when users click, type, or interact. They make your page feel alive and interactive.
Event handlers in client components in NextJS
function MyComponent() { function handleClick(event) { // code to run on click } return ( <button onClick={handleClick}>Click me</button> ) }
Use camelCase for event names like onClick, onChange, etc.
Pass a function reference, not a function call, to the event handler.
function MyComponent() { function handleClick() { alert('Button clicked!') } return <button onClick={handleClick}>Click me</button> }
function MyComponent() { const [count, setCount] = React.useState(0) function increment() { setCount(count + 1) } return <button onClick={increment}>Clicked {count} times</button> }
function MyComponent() { function handleInputChange(event) { console.log('Input value:', event.target.value) } return <input type="text" onChange={handleInputChange} aria-label="Name input" /> }
This component shows a button that counts how many times you click it. Each click updates the number shown on the button.
It uses React's useState hook to keep track of the count and an onClick event handler to update it.
The button has an aria-label for accessibility, so screen readers can describe it properly.
'use client'; import React, { useState } from 'react' export default function ClickCounter() { const [count, setCount] = useState(0) function handleClick() { setCount(count + 1) } return ( <main style={{ padding: '1rem', fontFamily: 'Arial, sans-serif' }}> <button onClick={handleClick} aria-label="Increment counter" style={{ fontSize: '1.25rem', padding: '0.5rem 1rem' }}> Clicked {count} times </button> </main> ) }
Always use aria-label or visible text for buttons to help screen readers.
Event handlers receive an event object with useful info like which key was pressed or the target element.
Keep event handler functions small and focused for easier debugging.
Event handlers let your app respond to user actions like clicks and typing.
Use camelCase event names and pass function references in JSX.
React's useState works well with event handlers to update UI dynamically.