2

当我定义a值时,我在 Scala 中有这段代码,而且我在对象中调用了一些方法,例如setStr,它非常有用且令人惊叹。但是当我将 my 定义AClass为 final 时,编译器会抛出一个异常,因为从 final 类继承是非法的。在某些情况下我应该使用 final 类,在类启动后调用这种类型的方法对我来说非常有用,我的问题是如何解决这个问题

test("Test function call") {
    val a: AClass = new AClass {
        setStr("Pooya")
        func1(this)
    }
}

class AClass { // when I declare the class final, the compiler will raise an error
    private var str:String=""
    def setStr(str:String)={
        this.str=str
    }
    def aMethod() = print(str)
}

def func1(a: AClass) {
    a.aMethod()
}
4

2 回答 2

3

当你这样做时,new AClass { ... }你正在创建一个扩展这个类的匿名类。当一个类是final它时,它不能被扩展。

做你想做的事情的一种方法是这样的:

val a: AClass = new AClass 
import a._
setStr("Pooya")
func1(this)

遵循@Vladimir 的建议,一种更简洁的方式:

val a: AClass = { val a = new AClass 
  import a._
  setStr("Pooya")
  func1(this) 
  a 
}

现在,您可以根据需要重复多次,而不会产生setStr歧义。对于func1具有当前定义的 ,它是否在块中都无关紧要{}

于 2013-07-21T14:30:41.947 回答
1

要获得final语义,请将您的初始状态传递给构造函数。

另一种模式是使用早期定义。请注意, BClass#strs 是最终的。

Final 意味着当你的初始化器完成时,值不能改变。

并失去可变状态。

但是,如果您喜欢或需要可变性,则伴随对象上的工厂可以在您构建对象时满足您的任何要求。

package inheritthewind

object Test extends App {
  val a = new AClass(new AInit { val str = "Pooya" })
  a.aMethod()
  val b = new {
    val str: String = "Pooya"
  } with BClass
  b.aMethod()
  val b2 = new BClass {
    val str: String = "Pooya"
  }
  b2.aMethod()  // uh no, result is "nulls"
  val c = CClass(new CPrototype { val str = "Pooya" })
  c.aMethod()
  // not allowed
  //val nope = new CClass
}

trait AInit {
  def str: String
}

final class AClass(init: AInit) {
  private final val str: String = init.str
  def aMethod() = Console println str
}

abstract class BClass {
  val str: String
  final val strs = str + "s"
  def aMethod() = Console println strs
}

trait CPrototype extends AInit

final class CClass private() {
  private var str: String = _
  def aMethod() = Console println str
}
object CClass {
  def apply(p: CPrototype): CClass = {
    val res = new CClass
    res.str = p.str
    res
  }
}

scala> :javap -pv inheritthewind.BClass
[snip]
  private final java.lang.String strs;
    flags: ACC_PRIVATE, ACC_FINAL

  public abstract java.lang.String str();
    flags: ACC_PUBLIC, ACC_ABSTRACT

  public final java.lang.String strs();
    flags: ACC_PUBLIC, ACC_FINAL
于 2013-07-22T07:14:47.680 回答