Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

F# - Function with no arguments?

When thinking in a functional mindset, given that functions are supposed to be pure, one can conclude any function with no arguments is basically just a value.
However, reallity gets in the way, and with different inputs, I might not need a certain function, and if that function is computationally expensive, I'd like to not evaluate it if it's not needed.
I found a workaround, using let func _ = ... and calling it with func 1 or whatever, but that feels very non-idiomatic and confusing to the reader.

This boils down to one question: In F#, Is there a proper way to declare a function with zero arguments, without having it evaluated on declaration?

like image 845
Rubys Avatar asked May 09 '10 12:05

Rubys


2 Answers

The usual idiom is to define the function to take one argument of type Unit (let functionName () = 42). It will then be called as functionName (). (The unit type has only one value, which is ().)

like image 134
sepp2k Avatar answered Oct 02 '22 22:10

sepp2k


I think what you want is lazy.

let resource =      lazy(         // expensive value init here     ) 

Then later when you need to read the value...

resource.Value 

If you never call the Value property, the code inside the lazy block never gets run, but if you do call it, that code will be run no more than once.

like image 31
Joel Mueller Avatar answered Oct 02 '22 23:10

Joel Mueller