Akash
Akash

Reputation: 2371

Comparing F# discriminated union instances via pattern matching

Firstly, apologies for the poor title - I don't understand enough F# to describe the problem better.

Consider this simple DU:

type Money =
    | USD of decimal
    | GBP of decimal
    | EUR of decimal
    static member (+) (first: Money, second: Money) =
        match first, second with 
        | USD(x), USD(y) -> USD(x + y)
        | GBP(x), GBP(y) -> GBP(x + y)
        | EUR(x), EUR(y) -> EUR(x + y)
        | _ -> failwith "Different currencies"

I'm representing money in different currencies, and overloading the (+) operator so that I can safely do Money + Money. However, if I have many currencies then the match statement will become tedious to write. Is there any way of expressing something like:

match first, second with 
| _(x), _(y) -> _(x + y)

Or is there a different way to achieve the same result? I've considered and discarded units of measure due to the limitations described here.

Upvotes: 5

Views: 589

Answers (1)

Brian
Brian

Reputation: 118865

Does this work for you?

type Kind = | USD | GBP | EUR

type Money = 
    | Money of Kind * decimal 
    static member (+) (first: Money, second: Money) = 
        match first, second with  
        | Money(k1,x), Money(k2,y) when k1=k2 -> Money(k1, x + y) 
        | _ -> failwith "Different currencies" 

Upvotes: 16

Related Questions