web-dev-qa-db-ja.com

Scalaの最もエレガントな繰り返しループ

同等のものを探しています:

for(_ <- 1 to n)
  some.code()

それは最短で最もエレガントです。 Scalaこれに似たものはありませんか?

rep(n)
  some.code()

結局のところ、これは最も一般的な構成の1つです。

PS

担当者を実装するのは簡単ですが、事前定義されたものを探しています。

39
Przemek
1 to n foreach { _ => some.code() }
81

ヘルパーメソッドを作成できます

def rep[A](n: Int)(f: => A) { if (n > 0) { f; rep(n-1)(f) } }

そしてそれを使う:

rep(5) { println("hi") }

@Jörgsのコメントに基づいて、私はそのような回法を書いています:

class Rep(n: Int) {
  def times[A](f: => A) { loop(f, n) }
  private def loop[A](f: => A, n: Int) { if (n > 0) { f; loop(f, n-1) } }
}
implicit def int2Rep(i: Int): Rep = new Rep(i)

// use it with
10.times { println("hi") }

@DanGordonのコメントに基づいて、私はそのようなtimes-methodを記述しました:

implicit class Rep(n: Int) {
    def times[A](f: => A) { 1 to n foreach(_ => f) } 
}

// use it with
10.times { println("hi") }
19
kiritsuku

私はこのようなものを提案します:

List.fill(10)(println("hi"))

他の方法があります。例:

(1 to 10).foreach(_ => println("hi"))

修正を行ったDaniel S.に感謝します。

10
Landei

Scalaz 6の場合:

scala> import scalaz._; import Scalaz._; import effects._;
import scalaz._
import Scalaz._
import effects._

scala> 5 times "foo"
res0: Java.lang.String = foofoofoofoofoo

scala> 5 times List(1,2)
res1: List[Int] = List(1, 2, 1, 2, 1, 2, 1, 2, 1, 2)

scala> 5 times 10
res2: Int = 50

scala> 5 times ((x: Int) => x + 1).endo
res3: scalaz.Endo[Int] = <function1>

scala> res3(10)
res4: Int = 15

scala> 5 times putStrLn("Hello, World!")
res5: scalaz.effects.IO[Unit] = scalaz.effects.IO$$anon$2@36659c23

scala> res5.unsafePerformIO
Hello, World!
Hello, World!
Hello, World!
Hello, World!
Hello, World!

[ here。 からコピーされたスニペット]

9
missingfaktor