programing

Scala의 케이스 클래스에 대한 오버로드 생성자?

nasanasas 2020. 8. 23. 09:18
반응형

Scala의 케이스 클래스에 대한 오버로드 생성자?


Scala 2.8에서 케이스 클래스의 생성자를 오버로드하는 방법이 있습니까?

그렇다면 설명하는 스 니펫을 입력하고 그렇지 않은 경우 이유를 설명해주세요.


오버로딩 생성자는 케이스 클래스에 대해 특별하지 않습니다.

case class Foo(bar: Int, baz: Int) {
  def this(bar: Int) = this(bar, 0)
}

new Foo(1, 2)
new Foo(1)

그러나 apply를 생략 할 때 호출되는 컴패니언 객체 메서드를 오버로드 할 수도 있습니다 new.

object Foo {
  def apply(bar: Int) = new Foo(bar)
}

Foo(1, 2)
Foo(1)

Scala 2.8에서는 오버로딩 대신 명명 된 매개 변수와 기본 매개 변수를 자주 사용할 수 있습니다.

case class Baz(bar: Int, baz: Int = 0)
new Baz(1)
Baz(1)

오버로드 된 생성자를 일반적인 방법으로 정의 할 수 있지만이를 호출하려면 "new"키워드를 사용해야합니다.

scala> case class A(i: Int) { def this(s: String) = this(s.toInt) }
defined class A

scala> A(1)
res0: A = A(1)

scala> A("2")
<console>:8: error: type mismatch;
 found   : java.lang.String("2")
 required: Int
       A("2")
         ^

scala> new A("2")
res2: A = A(2)

참고 URL : https://stackoverflow.com/questions/2400794/overload-constructor-for-scalas-case-classes

반응형