我有一个数字字段,需要使用纯JS或jQuery应用某些条件:
除非最后一个条件只能接受.00或.25或.50或.75的值,否则我设法这样做 这是我的代码:
var t_myField = false;
var myField_min = -30;
var myField_max = 30;
$('#myField').focus(function ()
{
var $this = $(this)
t_myField = setInterval(
function ()
{
if (($this.val() < myField_min || $this.val() > myField_max) && $this.val().length != 0)
{
if ($this.val() < myField_min)
{
$this.val(myField_min)
}
if ($this.val() > myField_max)
{
$this.val(myField_max)
}
}
}, 50)
});
$('#myField').on("keyup", function (e)
{
// Replacer , by .
$(this).val($(this).val().replace(/,/g, '.'));
// Allow only float numeric values (positif & negatif)
var self = $(this);
self.val(self.val().replace(/[^0-9\.-]/g, ''));
if (e.which != 46 && e.which != 45 && e.which != 46 && !(e.which >= 48 && e.which <= 57))
{
e.preventDefault();
}
// Allow max 2 digits after decimals for certain fields
match = (/(\d{0,2})[^.]*((?:\.\d{0,2})?)/g).exec(this.value.replace(/[^\d.]/g, ''));
this.value = match[1] + match[2];
});
<input type="text" name="myField" id="myField" class="myField">
JSFIDDLE => https://jsfiddle.net/Cartha/vq65Lypj/5/
[编辑] 控制应该在键盘上。这就是为什么我不能使用诸如min / max / step之类的html5属性的原因。
答案 0 :(得分:1)
您可以使用%
之类的x % 0.25 == 0 ? true : false
运算符
答案 1 :(得分:1)
let myField = document.getElementById('myField');
myField.addEventListener('keypress', onlyNumbers,{passive: false});
myField.addEventListener('change', checkInput);
function onlyNumbers(e) {
if (!isNumberKey(e)) {
e.preventDefault();
}
}
function isNumberKey(e) {
return (e.which <= 31 || (e.which >= 48 && e.which <= 57) || e.which === 45 || e.which === 46);
}
function checkInput(e) {
let x = parseFloat(e.target.value);
if (!isNaN(x)) {
if (x > 30) {
x = 30;
} else if (x < -30) {
x = -30;
} else if (x % 0.25 !== 0) {
x = Math.round(x / 0.25) * 0.25;
}
e.target.value = x.toFixed(2);
}
}
这将仅允许使用0.25步的数字。
仅数字算法已得到改进,以完全阻止显示其他类型的输入(您的代码显示了禁止的输入,然后将其删除)。
这是基本思想,可以进行很多其他改进。例如,要始终显示两个小数(例如2而不是2.00),制作动画等。目前,检查设置为在焦点结束后进行。
JS Fiddle(我不知道如何将其嵌入答案中)
答案 2 :(得分:0)
我建议在此处创建一个Web组件。我将向您展示一个自定义内置组件的基本设置,该组件的内置组件已经工作并且不涉及$(document).ready()
或DOMContentLoaded
的问题:
class DecimalInput extends HTMLInputElement {
constructor() {
super();
this.addEventListener('input', (e) => {
const val = parseFloat(this.value),
min = parseFloat(this.min),
max = parseFloat(this.max),
step = parseFloat(this.step);
if (val%step !== 0) {
this.value = Math.round(val/step) * step
}
if (val > max) {
this.value = max
}
if (val < min) {
this.value = min
}
this.value = Number(this.value).toFixed(2, 10);
})
}
}
customElements.define('decimal-input', DecimalInput, { extends: 'input' })
<input type="number" is="decimal-input" min="-30" max="30" step="0.25" value="0" />
该组件已经非常接近您的要求。以此为基础进行自己的改进。