当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


JavaScript Array lastIndexOf()用法及代码示例


JavaScript Array lastIndexOf() 方法返回可以在数组中找到给定元素的最后一个索引,如果不存在,则返回 -1。

用法:

arr.lastIndexOf(searchElement, fromIndex)

这里,arr 是一个数组。

参数:

lastIndexOf() 方法包含:

  • searchElement - 要在数组中定位的元素。
  • fromIndex(可选)- 开始向后搜索的索引。默认情况下是数组长度 - 1.

返回:

  • 如果元素至少出现一次,则返回数组中元素的最后一个索引。
  • 返回-1如果在数组中找不到元素。

注意: lastIndexOf()比较searchElement数组的元素使用严格平等(类似于triple-equals 运算符或===)。

示例 1:使用 lastIndexOf() 方法

var priceList = [10, 8, 2, 31, 10, 1, 65];

// lastIndexOf() returns the last occurance
var index1 = priceList.lastIndexOf(31);
console.log(index1); // 3

var index2 = priceList.lastIndexOf(10);
console.log(index2); // 4

// second argument specifies the backward search's start index
var index3 = priceList.lastIndexOf(10, 3);
console.log(index3); // 0

// lastIndexOf returns -1 if not found
var index4 = priceList.lastIndexOf(69.5);
console.log(index4); // -1

输出

3
4
0
-1

注意:

  • 如果从索引 < 0, index 是向后计算的。例如,-1表示最后一个元素,依此类推。
  • 如果计算 index 即array.length + fromIndex < 0,-1被退回。

示例 2:查找元素的所有出现

function findAllIndex(array, element) {
  indices = [];
  var currentIndex = array.lastIndexOf(element);
  while (currentIndex != -1) {
    indices.push(currentIndex);
    if (currentIndex > 0) {
      currentIndex = array.lastIndexOf(element, currentIndex - 1);
    } else {
      currentIndex = -1;
    }
  }
  return indices;
}

var priceList = [10, 8, 2, 31, 10, 1, 65, 10];

var occurance1 = findAllIndex(priceList, 10);
console.log(occurance1); // [ 7, 4, 0 ]

var occurance2 = findAllIndex(priceList, 8);
console.log(occurance2); // [ 1 ]

var occurance3 = findAllIndex(priceList, 9);
console.log(occurance3); // []

输出

[ 7, 4, 0 ]
[ 1 ]
[]

在这里,if (currentIndex > 0)添加语句,以便在索引处出现0不会给-1为了currentIndex - 1.这将导致再次从后面搜索,程序将陷入无限循环。

示例 3:查找元素是否存在 else 添加元素

function checkOrAdd(array, element) {
  if (array.lastIndexOf(element) === -1) {
    array.push(element);
    console.log("Element not Found! Updated the array.");
  } else {
    console.log(element + " is already in the array.");
  }
}

var parts = ["Monitor", "Keyboard", "Mouse", "Speaker"];

checkOrAdd(parts, "CPU"); // Element not Found! Updated the array.
console.log(parts); // [ 'Monitor', 'Keyboard', 'Mouse', 'Speaker', 'CPU' ]

checkOrAdd(parts, "Mouse"); // Mouse is already in the array.

输出

Element not Found! Updated the array.
[ 'Monitor', 'Keyboard', 'Mouse', 'Speaker', 'CPU' ]
Mouse is already in the array.

相关用法


注:本文由纯净天空筛选整理自 JavaScript Array lastIndexOf()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。