为什么这个Scala线返回一个单元?

时间:2010-10-28 00:13:18

标签: scala functional-programming

这里有一些Scala代码可以将1到9之间的值相加,可以被3或5整除。为什么第5行返回Unit而不是布尔类型?

object Sample {

    def main(args : Array[String]) {
        val answer = (1 until 10).foldLeft(0) ((result, current) => {
            if ((current % 3 == 0) || (current % 5 == 0)) {
                result + current
            }
        })

        println(answer)
    }

}

4 个答案:

答案 0 :(得分:11)

if表达式的类型为Unit,因为没有else子句。因此,有时它不返回任何内容(单位),因此整个表达式的类型为单位。

(我假设你想问为什么它没有返回Int,而不是布尔值)

答案 1 :(得分:9)

我们可以惯用吗?我们可以!

Set(3,5).map(k => Set(0 until n by k:_*)).flatten.sum

[编辑]

丹尼尔的建议看起来更好:

Set(3,5).flatMap(k => 0 until n by k).sum

答案 2 :(得分:8)

这是我的解决方案:

scala> val answer = (1 until 10) filter( current => (current % 3 == 0) || (current % 5 == 0)) sum
answer: Int = 23

注意过滤器而不是if。

另一个更加惯用的Scala:

( for( x <- 1 until 10 if x % 3 == 0 || x % 5 == 0 ) yield x ) sum

答案 3 :(得分:4)

与您所做的最接近的工作代码是:

object Euler {
    def main(args : Array[String]) {
        val answer = (1 until 10).foldLeft(0) ((result, current) =>
            if ((current % 3 == 0) || (current % 5 == 0))
                result + current
            else
                result
        )

        println(answer)
    }
}