我的控制器中有一个对象变量(var myObject),在IHM中分为3个输入文本。
当焦点到达maxLength时,我想自动将焦点更改为下一个输入。
var myObject = {
part1:"",
part2:"",
part3:""
}
<form>
<input type="text" id="part1" ng-model="myObject.part1" maxlength="7"/>
<input type="text" id="part2" ng-model="myObject.part2" maxlength="12"/>
<input type="text" id="part2" ng-model="myObject.part2" maxlength="12"/>
</form>
答案 0 :(得分:11)
您需要使用指令:
app.directive("moveNextOnMaxlength", function() {
return {
restrict: "A",
link: function($scope, element) {
element.on("input", function(e) {
if(element.val().length == element.attr("maxlength")) {
var $nextElement = element.next();
if($nextElement.length) {
$nextElement[0].focus();
}
}
});
}
}
});
并按如下方式更新表单:
<form>
<input type="text" id="part1" ng-model="myObject.part1" maxlength="7" move-next-on-maxlength />
<input type="text" id="part2" ng-model="myObject.part2" maxlength="12" move-next-on-maxlength />
<input type="text" id="part2" ng-model="myObject.part2" maxlength="12"/>
</form>
您可以将指令移动到<form>
元素上,但build-int jqLite的find()
方法将限制您仅按标记名称查找元素。如果您正在使用完整的jQuery,或者可以使用vanillaJS,我建议使用此方法。
答案 1 :(得分:1)
接受的答案有效,但前提是这些字段是直接兄弟姐妹。例如,如果您自己的列中各有3个字段,则需要使用不同的解决方案:
angular
.module('move-next-directive', [])
.directive('moveNextOnMaxlength',
function() {
return {
restrict: "A",
link: function(scope, elem, attrs) {
elem.on('input', function(e) {
var partsId = attrs.id.match(/focus(\d+)/);
var currentId = parseInt(partsId[1]);
var l = elem.val().length;
if (l == elem.attr("maxlength")) {
nextElement = document.querySelector('#focus' + (currentId + 1));
nextElement.focus();
}
});
}
}
}
);
为每个输入字段添加编号的“焦点”ID:
<div class="row">
<div class="col-xs-4">
<input type="text" id="focus1" maxlength="4" move-next-on-maxlength />
</div>
<div class="col-xs-4">
<input type="text" id="focus2" maxlength="4" move-next-on-maxlength />
</div>
<div class="col-xs-4">
<input type="text" id="focus3" maxlength="4" />
</div>
</div>