Scala 3 — 书籍

方法

语言

Scala 方法

Scala 类、案例类、特征、枚举和对象都可以包含方法。简单方法的语法如下所示

def methodName(param1: Type1, param2: Type2): ReturnType =
  // the method body
  // goes here

以下是一些示例

def sum(a: Int, b: Int): Int = a + b
def concatenate(s1: String, s2: String): String = s1 + s2

您不必声明方法的返回类型,因此,如果您愿意,可以像这样编写这些方法

def sum(a: Int, b: Int) = a + b
def concatenate(s1: String, s2: String) = s1 + s2

这是调用这些方法的方法

val x = sum(1, 2)
val y = concatenate("foo", "bar")

以下是一个多行方法的示例

def getStackTraceAsString(t: Throwable): String = {
  val sw = new StringWriter
  t.printStackTrace(new PrintWriter(sw))
  sw.toString
}
def getStackTraceAsString(t: Throwable): String =
  val sw = new StringWriter
  t.printStackTrace(new PrintWriter(sw))
  sw.toString

方法参数也可以具有默认值。在此示例中,timeout 参数的默认值为 5000

def makeConnection(url: String, timeout: Int = 5000): Unit =
  println(s"url=$url, timeout=$timeout")

由于在方法声明中提供了默认 timeout 值,因此可以以这两种方式调用该方法

makeConnection("https://localhost")         // url=http://localhost, timeout=5000
makeConnection("https://localhost", 2500)   // url=http://localhost, timeout=2500

Scala 还支持在调用方法时使用命名参数,因此,如果您愿意,也可以像这样调用该方法

makeConnection(
  url = "https://localhost",
  timeout = 2500
)

当多个方法参数具有相同类型时,命名参数特别有用。乍一看,使用此方法,您可能想知道哪些参数设置为 truefalse

engage(true, true, true, false)

extension 关键字声明您即将在括号中放置的参数上定义一个或多个扩展方法。如本示例所示,类型为 String 的参数 s 随后可在您的扩展方法的正文中使用。

下一个示例展示了如何向 String 类添加 makeInt 方法。此处,makeInt 采用名为 radix 的参数。代码并未考虑可能的字符串到整数的转换错误,但跳过该细节,示例展示了其工作方式

extension (s: String)
  def makeInt(radix: Int): Int = Integer.parseInt(s, radix)

"1".makeInt(2)      // Int = 1
"10".makeInt(2)     // Int = 2
"100".makeInt(2)    // Int = 4

另请参阅

Scala 方法可以更强大:它们可以采用类型参数和上下文参数。它们在 领域建模 部分中进行了详细介绍。

此页面的贡献者