有没有方法来创建元组从列表(没有codegeneration)?有没有方法来创建元组从列表(没有co

2019-06-14 12:43发布

有时,需要创建小集合的元组(例如烫框架)。

def toTuple(list:List[Any]):scala.Product = ...

Answer 1:

如果你不知道元数的前面,想要做一个可怕可怕的黑客,你可以这样做:

def toTuple[A <: Object](as:List[A]):Product = {
  val tupleClass = Class.forName("scala.Tuple" + as.size)
  tupleClass.getConstructors.apply(0).newInstance(as:_*).asInstanceOf[Product]
}
toTuple: [A <: java.lang.Object](as: List[A])Product

scala> toTuple(List("hello", "world"))
res15: Product = (hello,world)


Answer 2:

你真的不希望你的方法返回Product ,因为这是无用的模糊。 如果你希望能够使用返回的对象的元组,那么你就必须知道它的参数数量。 所以你可以做的是有一系列的toTupleN方法不同arities。 为方便起见,你可以添加这些隐式方法Seq

这个怎么样:

class EnrichedWithToTuple[A](elements: Seq[A]) {
  def toTuple2 = elements match { case Seq(a, b) => (a, b) }
  def toTuple3 = elements match { case Seq(a, b, c) => (a, b, c) }
  def toTuple4 = elements match { case Seq(a, b, c, d) => (a, b, c, d) }
  def toTuple5 = elements match { case Seq(a, b, c, d, e) => (a, b, c, d, e) }
}
implicit def enrichWithToTuple[A](elements: Seq[A]) = new EnrichedWithToTuple(elements)

并使用它,如:

scala> List(1,2,3).toTuple3
res0: (Int, Int, Int) = (1,2,3)


Answer 3:

如果像@dhg观察,你知道预期的元数的前面,你可以做一些有用的东西在这里。 使用无形的 ,你可以写,

scala> import shapeless._
import shapeless._

scala> import Traversables._
import Traversables._

scala> import Tuples._
import Tuples._

scala> List(1, 2, 3).toHList[Int :: Int :: Int :: HNil] map tupled
res0: Option[(Int, Int, Int)] = Some((1,2,3))


Answer 4:

你想一个Tuple或只是一个Product 。 因为后者:

case class SeqProduct[A](elems: A*) {
  override def productArity: Int = elems.size
  override def productElement(i: Int) = elems(i)
}

SeqProduct(List(1, 2, 3): _*)


Answer 5:

基于@Kim Stebel的想法,我写了一个简单的工具,从序列创建的元组。

import java.lang.reflect.Constructor

/**
 * Created by Bowen Cai on 1/24/2015.
 */
sealed trait Product0 extends Any with Product {

  def productArity = 0
  def productElement(n: Int) = throw new IllegalStateException("No element")
  def canEqual(that: Any) = false
}
object Tuple0 extends Product0 {
  override def toString() = "()"
}

case class SeqProduct(elems: Any*) extends Product {
  override def productArity: Int = elems.size
  override def productElement(i: Int) = elems(i)
  override def toString() = elems.addString(new StringBuilder(elems.size * 8 + 10), "(" , ",", ")").toString()
}

object Tuples {

  private[this] val ctors = {
    val ab = Array.newBuilder[Constructor[_]]
    for (i <- 1 to 22) {
      val tupleClass = Class.forName("scala.Tuple" + i)
      ab += tupleClass.getConstructors.apply(0)
    }
    ab.result()
  }

  def toTuple(elems: Seq[AnyRef]): Product = elems.length match {
    case 0 => Tuple0
    case size if size <= 22 =>
      ctors(size - 1).newInstance(elems: _*).asInstanceOf[Product]
    case size if size > 22 => new SeqProduct(elems: _*)
  }

}


文章来源: Is there way to create tuple from list(without codegeneration)?