23

Scala Collections 中是否有可用的循环队列?

我需要反复迭代一个通过自身循环的列表

val x = new CircularList(1,2,3,4)
x.next (returns 1)
x.next (returns 2)
x.next (returns 3)
x.next (returns 4)
x.next (returns 1)
x.next (returns 2)
x.next (returns 3)

... 等等

4

4 回答 4

50

continually使用and很容易自己动手flatten

scala> val circular = Iterator.continually(List(1, 2, 3, 4)).flatten
circular: Iterator[Int] = non-empty iterator

scala> circular.take(17).mkString(" ")
res0: String = 4 1 2 3 4 1 2 3 4 1 2 3 4 1 2 3 4

还有一个continually方法Stream——如果要生成大量元素,请注意不要保留对流头部的引用。

于 2013-11-04T16:32:04.517 回答
12

您可以使用Stream.

scala> val l = List(1, 2, 3, 4).toStream
l: scala.collection.immutable.Stream[Int] = Stream(1, ?)

scala> def b: Stream[Int] = l #::: b
b: Stream[Int]

scala> b.take(20).toList
res2: List[Int] = List(1, 2, 3, 4, 1, 2, 3, 4, 1, 2, 3, 4, 1, 2, 3, 4, 1, 2, 3, 4)

编辑:您要确保事先定义重复部分,一次且仅一次,以避免炸毁堆(结构共享Stream)。如:

def circular[A](a: Seq[A]): Stream[A] = {
  val repeat = a.toStream
  def b: Stream[A] = repeat #::: b
  b
}
于 2013-11-04T16:29:03.513 回答
2

版本更专注于在每次执行中获取新元素。

val getNext: () => Int = {
  def b: Stream[Int] = List(1, 2, 3, 4).toStream #::: b
  var cyclicIterator: Stream[Int] = b
  () => {
    val tail = cyclicIterator.tail
    val result = tail.head
    cyclicIterator = tail
    result 
  }
} // could be written more sexy?

在您的问题中,您可以像这样使用它:

for(i <- 1 to 10) yield getNext()
于 2015-06-26T11:35:27.213 回答
0

拥有外部可变索引很难看,但它确实可以满足要求:

scala> var i = 0
scala> val ic4 = Iterator.continually { val next = IndexedSeq(1, 2, 3, 4)(i % 4); i += 1; next }
i: Int = 0
ic4: Iterator[Int] = non-empty iterator

scala> ic4 take 10 foreach { i => printf("ic4.next=%d%n", i) }
ic4.next=1
ic4.next=2
ic4.next=3
ic4.next=4
ic4.next=1
ic4.next=2
ic4.next=3
ic4.next=4
ic4.next=1
ic4.next=2

至少它说明了Iterator.continually。还有Stream.continually, 具有相同的签名。

于 2013-11-05T02:30:29.567 回答