7

我正在尝试通过 Javascript 中的 id 查找列表项的索引。例如,我有 5 个项目的列表,并给定一个元素,我想找出它在列表中的位置。下面是我希望构建的代码。

它使用 onclick 处理程序来查找正在工作的元素,然后我只需要以某种方式找出元素在列表“squareList”中的位置。

window.onload=function(){
    function getEventTarget(e){
        var e=e || window.event;
        return e.target || e.srcElement;
    }

    function selectFunction(e){
        var target=getEventTarget(e);
        alert(target.id);
    }

    var squareList=document.getElementById('squareList');
    squareList.onclick=function(e){
        selectFunction(e);
    }
}
4

5 回答 5

18

要获取索引,您可以执行以下操作:

Array.prototype.indexOf.call(squareList.childNodes, target)

使用 jQuery,因为您已经在使用跨浏览器解决方法:

$(document).ready(function() {
    $('#squareList li').click(function() {
        var index = $(this).index();
    })
});
于 2013-08-18T04:30:05.387 回答
3

我有另一个解决方案,并想分享

function getEventTarget(e) {
  e = e || window.event;
  return e.target || e.srcElement; 
}

let ul = document.getElementById('squareList');
ul.onclick = function(event) {
  let target = getEventTarget(event);
  let li = target.closest('li'); // get reference by using closest
  let nodes = Array.from( li.closest('ul').children ); // get array
  let index = nodes.indexOf( li ); 
  alert(index);
};

你可以在这里验证

参考:最近

于 2020-03-08T03:02:07.967 回答
3

使用 es6 和 findIndex

将 ul 节点列表转换为数组:[...UL_ELEMENT.children] 然后用于findIndex检查您要查找的元素。

const index = [...UL_ELEMENT.childNodes].findIndex(item => item === LI_ELEMENT)
于 2020-04-08T23:24:26.217 回答
1

使用扩展运算符 [...] 将 ul 元素的子元素转换为数组,然后使用 Array.prototype.indexOf() 方法将子元素作为参数传递。

const index = [...UL_ELEMENT.children].indexOf(LI_ELEMENT);
于 2021-03-02T01:02:13.363 回答
-3

您可以在列表或数组中获取所有“li”,然后使用简单的循环搜索位置

于 2013-08-18T04:25:59.010 回答