我正在试图找到一种方法来创建一个非常基本的自动完成,而没有第三方依赖。到目前为止,我已经通过ajax调用填充结果列表,并且每个li上的鼠标onclick事件脚本都按照假设完成了字段。
我需要实现的是一个基于纯js的上/下/输入键导航系统,经过几个小时的搜索我放弃了。 this fiddle非常完美地解释了我的情况,区别在于它确实需要jQuery。
我宁愿不在这里粘贴任何我自己的代码,因为最终的目标是学习这个过程,但是因为我要链接到jsfiddle,所以我需要这样的小提琴。
小提琴HTML:
<div id="MainMenu">
<ul>
<li class="active"><a href="#">PATIENT TEST</a></li>
<li><a href="#">QC TEST</a></li>
<li><a href="#">REVIEW RESULTS</a></li>
<li><a href="#">OTHER</a></li>
</ul>
</div>
<a href="#" id="btnUp">Up</a>
<a href="#" id="btnDown">Down</a>
小提琴JS:
$(document).ready(function () {
$('#btnDown').click(function () {
var $current = $('#MainMenu ul li.active');
if ($current.next().length > 0) {
$('#MainMenu ul li').removeClass('active');
$current.next().addClass('active');
}
});
$('#btnUp').click(function () {
var $current = $('#MainMenu ul li.active');
if ($current.prev().length > 0) {
$('#MainMenu ul li').removeClass('active');
$current.prev().addClass('active');
}
});
$(window).keyup(function (e) {
var $current = $('#MainMenu ul li.active');
var $next;
if (e.keyCode == 38) {
$next = $current.prev();
} else if (e.keyCode == 40) {
$next = $current.next();
}
if ($next.length > 0) {
$('#MainMenu ul li').removeClass('active');
$next.addClass('active');
}
});
});
非常感谢任何愿意指出我正确方向的人。
答案 0 :(得分:13)
事实证明这比我想象的要简单,而且我已经提出了以下代码,这些代码显然可以很好地完成这项工作。
要考虑的事项是:
这是基本的HTML:
<input type="text" name="main_input" id="input" />
<ul id="list">
<li class="listElement"><a href="#" tabindex="1">li content</a></li>
<li class="listElement"><a href="#" tabindex="1">li content</a></li>
<li class="listElement"><a href="#" tabindex="1">li content</a></li>
</ul>
这里是JS函数,当上面的列表被填充并显示时触发:
function scrollList() {
var list = document.getElementById('list'); // targets the <ul>
var first = list.firstChild; // targets the first <li>
var maininput = document.getElementById('input'); // targets the input, which triggers the functions populating the list
document.onkeydown = function(e) { // listen to keyboard events
switch (e.keyCode) {
case 38: // if the UP key is pressed
if (document.activeElement == (maininput || first)) { break; } // stop the script if the focus is on the input or first element
else { document.activeElement.parentNode.previousSibling.firstChild.focus(); } // select the element before the current, and focus it
break;
case 40: // if the DOWN key is pressed
if (document.activeElement == maininput) { first.firstChild.focus(); } // if the currently focused element is the main input --> focus the first <li>
else { document.activeElement.parentNode.nextSibling.firstChild.focus(); } // target the currently focused element -> <a>, go up a node -> <li>, select the next node, go down a node and focus it
break;
}
}
}
为代码的混乱布局提前道歉,我提出的功能有点复杂,而且为了解释目的,我已经将大部分内容删除了。
毋庸置疑,我期待有关上述解决方案的任何评论,包括错误,改进或已知的兼容性问题。
答案 1 :(得分:2)
的tabindex =&#34; 1&#34;
为什么不只是tabindex =&#34; 0&#34;? 只有在想要改变默认导航顺序时才需要使用大于0的正数。