如何使用正则表达式进行正确的输入验证?

IT技术 javascript html regex reactjs
2021-05-16 00:52:49

我想让用户只输入整数或浮点数。现在我只能输入整数,它允许输入点或逗号。找不到合适的正则表达式来验证整数和浮点数。

<input
  type="text"
  id="depositedAmount"
  maxLength={9}
  placeholder="Enter amount"
  onChange={(e) => this.handleInputChange(e, currentComProfile)}
  value={depositedAmount}
/>

handleInputChange=(e, currentComProfile) => {
    const re = /^[+-]?\d+(\.\d+)?$/;

    if (e.target.value === '' || re.test(e.target.value)) {
      if (e.target.id === 'depositedAmount') {
        this.props.updateDepositedAmount(e.target.value, currentComProfile);
      }
      if (e.target.id === 'willBeCreditedAmount') {
        this.props.updateWillBeCreditedAmount(e.target.value, currentComProfile);
      }
    }
  }
2个回答

您可以使用

const rx_live = /^[+-]?\d*(?:[.,]\d*)?$/;

用于实时验证。对于最终验证,请使用

const rx_final = /^[+-]?\d+(?:[.,]\d+)?$/;

或者,更好的,只是使用的正则表达式pattern属性:pattern="[+-]?\d*(?:[.,]\d*)?"

笔记

  • ^ - 字符串的开始
  • [+-]?- 一个可选的+-
  • \d* - 0 个或多个数字
  • (?:[.,]\d*)?- 一个可选的.or序列,,然后是 0 个或多个数字
  • $ - 字符串的结尾。

在最终验证中,\d+用于\d*匹配一个或多个数字而不是零个或多个数字。

见JS演示:

const rx_live = /^[+-]?\d*(?:[.,]\d*)?$/;

class TestForm extends React.Component {
  constructor() {
    super();
    this.state = {
      depositedAmount: ''
    };
  }

  handleDepositeAmountChange = (evt) => {
    if (rx_live.test(evt.target.value))
        this.setState({ depositedAmount : evt.target.value });
 }
  
  render() {
    return (
      <form>
       <input
        type="text"
        id="depositedAmount"
        maxLength={9}
        pattern="[+-]?\d+(?:[.,]\d+)?"
        placeholder="Enter amount"
        onChange={this.handleDepositeAmountChange}
        value={this.state.depositedAmount}
       />
      </form>
    )
  }
}


ReactDOM.render( < TestForm /> , document.getElementById('app'));
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>
<div id="app"></div>

您的正则表达式应该匹配点,但它似乎不匹配逗号。你可以尝试这样的事情:

^[0-9]+([,.][0-9]+)?$

以供参考:

[0-9] 匹配数字 0-9。

+ 匹配一次和无限次,尽可能多次。

[,.] 匹配逗号或点。

可能有一种方法可以简化这个正则表达式,但我认为它应该有效。

你可以在这里测试:https : //regex101.com/r/V0J63U/1

- 更新 -

要匹配前导符号(即 +/-),您可以添加^[+-]?到模式的开头:

^[+-]?[0-9]+([,.][0-9]+)?$

你可以在这里测试:https : //regex101.com/r/cQylX3/1

感谢@CodeManiac 的提示!