3

我目前有一个使用 scala.collection.mutable.PriorityQueue 以特定顺序组合元素的方法。例如,代码看起来有点像这样:

 def process[A : Ordering](as: Set[A], f: (A, A) => A): A = {
   val queue = new scala.collection.mutable.PriorityQueue[A]() ++ as
   while (queue.size > 1) {
     val a1 = queue.dequeue
     val a2 = queue.dequeue
     queue.enqueue(f(a1, a2))
   }
   queue.dequeue
 }

代码按照编写的方式工作,但必须非常必要。我曾想过使用 SortedSet 而不是 PriorityQueue,但我的尝试让这个过程看起来更加混乱。什么是做我想做的事情的更明确、更简洁的方式?

4

3 回答 3

2

如果 f 不产生已经在 Set 中的元素,您确实可以使用 a SortedSet。(如果是这样,您需要一个不可变的优先级队列。)执行此操作的声明性方法是:

def process[A:Ordering](s:SortedSet[A], f:(A,A)=>A):A = {
  if (s.size == 1) s.head else {
    val fst::snd::Nil = s.take(2).toList
    val newSet = s - fst - snd + f(fst, snd)
    process(newSet, f)
  }
}
于 2011-07-18T20:15:12.113 回答
0

试图改进@Kim Stebel 的答案,但我认为命令式变体仍然更清楚。

def process[A:Ordering](s: Set[A], f: (A, A) => A): A = {
  val ord = implicitly[Ordering[A]]
  @tailrec
  def loop(lst: List[A]): A = lst match {
    case result :: Nil => result
    case fst :: snd :: rest =>
      val insert = f(fst, snd)
      val (more, less) = rest.span(ord.gt(_, insert))
      loop(more ::: insert :: less)    
  }
  loop(s.toList.sorted(ord.reverse))
}
于 2011-07-19T07:18:48.187 回答
0

这是一个使用SortedSetand的解决方案Stream

def process[A : Ordering](as: Set[A], f: (A, A) => A): A = {
    Stream.iterate(SortedSet.empty ++ as)(  ss => 
        ss.drop(2) + f(ss.head, ss.tail.head))
    .takeWhile(_.size > 1).last.head
}
于 2011-07-26T18:50:27.097 回答