How do I implement a generic mathematical function in Scala

后端 未结 2 761
南旧
南旧 2020-12-23 14:30

I\'m just getting started with Scala and something which I think should be easy is hard to figure out. I am trying to implement the following function:

def squ

相关标签:
2条回答
  • 2020-12-23 15:08

    You can define square as:

    def square[T: Numeric](x: T): T = implicitly[Numeric[T]].times(x,x)
    

    This approach has the advantage that it will work for any type T that has an implicit conversion to Numeric[T] (i.e. Int, Float, Double, Char, BigInt, ..., or any type for which you supply an implicit conversion).

    Edit: Unfortunately, you'll run into trouble if you try something like List(1,2,3).map(square) (specifically, you'll get a compile error like "could not find implicit value for evidence parameter of type Numeric[T]". To avoid this issue, you can overload square to return a function:

    object MyMath {
       def square[T: Numeric](x: T) = implicitly[Numeric[T]].times(x,x)
       def square[T: Numeric]: T => T = square(_)
    }
    

    Hopefully someone with a better understanding of the type inferencer will explain why that is.

    Alternatively, one can call List(1,2,3).map(square(_)), as Derek Williams pointed out in the scala-user mailing list thread.

    0 讨论(0)
  • 2020-12-23 15:12

    That was one of my first questions in Stack Overflow or about Scala. The problem is that Scala maintains compatibility with Java, and that means its basic numeric types are equivalent to Java's primitives.

    The problem arises in that Java primitives are not classes, and, therefore, do not have a class hierarchy which would allow a "numeric" supertype.

    To put it more plainly, Java, and, therefore, Scala, does not see any common grounds between a Double's + and a an Int's +.

    The way Scala finally got around this restriction was by using Numeric, and its subclasses Fractional and Integral, in the so-called typeclass pattern. Basically, you use it like this:

    def square[T](x: T)(implicit num: Numeric[T]): T = {
        import num._
        x * x
    }
    

    Or, if you do not need any of the numeric operations but the methods you call do, you can use the context bound syntax for type declaration:

    def numberAndSquare[T : Numeric](x: T) = x -> square(x)
    

    For more information, see the answers in my own question.

    0 讨论(0)
提交回复
热议问题