2

我想将以下 Java 代码转换为 Scala 代码:

Object method1(Object ... objArray) {
  if (objArray instanceof MyClass1[]) {
      Object resArray[] = new Object[objArray.length];
      for (int i = 0; i < objArray.length; i++) {
        resArray[i] = objArray[i].toString();
      }
      return resArray;
    } else {
      List<Object> resArray = new ArrayList<Object>();
      for (int i = 0; i < objArray.length; i++) {
        for (Object obj: scalar(objArray[i])) {
          resArray.add(obj);
        }
      }
      return resArray.toArray();
    }
  }

  //..........
  private static class MyClass1 {       
  private Object obj;

  public MyClass1(Object obj) {
    this.obj = obj;
  }

  @Override
  public String toString() {
    return obj.toString();
  }
 }

这是我所拥有的,它会导致错误:

def method1(objs: Any*): Array[_] = objs match {
    case x: Array[MyClass1] => x.map(toString)  // MyClass1 looks like 
    case x => x.map(method2).toArray
  }

//...................
def method2(obj: Any): Array[_] = {....} //it's perfectly fine

class MyClass1 (obj: AnyRef) {
    override def toString = obj.toString
}

错误:

1)pattern type is incompatible with expected type;
[error]  found   : Array[MyClass1]
[error]  required: Any*
[error]     case x: Array[MyClass1] => x.map(toString)

2)type mismatch;
[error]  found   : Array[MyClass1]
[error]  required: Any*
[error]     case x: Array[MyClass1] => x.map(toString)

3)could not find implicit value for evidence parameter of type ClassManifest[Array[_]]
[error]     case x => x.map(method2).toArray

我该如何解决这个问题?

4

1 回答 1

0

可变参数

scala 中的可变参数是Seq,不是Array。所以objs不能是Array[MyClass1].

其实你可以得到Array这样的:

def test(s: Any*) = s match {
  case wa: WrappedArray[_] => wa.array
  case _ => ???
}

但是你会得到一个Array[_],而不是一个Array[MyClass1]

scala> test("a", "b", "c").isInstanceOf[Array[String]]
res0: Boolean = false

您可以检查 的所有元素,Array然后转换Array[_]Array[MyClass1],但我认为这不是您想要的:

scala> test("a", "b", "c") match {
     |   case a if a.forall{_.isInstanceOf[String]} => a.map{ case s: String => s }
     | }
res1: Array[String] = Array(a, b, c)

在这种情况下,您不需要Array

def method1(objs: Any*): Array[_] = objs match {
  case x if x.forall{_.isInstanceOf[MyClass1]} => x.map{_.toString}.toArray
  ...
}

显现

你应该Manifest在这里使用:

def test[T: Manifest](es: T*) = {
  if (implicitly[Manifest[T]] <:< implicitly[Manifest[MyClass1]])
    es.map{_.toString}.toArray
  else 
    x.flatMap(method2).toArray
}

Manifest是类型擦除的一种解决方法,但您不能从Java.

平面图

Array[_]不是一个Object[]。您应该替换Array[_]Array[Any].

有了x.map(method2).toArray你就会得到Array[Array[Any]]。我猜你想得到Array[Any](就像你的Java代码一样),所以你应该使用flatMap而不是map聚合所有数组。

您正在尝试将函数传递toString给方法map

x.map(toString)

没有这样的功能。您必须创建一个:

x.map{e => e.toString}

或更短:

x.map{_.toString}
于 2013-06-25T11:00:12.753 回答