如果我使用type =“number”的输入字段,其中step =“100”。 我不希望奇数无效。 我只想增加或减少值为1000。
<input type="number" min="100" max="999999" step="100" />
如果用户输入值“199”并提交,则他/她会收到错误,因为该值不能被100分割。 但我想要的步骤值是控制微调器的行为,例如如果用户点击我希望值199变为200,如果他/她点击,我希望它变为100.或者理想情况下,我希望值增加或减少值为100.
我该怎么做? 我尝试使用无效事件(使用jQuery 1.7.2),如下所示:
$( "[type='number']" ).bind( 'invalid', function( e ) {
var el = $( this ),
val = el.val( ),
min = el.attr( 'min' ),
max = el.attr( 'max' );
if ( val >= min && val <= max ) {
return false;
}
} );
但这导致表格未提交。
PS:这是在Fedora 16上的Google Chrome 20.0.1132.57中。
答案 0 :(得分:5)
我认为你不能,step
和验证是closely tied together。在将来,您可以覆盖stepUp()
and stepDown()
functions以获取您描述的行为,但我还没有研究过这是否是这些事情的预期用例。我建议在WHATWG mailing list上发帖,特别询问这些功能并描述你的用例。
出于当前的实际目的,您是否尝试过设置step=1
并绑定到click
事件来捕获?我可以看到,区分“向上”和“向下”点击可能存在问题,但这可能是可以克服的。然而,可能更容易使用text
输入,适当设置pattern
属性并实现自己的微调器。
答案 1 :(得分:3)
首先,感谢您提出这个非常有趣的问题。通过搜索问题的解决方案,我已经学到了很多有关HTML5验证的知识。
我的研究使我发现HTML5表单验证API具有一个interesting set of properties,该API是只读的,但是对您要执行的操作非常有用。
我对您的问题的解决方法是首先将novalidate
属性添加到form元素,以便我可以控制何时触发验证,然后读取附加到输入的validity
对象,因此我可以确切知道那里存在哪些验证错误,并且如果唯一的错误是stepMismatch
(这是触发数字(例如199)无效的原因),则可以绕过所有验证过程。另外,我可以使用reportValidity()方法来显示正常的HTML验证行为。
这是我想出的代码,希望能满足您的要求:
var form = document.querySelector("form") // Get the form
var input = document.querySelector("#myInput") // Get the input to validate
form.addEventListener("submit", function(e) {
e.preventDefault() // Catch the submit
// Do the magic
if(onlyStepMatters(input.validity)){
form.submit()
}else {
form.reportValidity()
}
})
function onlyStepMatters(validityState) {
return !(
validityState.badInput || validityState.customError || validityState. patternMismatch || validityState.rangeOverflow || validityState.rangeUnderflow || validityState.tooLong || validityState.tooShort || validityState.typeMismatch || validityState.valueMissing
)
/* This is what the object looks like, notice I just skipped the stepMismatch */
/*
{
badInput,
customError,
patternMismatch,
rangeOverflow,
rangeUnderflow,
stepMismatch,
tooLong,
tooShort,
typeMismatch,
valid,
valueMissing,
}
*/
}
<form novalidate>
<input type="number" id="myInput" min="0" max="1000" step = "100" placeholder="Enter a number" required/>
<button type="submit">Send</button>
</form>
我很确定此代码可以基于相同的逻辑进行重构并变得更加简洁,但是我没有足够的时间来思考它。
任何建设性的评论将不胜感激。
希望这会有所帮助。
答案 2 :(得分:1)
仅限步骤,但您可以使用范围并为滑块添加标记
喜欢
<input type='range' min ='0' max='50' step='1' name='slide' list="settings" onchange="updateTextInput(this.value);">
<datalist id="settings">
<option>15</option>
<option>20</option>
<option>26</option>
<option>36</option>
<option>50</option>
</dataList>
然后使用javascript检查near值并设置它
<script type="text/javascript">
function updateTextInput(val) {
if(val>1)
document.getElementById('textInput').value=15;
if(val>15)
document.getElementById('textInput').value=20;
if(val>20)
document.getElementById('textInput').value=26;
//...
}
</script>
答案 3 :(得分:0)
我一直在研究您的代码,试图实现这一目标:
理想情况下,我希望将值增加或减少为100
…并以一些脚本结束:
remainder
变量存储计算结果:value % 100
,step
的{{1}}参数和value
的{{1}},input
变量,并将remainder
参数重新设置为step
(需要能够提交)。在此有效代码段中,尝试使用箭头(在键盘或鼠标上)修改输入值,并从不能被100除的数字开始:
1
var remainder = false;
var stepbefore;
$("[type='number']").bind('keydown mousedown', function() {
// If keyboard Up or Down arrow keys or mouse left button on the arrows
if (event.keyCode == 38 || event.keyCode == 40 || event.button === 0) {
// If there is already a change running, exit the function
if (remainder !== false) return;
var myStep = this.getAttribute("stepcustom"); // Get my "stepcustom" attribute
remainder = this.value % myStep;
this.value = Math.floor(this.value / myStep) * myStep;
stepbefore = this.step;
this.step = myStep;
}
});
$("[type='number']").bind('keyup mouseup', function() {
if (remainder !== false) {
this.value = +(this.value) + remainder;
this.step = stepbefore;
remainder = false;
}
});
希望有帮助。
答案 4 :(得分:0)
这是实现您所要求的代码,我试图避免重新计算和更改标准行为,因此这对于可能设置的任何其他约束(必需,模式,范围...)应该是透明的。
我只在Firefox和Chrome上进行过测试,但我相信它应该可以在任何最新的浏览器上使用。
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>Disable validity constrains</title>
<!-- avoid highlight due to constrains -->
<style>#qty { box-shadow: unset; }</style>
</head>
<body>
<form>
<input id="qty" name="num" type="number" min="100" max="1000" step="100">
<input type="submit">
</form>
<script>
(function() {
var el = document.getElementById('qty');
el && el.addEventListener('invalid', function(event) {
if ('validity' in el) {
for (var state in el.validity) {
if (state == 'stepMismatch') { continue; }
if (el.validity[state]) { return true; }
}
event.preventDefault();
el.form.submit();
}
}, true);
})();
</script>
</body>
</html>
答案 5 :(得分:0)
内部“更改”事件舍入到最近的有效值。
$( "[type='number']" ).change(function () {
var value = $(this).val());
var newValue = Math.round(value/100)*100
if (newValue < 100) {
newValue = 100;
}
if (newValue > 999999) {
newValue = 999999;
}
if (newValue === value ) {
return;
}
$(this).val(newValue)
})
答案 6 :(得分:0)
尝试使用change()函数...
<form>
<input type="number" id="number" min="100" max="999999" step="100" />
</form>
$(document).ready(function(){
$("#number").change(function(a){
if ($(this).val() % 100 === 0) {
/* Do something when the number is even */
console.log("EVEN");
} else {
/* Or when it's odd (isn't dividable by 100), do ... whatever */
console.log("ODD");
}
})
});
我正在使用引导程序进行测试,就像您想要的示例一样,当用户单击时,该值将变为200(从199),当用户单击时,该值将变为100
要更改可除数:
if ($(this).val() % 100 === 0) { //Change 100 with what ever you want
答案 7 :(得分:0)
这是一个简单的javascript函数,可以帮助您
其中prev_num是全局变量
这对增加和减少都有效
var perv_num=0;
function ax(z)
{
let def;
let mul=10;
let valu;
let valucopy=parseInt(z.value);
let frst;
valucopy=((valucopy+100)%100);
if (parseInt( z.value)<100)
{
document.getElementById("myNumber").value="";
document.getElementById("myNumber").value=100;
}
else if(parseInt( z.value)<perv_num)
{
def=parseInt( z.value.length);
mul=Math.pow(mul,def-1);
frst=(parseInt(z.value[0])*mul);
document.getElementById("myNumber").value="";
document.getElementById("myNumber").value=frst;
}
else if(valucopy ==0)
{
document.getElementById("myNumber").value="";
document.getElementById("myNumber").value=parseInt(z.value)+100;
}
else{
def=parseInt( z.value.length);
mul=Math.pow(mul,def-1);
frst=(parseInt(z.value[0])*mul);
valu=Math.abs( parseInt(z.value)-frst);
valu=100-valu;
var number=(parseInt(z.value)+valu);
document.getElementById("myNumber").value="";
document.getElementById("myNumber").value= number;
}
perv_num=parseInt( z.value);
}
和html就像
<input type="number" id="myNumber" onchange="ax(this)">
答案 8 :(得分:0)
我制作脚本来动态更改step属性:
/*
jQuery Optional Number Step
Version: 1.0.0
Author: Arthur Shlain
Repo: https://github.com/ArthurShlain/JQuery-Optional-Step
Issues: https://github.com/ArthurShlain/JQuery-Optional-Step/issues
*/
(function ($) {
$.fn.optionalNumberStep = function (step) {
var $base = $(this);
var $body = $('body');
$body.on("mouseenter mousemove", '[data-optional-step]', function () {
$(this).attr("step", $(this).attr('data-optional-step'));
});
$body.on("mouseleave blur", '[data-optional-step]', function () {
$(this).removeAttr("step");
});
$body.on("keydown", '[data-optional-step]', function () {
var key = event.which;
switch (key) {
case 38: // Key up.
$(this).attr("step", step);
break;
case 40: // Key down.
$(this).attr("step", step);
break;
default:
$(this).removeAttr("step");
break;
}
});
if (step === 'unset') {
$base.removeAttr('data-optional-step');
}
if ($.isNumeric(step)) {
$base.attr('data-optional-step', step);
}
}
}(jQuery));
jQuery(function() {
$('.optional-step-100').optionalNumberStep(100);
});
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="container mt-5">
<h1>JQuery Optional Number Step</h1>
<div class="form-group" style="max-width: 300px">
<label>Example</label>
<input type="number" class="form-control optional-step-100" value="0">
<small id="emailHelp" class="form-text text-muted">Dynamic step for this field is 100
<br>You can specify any numeric value on keyboard.
<br>HTML5 step validation will not be applied.</small>
</div>
<a class="btn btn-dark btn-sm" href="https://github.com/ArthurShlain/JQuery-Optional-Step" target="_blank">View on GitHub</a>
</div>