Scala向下还是向下循环?


115

在Scala中,您经常使用迭代器以for递增顺序执行循环,例如:

for(i <- 1 to 10){ code }

您将如何处理,使其从10变为1?我猜10 to 1给定一个空的迭代器(如通常的范围数学)?

我制作了一个Scala脚本,可以通过在迭代器上调用reverse来解决该问题,但是我认为这不好,遵循以下方法吗?

def nBeers(n:Int) = n match {

    case 0 => ("No more bottles of beer on the wall, no more bottles of beer." +
               "\nGo to the store and buy some more, " +
               "99 bottles of beer on the wall.\n")

    case _ => (n + " bottles of beer on the wall, " + n +
               " bottles of beer.\n" +
               "Take one down and pass it around, " +
              (if((n-1)==0)
                   "no more"
               else
                   (n-1)) +
                   " bottles of beer on the wall.\n")
}

for(b <- (0 to 99).reverse)
    println(nBeers(b))

Answers:


229
scala> 10 to 1 by -1
res1: scala.collection.immutable.Range = Range(10, 9, 8, 7, 6, 5, 4, 3, 2, 1)

2
@Felix:不客气。我还应该指出until,您还可以使用代替to将右端点从范围中排除。始终包含左侧端点。
兰德尔·舒尔茨

我已经知道直到,直到也是integers上的函数,但是,“ by”必须是范围/迭代器上的函数,无论从“ to”和“ until”函数返回什么。无论如何,谢谢:)
Felix

5
兰德尔的答案是最好的,但我认为Range.inclusive(10, 1, -1)值得一提。
约翰·沙利文

37

@Randall的答案和黄金一样好,但是为了完整起见,我想添加一些变化:

scala> for (i <- (1 to 10).reverse) {code} //Will count in reverse.

scala> for (i <- 10 to(1,-1)) {code} //Same as with "by", just uglier.

9
+1是第一个,但第二个是邪恶的-可读性比byIMO 低,在任何情况下都不应使用IMO
om-nom-nom

4
第二个是邪恶的,但是基于可用的东西建立直觉
Zaheer 2014年

10

Scala提供了许多向下循环工作的方法。

第一种解决方案:使用“至”和“通过”

//It will print 10 to 0. Here by -1 means it will decremented by -1.     
for(i <- 10 to 0 by -1){
    println(i)
}

第二种解决方案:带有“至”和“反向”

for(i <- (0 to 10).reverse){
    println(i)
}

第三种解决方案:仅使用“至”

//Here (0,-1) means the loop will execute till value 0 and decremented by -1.
for(i <- 10 to (0,-1)){
    println(i)
}

6

用Pascal编程后,我发现此定义很好用:

implicit class RichInt(val value: Int) extends AnyVal {
  def downto (n: Int) = value to n by -1
  def downtil (n: Int) = value until n by -1
}

使用这种方式:

for (i <- 10 downto 0) println(i)

感谢您的回答。我在使用此解决方案时遇到了麻烦。这是我的堆栈跟踪:Error:(57, 17) value class may not be a member of another class implicit class RichInt(val value: Int) extends AnyVal { ^
罗伯特

如错误消息(不是堆栈跟踪)所提示,您不能在另一个类内部定义值类。可以在其外部定义,在对象中添加或删除extends AnyVal零件(仅用于减少一些开销)。
LP_

1

您可以使用Range类:

val r1 = new Range(10, 0, -1)
for {
  i <- r1
} println(i)

1

您可以使用 : for (i <- 0 to 10 reverse) println(i)


0
for (i <- 10 to (0,-1))

循环将执行直到值== 0,每次减小-1。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.