JavaScript – Array lastIndexOf() 方法
描述
Javascript数组 lastIndexOf() 方法返回一个给定元素在数组中最后出现的位置的索引,如果不存在则返回 -1。该数组逆向搜索,从 fromIndex 开始。
语法
下面是它的语法 –
array.lastIndexOf(searchElement[, fromIndex]);
参数详解
- searchElement - 要在数组中定位的元素。
-
fromIndex - 要开始向后搜索的索引。默认为数组长度,即搜索整个数组。如果索引大于或等于数组长度,则搜索整个数组。如果为负数,则将其视为距数组末尾的偏移量。
返回值
返回找到元素的最后一个索引。
兼容性
该方法是ECMA-262标准的JavaScript扩展;因此,在标准的其他实现中可能不可用。为了使它起作用,您需要在脚本顶部添加以下代码。
if(!Array.prototype.lastIndexOf){
Array.prototype.lastIndexOf = function(elt, from){
var len = this.length;
var from = Number(arguments[1]);
if (isNaN(from)){
from = len - 1;
} else {
from = (from < 0)
? Math.ceil(from)
: Math.floor(from);
if (from < 0)
from += len;
else if (from >= len)
from = len - 1;
}
for(; from > -1; from--){
if(from in this &&
this[from] === elt)
return from;
}
return -1;
};
}
实例
尝试以下示例。
<html>
<head>
<title>JavaScript Array lastIndexOf Method</title>
</head>
<body>
<script type = "text/javascript">
if (!Array.prototype.lastIndexOf){
Array.prototype.lastIndexOf = function(elt, from){
var len = this.length;
var from = Number(arguments[1]);
if (isNaN(from)){
from = len - 1;
} else {
from = (from < 0)
? Math.ceil(from)
: Math.floor(from);
if (from < 0)
from += len;
else if (from >= len)
from = len - 1;
}
for(; from > -1; from--){
if(from in this &&
this[from] === elt)
return from;
}
return -1;
};
}
var index = [12, 5, 8, 130, 44].lastIndexOf(8);
document.write("index is : " + index );
var index = [12, 5, 8, 130, 44, 5].lastIndexOf(5);
document.write("<br />index is : " + index );
</script>
</body>
</html>
输出
index is : 2
index is : 5