如何使用函数内部的for-in循环或嵌套函数更改数组的值?

时间:2015-07-26 23:11:05

标签: arrays swift

运行swift 2.0文档,我试着练习一些我在c ++中学到的东西。其中之一就是能够修改我元素中的数组元素,我在swift中遇到了麻烦。

 var scoreOfStudents = [86, 93, 68, 78, 66, 87, 80]

 func returnScoresWithCurve (inout scoresOfClass : [Int]) -> [Int] {
      for var score in scoresOfClass {
          if score < 80 {
              score += 5
          }
      }
      return scoresOfClass
 }

不知道我的错误是什么,因为在for-in循环中,小于80的分数被添加但在我传递的数组中没有被修改。还想知道如何使用嵌套函数而不是for-in循环来做同样的事情。

3 个答案:

答案 0 :(得分:17)

我相信使用像这样的for-in循环,你的得分变量是数组元素的值副本,而不是数组实际索引的引用变量。我会遍历索引并修改scoresOfClass[index]

这应该做你想做的事。

var scoreOfStudents = [86, 93, 68, 78, 66, 87, 80]

func returnScoresWithCurve(inout scoresOfClass: [Int]) -> [Int] {
    for index in scoresOfClass.indices {
        if scoresOfClass[index] < 80 {
            scoresOfClass[index] += 5
        }
    }
    return scoresOfClass
}

另外,为什么你在回来时使用inout scoresOfClass

答案 1 :(得分:11)

@ChrisMartin是正确的:更改分数只是更改值的副本,而不是数组中的原始副本,并且索引的方法将起作用。

另一个更多 swifty 解决方案如下:

func returnScoresWithCurve (scoresOfClass : [Int]) -> [Int] {
    return scoresOfClass.map { $0 < 80 ? $0 + 5 : $0 }
}

此处returnScoresWithCurve将返回修改后的数组,而不是更改原始数组。在我看来,这是一个加分。

答案 2 :(得分:0)

另一个Swift中漂亮的IMO解决方案:

 var scoreOfStudents = [86, 93, 68, 78, 66, 87, 80]

 func returnScoresWithCurve (inout scoresOfClass : [Int]) -> [Int] {
      for (index, score) in scoresOfClass.enumerated() {
          if score < 80 {
              scoresOfClass[index] = score + 5
          }
      }
      return scoresOfClass
 }