Vue.js: 只允许带一位小数的数字

Vue.js: Only allow numbers in range with one decimal

我在尝试仅允许数字(可以是一个点和一位小数)并且数字必须介于 0 和 10 之间时遇到问题。 示例:

首先,这里有一段代码:

HTML:

<b-form-input
  v-model="userDto.score"
  @keypress="restrictScoreValue"
  type="number"
  min=0
  max=10
/>

JavaScript:

restrictScoreValue($event) {
  const keyCode = ($event.keyCode ? $event.keyCode : $event.which)

  // only allow number and one dot
  if ((keyCode < 48 || keyCode > 57) && (keyCode !== 46 || this.userDto.score.indexOf('.') !== -1)) { // 46 is dot
     $event.preventDefault()
  }

  // restrict to 1 decimal place
  if (this.userDto.score !== null && this.userDto.score.indexOf('.') > -1 && (this.userDto.score.split('.')[1].length > 0)) {
    $event.preventDefault()
  }
}

它只允许数字和点后一位小数。但是它只允许 0 到 10 之间的数字是行不通的(我可以在点之前输入很多数字),如果我粘贴了不正确的分数(例如:15.43)它允许。

如何改进代码以满足要求?

我想到了这个解决方案。使用 :formatter 可以解决 b-form-input 的反应性问题,因此无需删除它。我有一个可配置的 validation 变量,您可以配置和调整验证以设置 maxmindecimal 值。

new Vue({
  el: "#app",
  data: function() {
    return {
      value: 0,
      last_value: 0,
      validation: {
        min: 0,
        max: 10,
        decimal: 10
      }
    }
  },
  methods: {
    format_number(e) {
      if (e > this.validation.max) {
        return this.validation.max
      } else if (e < this.validation.min) {
        return this.validation.min
      } else if (Math.round(e * this.validation.decimal) / this.validation.decimal != e) {
        return this.last_value
      } else {
        this.last_value = e
        return e
      }
    }
  }
});
<link type="text/css" rel="stylesheet" href="https://unpkg.com/bootstrap/dist/css/bootstrap.min.css" />
<link type="text/css" rel="stylesheet" href="https://unpkg.com/bootstrap-vue@latest/dist/bootstrap-vue.css" />
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.5.17/vue.min.js"></script>
<script src="https://unpkg.com/bootstrap-vue@latest/dist/bootstrap-vue.js"></script>

<div id="app">
  <b-form-input type="number" :step="0.1" v-model="value" :formatter="format_number" />
</div>