This content originally appeared on DEV Community and was authored by Sharjeel Sultan
HTML forms are the backbone of user input across the web. One common task? Accepting only numbers in an input field. Naturally, you’d reach for the built-in , expecting it to solve your problems. Unfortunately, it brings along some pesky issues like the infamous up/down spinners, unexpected character entries, and more.
If you’ve been struggling with native HTML input types and regex limitations, you’re not alone. In this guide, we’ll explore these issues and explain how a custom keydown function can solve them once and for all.
Introduction to Input Field Types in HTML
HTML offers various types of input fields, each with their own use case:
type="text" //Accepts any character
type="number" //Intended for numeric input only
However, HTML5 validation isn’t perfect. Each has its quirks, and developers often choose one over the other based on the desired behavior.
Why type=”number” Can Be Problematic
Here are the major issues developers face when using type=”number”:
- Spinner Buttons Appear: Especially on desktop browsers, the input includes increment/decrement controls, which ruin UI aesthetics.
- Character Overflow: Even if you set min or max, users can still type numbers of any length (like 9999999999999999).
- Non-Numeric Input on Paste: Users can paste anything into the field, completely bypassing validation until submission.
Common Issues with type=”text” and Regex-Based Validation
You might think using type=”text” with a regex pattern can help:
<input type="text" pattern="\d*">
But that leads to usability problems:
- Users can still enter letters unless you validate after input.
- Regex restrictions block essential keys like backspace, delete, or paste.
- Mobile behavior gets weird, you lose access to numeric keyboards.
Limitations of Built-in HTML Validation
Even with required, min, max, and pattern, built-in HTML form validation can be unreliable:
- min/max Doesn’t restrict input length
- pattern Only triggers on form submission
- Input type Doesn’t fully prevent bad input
Custom JavaScript as a Solution
To overcome these limitations, JavaScript is the best route. By binding a function to the onkeydown event, you can control what gets typed in real-time.
This allows you to:
- Filter invalid characters before they appear
- Allow important keys like delete, backspace, arrows
- Maintain a seamless user experience
Introducing the key function for Input Restriction
const accountNumberConstraint = (event) => {
  const allowedKeys = [
    "Backspace", "Delete", "ArrowLeft", "ArrowRight", "Tab",
    "Enter", "Home", "End"
  ];
  if (
    !/^[0-9]$/.test(event.key) &&      // 1⃣ block non-digits
    !allowedKeys.includes(event.key) && // 2⃣ allow navigation/editing keys
    !(event.ctrlKey || event.metaKey)   // 3⃣ allow ctrl/meta shortcuts (copy, paste, undo)
  ) {
    event.preventDefault();             // 🚫 block everything else
  }
};
Lets break down the working of our special function:
Checks if the key pressed is a digit (0–9)
- 
Uses a regex: /^[0-9]$/→ allows only single numeric characters.
- Example: “5”  , “a” , “a” . .
Allows essential control keys (from allowedKeys)
- Backspace/Delete → for editing.
- Arrow keys → for moving cursor.
- Tab/Enter → navigation or submit.
- Home/End → quick cursor moves.
- Allows system shortcuts (Ctrl/Meta)
- (event.ctrlKey || event.metaKey) ensures combinations like:
- Ctrl+C / Cmd+C (copy)
- Ctrl+V / Cmd+V (paste)
- Ctrl+Z / Cmd+Z (undo)
- Ctrl+A / Cmd+A (select all)
- Prevents everything else
If none of the above checks pass → event.preventDefault() stops the character from appearing in the input.
  
  
  Practical Usage with maxLength, onChange, and the Function passed to onKeyDown
In real-world React (or JSX) applications, the numeric-only constraint isn’t used in isolation. It often needs to work alongside other input attributes and handlers. For example, setting a maximum length, updating state, and ensuring clean validation.
Now, when special function passed to onkeydown is the game-changer. This function filters keystrokes with precision
<input
  type="text"
  placeholder="Enter Account No."
  className="inputcc"
  maxLength={10}
  value={inputData.account_no}
  onChange={(e) =>
    setInputData({ ...inputData, account_no: e.target.value })
  }
  onKeyDown={(event) => accountNumberConstraint(event)}
/>
And here’s what it does:
- 
type="text"→ Keeps the field flexible but avoids native number input quirks (like spinners).
- 
placeholder="Enter Account No."→ Provides user guidance.
- 
className="inputcc"→ Lets you style the field with CSS.
- 
maxLength={10}→ Ensures users can’t enter more than 10 characters, which is crucial for account numbers.
- 
value={inputData.account_no}→ Makes the input a controlled component, keeping React in charge of the data.
- 
onChange={(e) => setInputData(...)}→ Updates state on every valid change, ensuring React always has the latest value.
- 
onKeyDown={(event) => accountNumberConstraint(event)}→ Invokes your special function to filter keystrokes in real-time, only allowing numeric entries while still permitting actions like backspace, delete, and arrow navigation.
At the end of the day, the perfect solution came from mixing the best of both worlds, using type="text" for flexibility, adding maxLength for strict digit limits, and powering it all with the custom NumberConstraint function bound to onKeyDown. Together, they create a smooth, user-friendly input that accepts only valid numbers without the quirks of type="number" or the frustrations of regex-only restrictions.
This content originally appeared on DEV Community and was authored by Sharjeel Sultan






