I'm afraid there's no syntactical sugar for nullable types in F# (unlike in C# where you simply append a ?
to the type). So yeah, the code you show there does look terribly verbose, but it's the only way to use the System.Nullable<T>
type in F#.
However, I suspect what you really want to be using are option types. There's a few decent examples on the MSDN page:
let keepIfPositive (a : int) = if a > 0 then Some(a) else None
and
open System.IO
let openFile filename =
try
let file = File.Open (filename, FileMode.Create)
Some(file)
with
| exc -> eprintf "An exception occurred with message %s" exc.Message; None
Clearly a lot nicer to use!
Options essentially fulfill the role of nullable types in F#, and I should think you really want to be using them rather than nullable types (unless you're doing interop with C#). The difference in implementation is that option types are formed by a discriminated union of Some(x)
and None
, whereas Nullable<T>
is a normal class in the BCL, with a bit of syntactical sugar in C#.