如何转到切片中的下一个项目

How to go to the next item in a slice

我编写了以下代码来获取数组中的下一项。

count:=len(value.Values)
for index, currentRow := range value.Values {
    var nextRow Value
    if index< count{
    nextRow = value.Values[index+1]
    fmt.Print(nextRow)
    }
}

当 运行 上面的代码时我感到恐慌。

Goroutine panic:运行时错误:索引超出范围

知道如何从切片中获取下一项。

下一项确实是value.Values[index+1],但是如果index是最后一个元素的索引,则没有下一项,在这种情况下index+1是一个无效的索引value.Values 并尝试使用它会导致运行时恐慌。

所以请检查索引:

for index, currentRow := range value.Values {
    var nextRow Value
    if index < timeSeriesDataCount && index < len(value.Values)-1 {
        nextRow = value.Values[index+1]
        fmt.Print(nextRow)
    }
}

另一种选择是覆盖一个没有一个的切片(排除最后一个元素),所以不需要检查index,肯定还有另一个元素:

for index, currentRow := range value.Values[:len(value.Values)-1] {
    var nextRow Value
    if index < timeSeriesDataCount {
        nextRow = value.Values[index+1]
        fmt.Print(nextRow)
    }
}

在这种情况下你需要考虑的是 value.Values 是否为空,因为如果是,上面的切片操作将再次出现 panic,因此请检查:

if len(value.Values) > 0 {
    for index, currentRow := range value.Values[:len(value.Values)-1] {
        var nextRow Value
        if index < timeSeriesDataCount {
            nextRow = value.Values[index+1]
            fmt.Print(nextRow)
        }
    }
}

请注意,我们可以检查是否 len(value.Values) > 1,因为即使 len = 1 不会出现恐慌,也会有 0 次迭代。

另请注意,在排除最后一个元素的切片上进行范围排列不会访问最后一个元素(显然),因此如果您对这些元素执行任何其他操作,这可能不可行,但在您的示例中它们是等价的。