Imperative To Functional Programming Succinctly PDF
Imperative To Functional Programming Succinctly PDF
Marc Clifton
This book is available for free download from www.syncfusion.com on completion of a registration form.
If you obtained this book from any other source, please register and download a free copy from
www.syncfusion.com.
This book is licensed for reading only if obtained from www.syncfusion.com.
This book is licensed strictly for personal or educational use.
Redistribution in any form is prohibited.
The authors and copyright holders provide absolutely no warranty for any information provided.
The authors and copyright holders shall not be liable for any claim, damages, or any other liability arising
from, out of, or in connection with the information in this book.
Please do not use this book if the listed terms are unacceptable.
Use shall constitute acceptance of the terms listed.
SYNCFUSION, SUCCINCTLY, DELIVER INNOVATION WITH EASE, ESSENTIAL, and .NET ESSENTIALS are the
registered trademarks of Syncfusion, Inc.
Table of Contents
The Story behind the Succinctly Series of Books ................................................................................... 8
About the Author ....................................................................................................................................... 10
Introduction ............................................................................................................................................... 11
About this book ...................................................................................................................................... 11
What you should already know .............................................................................................................. 12
Resources used ..................................................................................................................................... 12
The history of functional programming .................................................................................................. 12
Lambda expressions in C# .................................................................................................................... 13
Functional programming in C# ............................................................................................................... 14
LINQ and functional programming ......................................................................................................... 14
Chapter 1 Basic Vocabulary and Concepts ........................................................................................... 16
Currying vs. partial function application ................................................................................................. 16
Partial application................................................................................................................................. 17
Currying ............................................................................................................................................... 18
Lessons ................................................................................................................................................ 19
What is imperative programming? ......................................................................................................... 19
What are classes? ............................................................................................................................... 20
Lessons ................................................................................................................................................ 21
What is functional programming? .......................................................................................................... 21
Immutability .......................................................................................................................................... 21
First-class and higher-order functions ................................................................................................. 23
Does this mean C# is a functional programming language? ................................................................. 24
Where C# and F# start to diverge ........................................................................................................ 24
Lessons ................................................................................................................................................ 25
Whenever platforms or tools are shipping out of Microsoft, which seems to be about
every other week these days, we have to educate ourselves, quickly.
Free forever
Syncfusion will be working to produce books on several topics. The books will always be free.
Any updates we publish will also be free.
10
Introduction
My management always thinks it's imperative that my programming is
functional yesterday. Gary R. Wheeler
1
2
11
Currying
Partial application
Immutability
First-class functions
Higher-order functions
Function pipelines
Function composition
Recursion
Map, filter, and reduce
Continuations
Continuation passing style
Monads (computation expressions)
F# Succinctly: http://www.syncfusion.com/resources/techportal/ebooks/fsharp
Wikibooks F# Programming: http://en.wikibooks.org/wiki/F_Sharp_Programming
Understanding these concepts and how they change the way you think about programming are
critical in the path to becoming a proficient functional programmer.
Even if you are not immediately planning on using a functional programming language, many of
these concepts are finding their way into imperative languages such as C# and C++. Becoming
familiar with these concepts as an imperative language programmer will strengthen your
imperative programming skills as well.
This book is divided into four chapters:
The intention is to introduce concepts in a particular order and at a reasonable pace such that,
by the time we get to Chapter 3, you will have a good understanding of how to work with F#specific concepts.
Resources used
The code examples in this book are written with Visual Studio 2012 and also use Syncfusion
Essential Studio and Microsoft SQL Server Express. In particular, many of the code examples in
Chapters 2 and 3 require Microsofts sample database AdventureWorks. The correct version of
AdventureWorks depends on the version of SQL Server; please consult the Microsoft
documentation for the AdventureWorks database to determine the correct version for your
database. If you do not have SQL Server installed, you can download the free edition of SQL
Server Express from Microsoft to complete the demonstration.
12
abstraction and application using variable binding and substitution.3 Lambda calculus was
introduced by mathematician Alonzo Church4 in the 1930s.
For our purposes, the salient point of lambda calculus is that it makes functions first-class
objects, which is to say they can be used in all the same ways as regular values or objects. The
concept of first-class functions was made explicit in the 1960s by Christopher Strachey,5 who
also coined the term currying,6 which is a fundamental concept of functional programming.
Incidentally, the term currying is also sometimes called schnfinkeling, named after Moses
Schnfinkel7 for originating the technique of transforming a function that takes multiple
arguments (or a tuple of arguments) in such a way that it can be called as a chain of functions,
each with a single argument.8 We commonly use the term currying, named after Haskell
Curry9 who further developed the concepts of combinatorial logic based on Schnfinkels paper.
One of the first languages that had functional characteristics was Lisp,10 developed in 1958 by
John McCarthy.11 It is interesting to note that Lisp pioneered many of the ideas we take for
granted in modern programming languages: tree data structures, dynamic typing, conditionals,
and recursion, to name a few.
Support for functional programming has been slowly adopted by mainstream languages.
Python,12 in 1994, added support for lambda expressions and the collection operations filter,
map, and reduce (also called fold). First-class functions were introduced in C# 3.0 in 2007.
Lambda expressions in C#
We see the term lambda expression used in many recent programming languages, including
C#.13 In C#, lambda expressions are anonymous functions often used to write LINQ query
expressions. For example, C#s collection objects provide selector functions, which you can use
to select specific elements of the collection:
int[] numbers = { 1, 2, 3, 4, 5 };
int sumOfOddNumbers = numbers.Sum(x => x % 2 == 1 ? x : 0);
Console.WriteLine("Sum of odd numbers 1..5: " + sumOfOddNumbers);
13
x => x % 2 == 1 ? x : 0
Functional programming in C#
If youve ever used C#s Action<T> or Func<T, TResult> delegates, you are already writing in
a functional programming style (technically, if youve ever used delegates and events, you are
already doing some functional programming).
For example, you can specify a method as a Func (as long as it matches the expected return
type and parameter types) and use it as a function to qualify the operation of another function.
In the following example, we specify a method (a function taking an int and returning an int)
to filter values in an array that we want to sum:
static int EvenOrZero(int x)
{
return x % 2 == 0 ? x : 0;
}
int[] numbers = { 1, 2, 3, 4, 5 };
int sumOfEvenNumbers = numbers.Sum((Func<int, int>)EvenOrZero);
In this example, the cast is necessary to resolve the ambiguity between Func<int, int> and
Func<int, int?>.
Alternatively, you can instantiate a function using a lambda expression (this eliminates the issue
of the cast):
Func<int, int> evenOrZero = x => x % 2 == 0 ? x : 0;
int[] numbers = { 1, 2, 3, 4, 5 };
int sumOfEvenNumbers2 = numbers.Sum(evenOrZero);
In either case, the use of Action<T> and Func<T, TResult> delegates and their variants
leverages C#s delegate capability in making functions first-class citizens, from which higherorder functions can also be composed.
14
int[] numbers = { 1, 2, 3, 4, 5 };
int sumOfOdds = (from s in numbers where s % 2 == 1 select s).Sum();
And in fact:
As the previous example illustrates, there are several different ways of approaching functional
programming in imperative languages such as C#.
15
Currying: http://en.wikipedia.org/wiki/Currying
Currying: http://en.wikipedia.org/wiki/Currying
16
Partial application: http://en.wikipedia.org/wiki/Partial_application
17
Currying and partial function application:
http://en.wikipedia.org/wiki/Currying#Contrast_with_partial_function_application
18
Currying vs. partial application: http://lambda-the-ultimate.org/node/2266#comment-33625
15
16
tuple will be treated by the language implementation as a single argument, which makes the
function a single-argument function. This means that the function cannot be partially applied,
because there is no other argument. The choice of representation is up to the programmer, and
Syme et al. refer to the programmers choice of the representation that is curried by default in
the language implementation as currying, in contrast to the earlier quotation which refers to
what the language implementation does when the programmer makes that choice. But to say
that curried functions can be partially applied is not to identify currying with partial applicationit
is only to say that the possibility of partial application depends on the language implementations
support for currying.
1. Since partial application depends on currying, the two often occur together, but they are
different because with partial application, you can bind more than one parameter to a
value, and to evaluate the resulting function all you need are the remaining parameters.
There are three things I just stated that define the difference between partial application
and currying. Partial application is a process of binding values to parameters that results
in a function with fewer parameters. By contrast, currying is a process that replaces a
single multi-parameter function with a nested set or chain of single-parameter functions.
2. Partial application can be performed by binding more than one parameter at a time. By
contrast, currying always works with one parameter at a time.
3. To fully evaluate a partially applied function, it is only necessary to bind the parameters
that have not already been bound. By the definition of partial application, one or more
parameters must already have been bound. By contrast, with a curried function, full
evaluation requires binding of all parameters, and zero or more parameters may already
have been bound.
Partial application
The following example demonstrates partial application (FSI console):
> let Add5 a b c d e = a + b + c + d + e;;
val Add5 : a:int -> b:int -> c:int -> d:int -> e:int -> int
> Add5 1 2 3 4 5;;
val it : int = 15
> let Add2More = Add5 1 2 3;;
val Add2More : (int -> int -> int)
> Add2More 4 5;;
val it : int = 15
The function Add2More is a function resulting from the partial application of Add5 1 2 3.
Add2More can be evaluated as I did in the example by binding the remaining two parameters.
Partial application works because Add5 is a curried function. This illustrates the dependency of
partial application on currying (noted by Syme et al. in the passage quoted previously).
Incidentally, C#s partial methods have nothing to do with partial function application.
17
Currying
Currying is handled by the F# language implementation and therefore essentially invisible to the
programmer, but you can recognize where it will occur. Currying occurs when you call a multiparameter function in F# without having to do anything special. The following example is a
definition of a multi-parameter function, followed by a call to it:
> let Add5 a b c d e = a + b + c + d + e;;
val Add5 : a:int -> b:int -> c:int -> d:int -> e:int -> int
// the call site:
> Add5 1 2 3 4 5;;
val it : int = 15
When used at the call site, Add5 1 2 3 4 5 is calling the curried function Add5 a b c d e. F#
calls do not use parentheses around the arguments or commas between them. (If the function
were defined instead by let Add5 (a, b, c, d, e) = a + b + c + d + e, it would still
yield the same result, but the function would have a different type. This would be taken by the
language implementation as defining a single-parameter function taking as input a single tuple
with five elements, where the parentheses tell the language implementation to evaluate what is
inside as a single possibly complex value, and the commas distinguish independent
components of that value.)
In the previous example, the language implementation recognizes that Add5 1 2 3 4 5
matches the signature of the previously defined function Add5 a b c d e, and therefore
evaluates Add5 1 2 3 4 5 as a function call.
Multi-parameter functions are automatically curried by the language implementation. To see the
currying, we have to go beneath the covers.
Lets use dotPeek19 to decompile this simple F# program:
open System.Security.Cryptography
open System.Text
[<EntryPoint>]
let main argv =
let Add5 a b c d e = a + b + c + d + e
let q = Add5 1 2 3 4 5
printfn "%i" q
0
Note how the function Add5 is cast as curried functions (as in, each function has one
parameter, ending with the final function where the second parameter is a literal):
19
dotPeek - http://www.jetbrains.com/decompiler/
18
And there you have it, Add5 a b c d e has been curried to the type FSharpFunc<T, U>20
such that it can be used in the form value, function.
What is important to understand here is that F# syntax is defined so that any function that
specifies its parameters with white space is automatically curried, and merely by using this
syntax you are using the currying built into the language implementation.
Another example: Since Add x y will be evaluated as a curried function (its parameters are
separated by white space), we can use partial application directly or by pipelining, which more
explicitly creates partial function applications:
> Add 1 (Add 2 (Add 3 (Add 4 (5))));;
val it : int = 15
Lessons
20
21
19
This code, because of its simplicity, is an excellent example of how often we use mutable
objects that exhibit side effects.
Describes everything necessary to maintain the state of the fields in the class.
Describes how state is altered using methods such as property getters and setters.
Describes computations (methods) that utilize the current state, and those computations
may have side effects resulting in state change.
This may seem like an overly narrow description because it ignores other OO features like
inheritance and polymorphism, and the concept that a class describes a type, but
fundamentally, the description is true for every imperative class, whether its a super-class or a
derived class.
The C# example at the end of the previous section illustrates each of these points:
This illustrates two features of imperative programming: mutability and side effects.
Mutability is the ability to change an objects state directly and usually explicitly.
In a side effect, the object is mutated (its state changes) indirectly and usually implicitly.
Side effects however are not limited to changing the objects stateside effects can also
change the state of another object, a data store, and so forth.
A good example of a useful mutable object with side effects is a file reader that needs to keep
track of the position in the data stream and set an end-of-file flag when the end of the file is
reached. This creates problems for pure functional programming languages and is handled in
interesting ways, which well look at later.
20
Lessons
Immutability
Functional programming, at its core, emphasizes immutability. Mathematical definitions, after all,
do not change. Without mutable objects, there are no side effects. This is achieved by creating
a new object every time there is a state changethe old object remains unaffected and a new
object is created instead to reflect the result of the computation.
In F#, the preferred implementation of the previous C# example would be immutable. The = sign
in a functional language indicates an equation, not an assignment.
type Point =
{x: int;
y: int;}
let Offset p dx dy = {x = p.x + dx; y = p.y + dy}
22
21
In this example, p2 is not the same instance as p nor is it equal to p. The reason is because the
function Offset does not change (mutate) p; it creates a new instance of a point.
Lets encapsulate the function Offset in an F# class type, again preserving immutability:
type Point(x : int, y: int) =
member self.X = x
member self.Y = y
member self.Offset dx dy = new Point(self.X + dx, self.Y + dy)
let p = new Point(1, 2)
let p2 = p.Offset 11 12
(From here on, well omit the terminator ;; in many examples. Just add it at the end as in the
previous example to get the examples to evaluate in the console.)
We can see that the Offset function explicitly constructs a new Point object, thus p <> p2.
The only way to update the X and Y members is to explicitly declare them to be mutable using:
In this example, we have created the equivalent of the C# Point class, and the result is that p2
equals p and in fact, p2 is the same instance of p because the Offset function returns itself.
This is not functional programming, so if youre going to program like this, stick with C# or some
other imperative programming language. It does however illustrate why F# is called an impure
functional programming language.
22
Functions in structures
With C# and the Func<T, U> class, we can create a list of functions having the same signature:
static int SquareValue(int n) { return n * n; }
static int DoubleValue(int n) { return n + n; }
List<Func<int, int>> funcList = new List<Func<int, int>>() { SquareValue, DoubleValue };
(For the C# audience, I am intentionally refraining from using constructs like var funcList.)
In F#, we can implement this more naturally:
let squareValue n = n * n
let doubleValue n = n * n
let funcList = [squareValue; doubleValue]
Functions as parameters
We can pass functions to other functions. Again, in C#, this might be written like this:
23
23
Note the explicit use of the fun keyword to define lambda expressions.
And in F#:
let getMyOperation = squareValue
let result3 = getMyOperation 10
24
// 3
// 23.1
// ab
Here the compiler infers the type from the values, which must all be of the same type. We can
use it with different types because the lambda expression is evaluated when needed, and hence
the type is at that point known. We can do something similar in F# using the inline keyword:
let inline adder (a : 'T) (b : 'T) : 'T = a + b
let sum1 = adder 1 2
let sum2 = adder 10.5 12.6
let sum3 = adder "a" "b"
Here adder is a function that takes two parameters, a and b of type T, and returns a type T.
There is an interesting difference: in C# we cannot create a generic delegate that is assigned
the lambda expression without specifying the type when the delegate is assigned. For example,
this does not work:
delegate T del<T>(T a, T b);
static del<T> adder = (a, b) => a + b; // <<-- del<T> results in an error
static T DlgtAdder<T>(del<T> add, T a, T b) { return add(a, b); }
var sum5 = DlgtAdder(adder, 3, 4);
If we specify del<int>, then the previous code works. Note that in F#, we can definitely assign
the function to a name and use that function later with type inference.
We can go even further, providing the operation to perform at the call site:
let inline operation op (a : 'T) (b : 'T) : 'T = op a b
let sum1 = operation (+) 1 2
// 3
let diff1 = operation (-) 10 4
// 6
This is something you cannot do in an imperative languagenot even in C#, without some
significant workarounds. Granted, my example is a bit esoteric, but it does well to serve as an
example of where a functional language like F# enables you to do things you otherwise could
not do at all.
Lessons
25
At some point, the syntax of C# simply becomes too unwieldy and F# starts to look
syntactically more attractive.
At some point the support for functional programming fails in C#, whereas F#, being a
functional programming language, supports the last mile.
26
Expression-based programming
What makes an imperative language imperative? Earlier I wrote:
In computer science, imperative programming is a programming paradigm that describes
computation in terms of statements that change a program stateimperative programs define
sequences of commands for the computer to perform.26
In the previous quote is the key word statement. In computer programming a statement is the
smallest standalone element of an imperative programming language[Statements do] not
return results and are executed solely for their side effects.27 Obviously, in modern imperative
languages, statements can also return values but they dont have to.
Conversely, an expression-oriented programming language is a programming language where
every (or nearly every) construction is an expression and thus yields a valueAll functional
programming languages are expression-based.28
A statement implicitly says trust me and do this, I claim its the right thing to do, whereas an
expression says heres a way to derive a particular kind of result. We can see the difference
from our earlier examples.
A C# statement:
p.Offset(11, 12);
An F# expression:
26
27
let p2 = p.Offset 11 12
Void return in F#
In order to work with classes defined in the .NET framework, F# has to allow for statementbased programming and therefore allows a void return type. This opens a Pandoras box of
mutable functions; why would you call a function that returns nothing unless it has some side
effect? So, for example, in C# we often write methods with a void return type:
public void PrintSomething(string s)
{
Console.WriteLine(s);
}
Because F# is an impure language and needs to support void returns in order to work with the
.NET framework and other imperative .NET languages, we can also write, in F# (FSI console):
let PrintSomething s =
printfn "%s" s
();;
val PrintSomething : s:string -> unit
We are told this is a function that takes a string and returns a unit, F#s word for void. The
side effect is that something is emitted to the console window (its state changes). One should
mostly avoid writing functions that return unit, as these imply that the function has side effects.
There are perfectly valid reasons, such as persisting data to a database, but of course that is a
side effect!
29
28
first, and results in some interesting behaviors. For example, lets say you have a function that
prints something and returns a literal (FSI console):
> let printAndReturn =
printfn "Hi!"
5;;
Hi!
val printAndReturn : int = 5
> printAndReturn;;
val it : int = 5
Note how Hi! is emitted immediatelyF# performs eager expression evaluation by default.
Furthermore, when we later call the function, because the expression has already been
evaluated, the printfn statement embedded in it will not execute and Hi! is no longer emitted.
Conversely (FSI console):
> let Adding a b =
printfn "Adding %d %d" a b
a+b
;;
val Adding : a:int -> b:int -> int
> Adding
Adding 1
val it :
> Adding
Adding 3
val it :
1 2;;
2
int = 3
3 4;;
4
int = 7
Here, Adding cannot be evaluated until its parameters have been supplied. Therefore we get
the console message Adding each time we evaluate at the call site with Adding 1 2 or
Adding 3 4.
Statements embedded in expressions can lead to a lot of confusion, for example when using
printfn for debugging purposes. The expression will evaluate as soon as it can, not
necessarily in the order that you would expect, especially coming from an imperative,
statement-based, programming language.
Expression-based programming has other nuances. There are two fundamental evaluation
strategies for expressions: eager and lazy. Lets say you want to evaluate some expression
based on whether a value is true or false:
> let Add a b =
printfn "Computing a + b"
a + b
29
let Subtract a b =
printfn "Computing a - b"
a b
let Compute operation sum difference =
match operation with
| "Add" -> sum
| "Subtract" -> difference
| _ -> 0
Compute "Add" (Add 1 2) (Subtract 5 4)
;;
Computing a + b
Computing a - b
val
val
val
val
Notice how the expressions (Add 1 2) and (Subtract 5 4) are both evaluated regardless of
which expression result we want. This can potentially affect performance, so instead, we want to
explicitly use lazy expression evaluation, which is discussed in the next section.
30
31
30
Notice now that when we force the expression to evaluate, only the expression (Add 1 2) is
evaluated! By the way, also notice how the expression 0 had to be lazy evaluated in the
match statement; we must keep type consistency in all the return values.
Functional programming requires that you have an understanding of when an expression
evaluates and, keeping that in mind, consider when you might want to explicitly use lazy
evaluation to improve the performance of the code. Note that some functional programming
languages, such as Haskell, use lazy evaluation by default.
Lessons
Think immutable
It can be very difficult to learn how to think in terms of an immutable world. Things in everyday
life are mutable. When we get in our car to drive somewhere, we turn the engine on. When we
arrive at our destination, we turn the engine off. We are clearly changing the state of the car. We
do not copy the car so that we now have one car with the engine off and another identical car
but with the engine on! We live in a stateful world and one of the fundamental characteristics of
things in our world is their state.
On the other hand, mathematics and logic deal primarily with immutable things, so functional
programming can benefit from being much closer to natural ways of working in math and logic.
Database design and significant areas of digital logic design also work with immutable
definitions. Immutability gives us enormous power to reason about behavior of programs from a
compile-time perspectivepower to potentially know and be able to prove that a program is
correct. Scientific understanding of the world is, after all, based largely on mathematics. To have
31
Reducing encapsulation
Thinking in terms of immutability means changing how you think about encapsulation. Often, we
use encapsulation to collect many different concepts, or attributes, under a single umbrella. In
imperative programming, this often appears reasonable but eventually leads to entanglement
and complexity. In a functional programming environment, encapsulating seemingly related but
actually distinct concepts creates undo noise in a given type and makes it difficult to work with
immutable objects. What we need to do instead is tease apart the associations, using separate
objects to interrelate them. Among other positive effects, this makes working with types much
easier because a type doesnt include attributes that fall into the has a relationship. A type
should always express exactly what it is (that is to say, what defines it), not what it has (that is to
say, what things are associated with it).
32
This simple class serves the purpose of illustrating mutability and side effects in a typical
imperative style. This class requires some rework to be a well-behaved set of F# types and
functions. Note how even in the use of the terms types and functions, we are decomposing the
properties of a class into their constituent components. If implemented as an immutable object
in F#, it would require cloning all the properties, including the collection of roles. This is
something we want to optimize when a users configuration changes.
If we apply our design a class like you would design a database principle, we can conclude
that:
33
A user is defined by the combination of username and password or email and password,
so the properties username, email, and password are a natural grouping. The additional
roles collection is not characteristic of defining a user and should be removed from the
type that defines User.
Roles can also be considered a foreign key association, giving further motivation to the
idea that it should be its own first class type and that a separate type that manages
associations between users and roles is needed.
This also normalizes the data by eliminating the duplication of role names across many
users.
Notice that by reducing the complexity of the encapsulation illustrated in the C# User class, we
have created three different types. Granted, there is nothing that prevents us from doing this in
an imperative language; its just that we typically gravitate towards complexity when working
34
with classes. The types weve created here are much simpler structural compositions, which
ultimately facilitates being able to do more with these simpler structures. Using these new types,
we will next explore the functional way of operating on these types in an immutable context.
Lessons
This method is very simple, but from a functional programming perspective, it has several
problems:
1. The encoding protocol is hard-coded into the method bodyanyone using this method
2.
3.
4.
5.
Certainly the last point can again be easily addressed by better OO design, and it is certainly
possible to write bad functional programs as well; however, functional programming tends to
promote the thinking do one thing only. We therefore decompose the SetPassword method
into two functions.
For the following examples, we need to include a couple .NET namespaces:
35
open System.Security.Cryptography
open System.Text
And the hash computation algorithm as (one way of doing this is):
let getHash hashAlgo bytes = (hashAlgo : HashAlgorithm).ComputeHash(bytes :
byte[])
Because were working with a .NET base class (HashAlgorithm) that has many overloaded
Compute methods, we have to specify the type information for the class containing the Compute
method and the parameter type.
Another way of defining this function is to specify the required types in the parameters of the
getHash method:
let getHash (hashAlgo : HashAlgorithm) (bytes : byte[]) =
hashAlgo.ComputeHash(bytes)
This second form allows the compiler to select the correct Compute method because it already
knows the type for hashAlgo as well as the type for bytes.
By separating the C# method into two simpler functions, we are moving toward working with
more core behaviors, giving the programmer the ability to change the behavior of the program
without running into the problems Ive listed previously.
We can define a third function, which, given a password, computes the password hash:
let pwdHash pwd = getHash (new SHA1Managed()) (encodeUTF8 pwd)
Not only is this a fairly ugly F# function, but it still has an imperative feel to it. A more functional
approach would be to use function pipelining.
36
Lessons
Function pipelining: By supplying the first value, the resulting value(s) of one function
feed directly into the next function, resulting in a final value.
Partial application: Creating a function that has some of its initial parameters bound to
values, allowing the rest of the parameters to be supplied later.
Function composition: Creating a function that is composed of several other functions,
where, similar to pipelining, the resulting value of one function supplies the first
parameter of the next function.
Function pipelining
One of the important features in functional programming is the idea of a function pipeline. The
pipeline operator, |>, is one of the most important operators in F#.32 The pipeline operator can
be thought of as threading an argument through a series of functions.33 Nested function calls
can be difficult to read. A function pipeline with n stages provides an easy, left-to-right readable
alternate syntax for a nested series of function calls n levels deep.
If we rewrite the previous F# code using the pipeline operator |>, the code becomes more
readable:
let pwdHash pwd = pwd |> encodeUTF8 |> getHash(new SHA1Managed())
32
Function Pipelining:
http://en.wikibooks.org/wiki/F_Sharp_Programming/Higher_Order_Functions#The_.7C.3E_Operator
33
Function Pipelining: http://blogs.msdn.com/b/ashleyf/archive/2011/04/21/programming-ispointless.aspx
37
1. Create a function called pwdHash that takes a single parameter, which is inferred to be a
string.
2. Call the function encodeUTF8, passing the password.
3. The evaluation is passed to the function GetHash, along with the parameter new
SHA1Managed().
Partial application
In computer science, partial application (or partial function application) refers to the process of
fixing a number of arguments to a function, producing another function of smaller arity.34 (Arity
means the number of arguments that a function accepts.)
We can further functionalize the previous code by deferring the hash algorithm, simply by
creating a partial application:
let pwdHash2 pwd = pwd |> encodeUTF8 |> getHash2
Here, we are defining a function that takes a password but returns a function that expects a
hash algorithm to be provided. However, this also requires that we switch the parameter order
of the getHash function, which is why I previously called it getHash2 (more on this later):
let getHash2 (bytes : byte[]) (hashAlgo : HashAlgorithm) = hashAlgo.ComputeHash(bytes)
Why? Because we are providing the first parameter in the pipeline and expecting the caller to
later provide the second parameter, which is the hash algorithm.
In the pwdHash2 function, we are piping the password parameter into the byte encoder and
then piping the resulting encoded byte[ ] value into the getHash2 function, which returns a
function that expects an encoding algorithm and returns a byte[ ] of encoded values.
We use it like this (FSI console):
> let myEncPwd2 = ("abc" |> pwdHash2)(new SHA1Managed());;
val myEncpwd2 : byte [] =
[|169uy; 153uy; 62uy; 54uy; 71uy; 6uy; 129uy; 106uy; 186uy; 62uy; 37uy;
113uy; 120uy; 80uy; 194uy; 108uy; 156uy; 208uy; 216uy; 157uy|]
Observe how we created the partial application pwdHash2 that, on evaluation, encodes our
password with UTF8 encoding, but lets us defer the selection of the actual hash algorithm. We
assign the encoded password by piping in the raw password string, completing the function
application by providing the hash algorithm object.
34
38
The syntax of this is a little messy because were mixing in .NET objects rather than working
with pure F# functions. However, I believe this represents the real world of what youll be
dealing with when programming in F#, so Id rather illustrate this syntax than a pure F#
implementation. Its all part of thinking functionally but realizing that you still have to work with
imperative style frameworks that dont support function pipelining and currying.
Lessons
When you write functions, consider which parameters are most likely to be partially
applied and put those parameters first.
If the programmer didnt provide the parameters in the order that you want, write a
function that flips the parameters around that you can use to create a partial application
function.
Well be appending an encoded salt before passing the result to the getHash2 function:
let mySaltedPassword = (("abc" |> encodeUTF8, "salt" |> encodeUTF8) ||> Array.append |>
getHash2)(new SHA1Managed())
Notice the ||> operator. This operator takes a tuple and pipes it to a function that takes two
parameters. The tuple is constructed from the password and salt:
("abc" |> encodeUTF8, "salt" |> encodeUTF8)
The result is then piped to the getHash2 function with the desired hash encoder. If youre
curious, theres also the triple pipeline operator |||>, which takes a tuple of three values and
passes it to a function that takes three parameters.
Function composition
Pipelining requires that the input values are provided to initialize the pipe. For example, this
function:
encodeUTF8 pwd
39
However, we may not know the value, and this is where function composition, using the >>
operator, comes into play. The example used earlier:
let myEncPwd2 = ("abc" |> encodeUTF8 |> getHash2)(new SHA1Managed())
Here we have created a function pwdEncoder that is a composition of the encoder and hashing
functions. We use it like this (FSI console):
> pwdEncoder "abc";;
val it : byte [] =
[|169uy; 153uy; 62uy; 54uy; 71uy; 6uy; 129uy; 106uy; 186uy; 62uy; 37uy;
113uy; 120uy; 80uy; 194uy; 108uy; 156uy; 208uy; 216uy; 157uy|]
Or like this:
abc |> pwdEncoder
Lessons
In order to take advantage of functional composition, its best to have functions that take
only one parameter.
Your functions in a composition most likely will be partial function applications!
40
The compiler complains that it is expecting array1 to be a function, but instead it is an int[ ];
in other words, a literal.
We can, however, write:
let t1 = encodeUTF8 >> Array.append (encodeUTF8 "salt")
> abc |> t1;;
val it : byte [] = [|115uy; 97uy; 108uy; 116uy; 97uy; 98uy; 99uy|]
We can do this because encodeUTF8 is a function, not a literal, and we can use functions
anywhere we need values. Once we supply the function t1 with the initial literal value abc, then
t1 evaluates, passing the result of abc |> encodeUTF8 to the Array.append function, which
has already received as its first parameter the value resulting from evaluating encodeUTF8
salt.
Consider this partial function application in which we do not provide the encoded salt parameter:
let t1 = encodeUTF8 >> Array.append
Notice how we are combining pipelining (starting with an initial value) with function composition
(a function that encodes a value and passes the result to the partial application of the append
function.) It is very important to know whether you are working with a literal or a function as a
value, as this guides you on how to work with function pipelining and function composition.
41
Here, getHash(new SHA1Managed()) returns a partial application function, having had the first
parameter fixed or bound. Having been supplied the first parameter, this leaves the byte[ ]
parameter to be supplied by the pipeline.
Compare this with:
> ((encodeUTF8 "abc", encodeUTF8 "salt") ||> Array.append) |> getHash;;
((encodeUTF8 "abc", encodeUTF8 "salt") ||> Array.append) |> getHash;;
------------------------------------------------------------^^^^^^^
stdin(134,61): error FS0001: The type 'byte []' is not compatible with the type
'HashAlgorithm'
Here we can clearly see that pipelining tries to supply the first parameter, but since getHash is a
partial application in which no parameters have been supplied, it fails with a type mismatch
because the pipeline is attempting to provide the first parameter, which is of type
HashAlgorithm, with a byte[ ]!
One correct usage would look like this:
(new SHA1Managed(), ((encodeUTF8 "abc", encodeUTF8 "salt") ||> Array.append)) ||> getHash;
Value confusion
It becomes clear from the previous code that the partial application getHash(new
SHA1Managed()) takes precedence over the pipeline operator. When we didnt correctly create
the partial function application, we were able to identify this problem during coding because the
getHash function has parameters of different types and the compiler or IDE told us we had a
problem. However, if the parameters are the same type, we can easily create computational
errors that are only discovered at run time. We can illustrate this point more clearly with the
following code (FSI console):
let Sub x y = x - y;;
val Sub : x:int -> y:int -> int
> Sub 5 3;;
val it : int = 2
// We expect 5 3 = 2
> let t = 5 |> Sub;; // Here we create a partial application Sub 5
val t : (int -> int)
> t 3;;
// And we expect that t(3) = (Sub 5)(3) = 2
val it : int = 2
> let t = 5 |> Sub 3;;
// But what does this do? Do we expect this to = 2 ???
val t : int = -2
// This is 3 5 !!!
42
Because F# evaluates from left to right, it would seem logical that in the code 5 |> Sub 3 that
5 is assigned to x, resulting in the partial function application Sub 5, and then 3 is applied as the
y parameter, resulting in an answer of 2. This is not the case! If we want this behavior, we need
to specify that 5 |> Sub is to be evaluated first by parenthesizing the expression:
> let t = (5 |> Sub) 3;;
val t : int = 2
Here we clearly see that the partial application Sub 3 takes priority, making 3 the x and 5 the y.
We want to be able to specify the encoder and hash algorithm to be used outside of the
actual hashing functionin other words, we want to abstract out the actual encoder and
hash algorithm that the application might want to use.
Wed like to be able to cleanly append byte streams so we can work with passwords and
salt.
Using everything weve learned about function composition, partial function application, and
function pipelining, were now ready to put together a much cleaner implementation,
demonstrating (hopefully) the unique features of F# and functional programming in general.
Implementation
We start with the two functions that interface to the .NET API:
let encodeUTF8 password = Encoding.UTF8.GetBytes(password : string)
let getHash (hashAlgo : HashAlgorithm) (bytes : byte[]) =
hashAlgo.ComputeHash(bytes)
Next, we want to generalize the idea of appending byte arrays, so well write a general purpose
encode string and append function:
let encodeStringAndAppendFunction (f : string -> byte []) = f >> Array.append
43
Important: Notice that I am using the right-to-left composition operator, <<. This is because I
would like my salt be appended to my password, and therefore the salt must be the second
parameter of the Array.append function.
For our purposes, we will create a function that simply encodes a password and salt:
let encodePwdAndSalt encoder pwd salt =
((encoder, pwd) ||> encodeStringAndAppendFunction <<
((encoder, salt) ||> encodeStringAndAppendFunction))
Here we use the double-pipe operator to provide the encoder along with the password, and then
apply it again with the salt, creating a function composition that evaluates when we pipe in the
empty array, which well see next.
Whats nice about this function is that it provides a clear template for how to extend the function
with additional strings that we might want to add to the byte[ ] before it is hashed. Later on, in
the discussion on recursion, well generalize this even further.
We then create a function whose parameters have been carefully arranged such that it is
suitable for partial function application:
Because the encoder and hash algorithms probably wont vary for a set of passwords
and salt, we want these to be the first parameters.
Furthermore, the encoder and hash algorithm are always together, so we can specify
them as a tuple rather than in curried form (separated by white space).
But because Ive judiciously placed the encoder-hasher tuple first, I can create partial function
applications with different encoding and hashing algorithms (FSI console):
44
We now have a very flexible system of hashing salted passwords with different encoding and
hashing approaches, using partial application to create a re-usable hashing function.
// Now lets create a couple hashes using our different partial applications:
let hashedPassword1 = UTF8SHA1HashFunction "abc" "salt"
let hashedPassword2 = UTF32SHA256HashFunction "abc" "salt"
;;
// And here are the results:
val hashedPassword1 : byte [] =
[|153uy; 25uy; 141uy; 252uy; 72uy; 224uy; 52uy; 198uy; 99uy; 86uy; 24uy;
63uy; 133uy; 78uy; 179uy; 34uy; 246uy; 7uy; 193uy; 221uy|]
val hashedPassword2 : byte [] =
[|130uy; 93uy; 100uy; 179uy; 200uy; 148uy; 12uy; 22uy; 159uy; 233uy; 81uy;
22uy; 180uy; 27uy; 241uy; 140uy; 151uy; 56uy; 7uy; 210uy; 55uy; 254uy; 5uy;
115uy; 8uy; 86uy; 11uy; 242uy; 12uy; 71uy; 131uy; 171uy|]
Lessons
Wrap .NET functions so that you can use partial application constructs.
Put the invariant parameters first in a function so that the function is suitable for partial
application.
Partial application is very powerful, allowing you to create function compositions that
reveal useful patterns, giving you clues as to further abstraction for creating robust
applications.
Partial application is one of functional programmings reuse strategies. Code for this
strategy.
Not to be repetitive, but make your functions as small as possible!
45
int sum = 0;
for (int i = 0; i < 10; i++)
{
sum += i;
}
Console.WriteLine(sum);
// 45
All of these C# examples require mutabilitythe value of sum is being incremented and is a
side effect of the computation expression.
Recursion is used in F# to avoid mutability. Yes, we could write this example in F# as (FSI
console):
> let summer =
let mutable sum = 0
for i in 1 .. 10 do
sum <- sum + i
sum
;;
val summer : int = 55
46
Instead, the functional programming way of working with iteration is to use recursion (FSI
console):
> let rec rec_summer n acc =
match n with
| 0 -> acc
| _ -> rec_summer (n-1) (acc+n)
rec_summer 9 0;;
val rec_summer : n:int -> acc:int -> int
val it : int = 45
This is an example of tail recursion. In computer science, a tail call is a subroutine call that
happens inside another procedure as its final action; it may produce a return value which is then
immediately returned by the calling procedure. The call site is then said to be in tail position, i.e.
at the end of the calling procedure. If any call that a subroutine performs, such that it might
eventually lead to this same subroutine being called again down the call chain, is in tail position,
such a subroutine is said to be tail-recursive which is a special case of recursion. Tail calls need
not be recursivethe call can be to another functionbut tail recursion is particularly useful,
and often easier to handle in implementations...Tail calls are significant because they can be
implemented without adding a new stack frame to the call stack...[I]n functional programming
languages, tail call elimination is often guaranteed by the language standard, and this guarantee
allows using recursion, in particular tail recursion, in place of loops.35
There are two things that make tail recursion difficult coming from imperative programming:
The previous example illustrates how to manually thread an accumulator through a recursion.
The F# list classes have many functions that do this for you automatically. For example, one
would normally have written (FSI console):
> let sumList list = List.fold (fun acc elem -> acc + elem) 0 list
sumList [1..9];;
val sumList : list:int list -> int
val it : int = 45
35
47
Or:
> let sumList2 list = List.reduce (fun acc elem -> acc + elem) list
sumList2 [1..9];;
val sumList2 : list:int list -> int
val it : int = 45
These examples take advantage of the List.fold36 and List.reduce37 functions. Realistically
though, sometimes multiple accumulators are required, or the operation on each item in a list
may require a manual tail recursion implementation for some reason.
The second kind of operation, operating on a list without needing an accumulator, often works
with the head and tail of a list. For example, simply printing the numbers in a list, we use a
match statement to test for an empty list; otherwise we use the syntax hd :: tl to extract the
head of the list and the remainder of the list, the tail (FSI console):
> let rec printList list =
match list with
| [] -> ()
| hd :: tl ->
printfn "%i" hd
printList tl
printList [1..3];;
1
2
3
As a side note, notice that since this function has a side effect (it merely prints numbers to the
console), when the list is empty, we are returning unit, expressed by the ().
36
List.fold: http://msdn.microsoft.com/en-us/library/ee353894.aspx
List.reduce: http://msdn.microsoft.com/en-us/library/ee370239.aspx
38
Tail Recursion: http://liangwu.wordpress.com/2010/07/17/the-basic-of-recursive-function-in-f/
37
48
}
public override Unit Invoke(FSharpList<int> list)
{
while (true)
{
if (fsharpList1.get_TailOrNull() != null)
{
// ...
}
else
break;
}
return (Unit) null;
}
}
If instead we have a pending operation (here created by printing the head last):
let rec printListNoTail list =
match list with
| [] -> ()
| hd :: tl ->
printListNoTail tl
printfn "%i" hd
Besides printing the list in reverse order, we note from the decompiled code that the compiler
has implemented it as a recursive call:
internal class printListNoTail : FSharpFunc<FSharpList<int>, Unit>
{
internal printListNoTail()
{
}
public override Unit Invoke(FSharpList<int> list)
{
// ...
this.Invoke(tailOrNull);
return // ... ;
}
}
This is not the desired implementation, as it is susceptible to stack overflows and will perform
poorly because of all the stack pushes and unwinding that will occur.
In order to implement tail recursion, the recursive call must be the last operation in the code
branch of the function or must return nothing (unit) or a value. Sometimes this can be difficult to
implement, which is where the interesting subject of continuation passing style (CPS) comes up.
49
for to39
for in40
while41
With the recursive implementation its much clearer what its doing and when, but it becomes
much harder to answer the question, How many times does this loop iterate? However, except
for a fixed number iterations (data independent), one should consider carefully the advantages
of using recursion over iteration.
50
have control logic such as a return or break embedded somewhere in the iteration, as well as
multiple exit processes. Using recursion, these behaviors are almost always either placed
outside of the recursive call or are made very explicit, usually by threading state through the
recursive call.
However, it is just as easily implemented with recursion, which in the opinion of the author has a
very nice explicitness to it, especially with regards to closing the reader, which the programmer
may otherwise forget (and still might in the F# implementation, but I think it does make it more
explicit):
// Replacing only showDataIter:
let showDataRec (reader : SqlDataReader) =
let rec showData (reader : SqlDataReader) =
match reader.Read() with
| true ->
let id = Convert.ToInt32(reader.["BusinessEntityID"])
let fname = reader.["FirstName"].ToString()
let lname = reader.["LastName"].ToString()
51
Well use the database reader example next when we look at working with collections.
Lessons
Learn the functions in the Collections.List module,42 as these will greatly reduce the
amount of recursion code you have to write yourself.
When thinking about recursion, ask yourself, Do I need to thread an accumulator
through the process? This affects the signature of the recursive function.
Make sure the last thing your recursive function does is call itselfthere should not be
any pending operations. Otherwise the compiler will not implement the recursion as a
loop and you will incur the overhead of function calls and stack usage and possibly
cause a stack overflow.
Tail recursion is so-called not because of the head :: tail syntax when working with
lists, but because the recursive call is in the tail position of the function.43
Collections
In order to ensure that the programmer doesnt accidentally mutate a collection, F# provides a
completely separate implementation of collections. In C#, we have the System.Collections
and System.Collections.Generic namespaces. F# gives us the
Microsoft.FSharp.Collections44 namespace, which implements immutable List, Array,
seq, Map, and Set collections.
Building collections
When building a list of items, the new item always appears first when using the cons (prepend)
:: operator. The reason is straightforward once you think about it. Given a list:
let list = [1; 2; 3]
let list2 = list :: 4
If we were to append an item to this list, we would be modifying the current list: the next item
for the entry 3 would need to be modified to now link to item 4.
Instead, we have to write:
42
52
This ensures that list doesnt mutate. In order to append an item to a list, we have to use the
concatenation operator (@) and put our new item into a second list:
let list = [1; 2; 3]
let list2 = list @ [4]
This can be a bit confusing to work with when coming from the mutable collection classes in the
System.Collections.Generic namespace, where we can operate directly on the list in a willynilly fashion.
We will first look at the iterative code in the previous section that reads the People data.
let createPersonListIter (reader : SqlDataReader) =
let mutable list = []
while reader.Read() do
let id = Convert.ToInt32(reader.["BusinessEntityID"])
let fname = reader.["FirstName"].ToString()
let lname = reader.["LastName"].ToString()
let person = {PersonID = id; FirstName = fname; LastName = lname}
list <- person :: list
reader.Close()
list
let db = openConnection "AdventureWorks2008"
let sql = "select top 5 BusinessEntityID, FirstName, LastName from Person.Person
order by FirstName"
let people = createReader db sql |> createPersonListIter
Notice in the previous code that the list variable must be mutable when we use iteration.
Iteration requires constantly pre-pending (we could have used concatenation also) the list with
new items and updating the variable that holds the list, forcing us to use a mutable list variable.
This is functional programming code smell.
53
The only way to solve this is with recursion where the list that were building is threaded through
the recursive calls:
let createPersonListRec (reader : SqlDataReader) =
let list = []
let rec getData (reader : SqlDataReader) list =
match reader.Read() with
| true ->
let id = Convert.ToInt32(reader.["BusinessEntityID"])
let fname = reader.["FirstName"].ToString()
let lname = reader.["LastName"].ToString()
let person = {PersonID = id; FirstName = fname; LastName = lname}
getData reader (person :: list)
| false ->
reader.Close()
list
getData reader list
let db = openConnection "AdventureWorks2008"
let sql = "select top 5 BusinessEntityID, FirstName, LastName from Person.Person
order by FirstName"
let people = createReader db sql |> createPersonListRec
Map applies a function to every item and returns a list of the results of each function call.
Reduce applies two arguments cumulatively such that the result is a single value
determined by the provided function.
Filter returns a list qualified by a test function that returns true or false.
We perform these operations implicitly all the time in imperative programming. With functional
programming, there are specific functions provided by the collection classes that implement the
map, reduce, and filter behaviors. With the advent of C# 3.0, we also have these functions
45
Map/Reduce/Filter in C#:
http://www.25hoursaday.com/weblog/2008/06/16/FunctionalProgrammingInC30HowMapReduceFilter
CanRockYourWorld.aspx
54
available to any collection that implements IEnumerable as Select, Aggregate, and Where,
respectively, and you might have already used them in LINQ expressions, for example.
Regardless of your familiarity with them in imperative .NET languages, you should take the time
to think about your list manipulations in terms of these three behavior patterns. You will
frequently see them combined using pipelining to return complex computational results.
Using the data returned from this SQL query (I removed the top 5):
let sql = "select BusinessEntityID, FirstName, LastName from Person.Person order by
FirstName"
We can see how we can apply filtering, mapping, and several other list operations:
let selectNames = createReader db sql
|> createPersonListRec
|> List.filter (fun r -> r.LastName.StartsWith("Cl"))
|> List.map (fun r -> r.LastName + ", " + r.FirstName)
|> List.sort
|> Seq.distinct
|> List.ofSeq
Lessons
55
Return something!
Even if you must write a function that results in a mutation or side effect and ideally you dont
need to return anything, consider what you might want to return so that you can take advantage
of function pipelining. Typically, one simply returns the same parameter that was passed into
the function. However, since you dont know how the caller is going to use your function,
program functionally so that the caller is not limited by your functions implementation.
56
Closures
Closure is a concept you should be familiar with already, as it plays an important role in lambda
expressions in C#. In programming languages, a closureis a function together with a
referencing environmenta table storing a reference to each of the non-local variables (also
called free variables or upvalues) of that function. A closureunlike a plain function pointer
allows a function to access those non-local variables even when invoked outside its immediate
lexical scope.46
For example, in C# we can demonstrate print the value of the lexical scope closure:
using System;
namespace Closures
{
delegate void Func();
class Program
{
static Func[] funcs = new Func[10];
static void CreateFuncs()
{
for (int i = 0; i < funcs.Length; i++)
{
int j = i;
// Create a lexical scope.
funcs[i] = () => Console.Write("{0} ", j);
}
}
static void Main(string[] args)
{
CreateFuncs();
for (int i = 0; i < funcs.Length; i++)
{
46
57
Closure: http://en.wikipedia.org/wiki/Closure_(computer_programming)
funcs[i]();
}
}
}
}
The previous code results in the same output (each number on a separate line). Closures are
relied upon frequently in functional programming because one is often creating partial function
applications that pass in values (or functions) that are part of the current lexical scope. One
should become very comfortable with closures in order to be proficient at functional
programming.
Discriminated unions
Discriminated unions provide support for values that can be one of a number of named cases,
possibly each with different values and types. Discriminated unions are useful for
heterogeneous data; data that can have special cases, including valid and error cases; data that
varies in type from one instance to another; and as an alternative for small object hierarchies. In
addition, recursive discriminated unions are used to represent tree data structures.47
You can think of discriminated unions as providing additional semantic meaning to a type, by
reading a discriminated union as something like A type that can be an x, a y, or a z (etc.)
where x, y, and z are of type a, b, and c, respectively. This does not hold true in all cases, as
we will see later.
47
58
Note that in Visual Studio 2013, we can assign labels to the types: 48
type Shape =
| Circle of radius : double
| Rectangle of width : double * height : double
For our purposes, well stay with the implementation of discriminated unions supported in Visual
Studio 2012.
Note that the closest construct in C# would be a class, as illustrated earlier.
We can then calculate the area of our shapes using a function and pattern matching on the
type:
let area shape =
match shape with
48
59
Since this function only does matching on a single parameter with lambda expressions for each
case, we use this shorthand syntax:
let area = function
| Circle r -> 3.14 * r * r
| Rectangle (w, h) -> w * h
We can then compute the areas of our two shapes (F# console):
> area
val it
> area
val it
(Circle(1.0));;
: float = 3.14
(Rectangle(2.0, 4.0));;
: float = 8.0
Comparing this to the C# code earlier, you could say that we have de-virtualized the class
hierarchy and explicitly implemented the equivalent of a virtual table.
The salient difference with C#s enumerations is that the case-identifiers (here Truck and
Car) are not assigned valuesthe identifier is just that, an identifier.
Can be self-referencing
type Assembly =
| Subassembly of string * Assembly
| Part of string
Here I am defining an assembly that can be either a sub-assembly that has a name and further
sub-assemblies, or the assembly can be the actual part, having a name.
60
This is one way of defining a binary tree. Note that the case-identifier Empty does not specify
any of-type informationit merely serves as a placeholder identifier, allowing us to construct
trees like this (F# console):
> let tree = Node( Node( Node(Empty, 1, Empty), 5, Empty), 10, Node(Empty, 20, Empty));;
val tree : Tree<int> =
Node (Node (Node (Empty,1,Empty),5,Empty),10,Node (Empty,20,Empty))
With this example we have constructed a small tree that looks like this:
Expression trees are another excellent example of where discriminated unions can be very
effective. This example, borrowed from MSDNs description of discriminated unions,49 illustrates
the concept:
type Expression =
| Number of int
| Add of Expression * Expression
| Subtract of Expression * Expression
| Multiply of Expression * Expression
| Divide of Expression * Expression
| Variable of string
Lessons
49
61
You can use discriminated unions in places where you would otherwise have used
object hierarchies.
Discriminated unions are a useful construct for indicating that the type-name consists
of specific identifiers, each of which can be of a different type.
Discriminated unions might seem like typeof() in C#, but theyre really not. Theyre
more like a lookupgiven an identifier name, this is its (optional) type.
Use discriminated unions to attach semantic meaning to a type. The additional semantic
meaning is used by the compiler to validate your computations.
Active patterns
Pattern matching is a common technique in functional programming languages. A match
expression looks a little like a case statement in an imperative language, but there are
significant differences. First, its an expression, not a statement. Second, in its most distinctive
form, each case represents an alternative way a value of the type of the value being matched
on could have been constructed, which provides a powerful generic way to take things of a
given type apart. In some languages, the compiler will tell you whether the cases are exhaustive
for the type or not. There are various extensions to the basic concept. A noteworthy one specific
to F# is active patterns.
Active patterns enable you to define named partitions that subdivide input data, so that you can
use these names in a pattern-matching expression just as you would for a discriminated union.
You can use active patterns to decompose data in a customized manner for each partition.50
Similar to a discriminated union in which we create identifiers that may or may not be associated
with types, with active patterns we can name partitions of a pattern in an active recognizer. For
example:
let (|Prefix|_|) (p:string) (s:string) =
if s.StartsWith(p) then
Some(s.Substring(p.Length))
else
None
This active recognizer will allow us to match the identifier Prefix when the prefix p is found at
the start of the string s. Incidentally this code is a partial active pattern because we dont care
what the rest (the _) of the string is.
We use the active recognizer in a match statement:
let activePatternTest s =
match s with
| Prefix "F#" rest -> printfn "Started with 'F#', rest is '%s'" rest
| Prefix "Is" rest -> printfn "Started with 'Is', rest is '%s'" rest
| _ -> printfn "Don't know what you're talking about."
50
62
This allows us to test for a particular pattern as determined by the active recognizer function.
So, for example, this is the output of three pattern-matching tests (F# console):
> activePatternTest "F# is great!"
activePatternTest "Is F# great?"
activePatternTest "Yes it is!";;
Started with 'F#', rest is ' is great!'
Started with 'Is', rest is ' F# great?'
Don't know what you're talking about.
You can use active patterns to decompose a value into different representations. For example,
lets say you want to decompose the result of a division into either the result itself or a quotient
and its remainder. We can write two active patterns (please note that for the following examples,
I am not dealing with division by zero):
let (|DivisionResult|) (numerator, divisor) = numerator / divisor
let (|QuotientRemainder|) (numerator, divisor) =
(numerator / divisor, numerator % divisor)
Now lets say we have two functions, and among other things, they will print the result either as
a floating point result or as a quotient and divisor:
let printResult numerator divisor =
match (numerator, divisor) with
| DivisionResult(r) -> printfn "Result = %f" r
let printQuotientDivisor numerator divisor =
match (numerator, divisor) with
| QuotientRemainder(q, d) -> printfn "Quotient = %d, Divisor = %d" q d
We can then call these two functions and obtain different results based on how we intend to
match the input with the active pattern (F# console):
> printResult 1.0 3.0;;
Result = 0.333333
val it : unit = ()
> printQuotientDivisor 1 3;;
Quotient = 0, Divisor = 1
val it : unit = ()
These two examples are certainly trivial. The real power of active patterns comes about when
combining several options in the match expression using partial active patterns. For example,
lets say that we do not want a match in the floating point division if the fractional part
(everything to the right of the decimal point) is more than two digits, so we use the quotientremainder format instead. First, lets write a small helper function to determine the length of the
fractional part:
63
let moreThanTwoDigits n =
let strN = n.ToString()
let idx = strN.IndexOf('.')
if idx > 0 then // Is there a decimal point?
let remainder = strN.Substring(idx)
remainder.Length > 3 // Including the '.', returning true or false.
else
false // No decimal point.
Next, we write a partial active pattern ending in the wildcard (_). This tells us its a partial pattern
and that we will be returning None or Some:
let (|DivisionResult|_|) (numerator: int, divisor: int) : float option =
let r = float(numerator) / float(divisor)
if moreThanTwoDigits r then
None
else
Some r
(The casting is used to force the function to accept only integers and to return an optional float.)
The quotient-remainder pattern stays the same (and it also is not a partial pattern):
let (|QuotientRemainder|) (numerator, divisor) =
(numerator / divisor, numerator % divisor)
Finally, we can write a function that prints the result based on the match with the active pattern:
let printResult numerator divisor =
match (numerator, divisor) with
| DivisionResult(r) -> printfn "Result = %f" r
| QuotientRemainder(q, d) -> printfn "Quotient = %d, Divisor = %d" q d
Here we can see that for 10/3, we fail to match the active pattern DivisionResult, but we do
match the active pattern QuotientRemainder.
64
Lessons
As with other concepts that weve already looked at (and will see again soon) the idea is
to invert the behavior of the function.
Instead of a complicated ifthenelse statement with all the logic built into it, we have
created reusable active patterns that can be applied in specific contexts.
Again, theres nothing here that cant be done in an imperative language like C#; its
simply that functional programming promotes more of a re-use style to programming (if
you use it correctly).
I could change the implementation of createReader to accept a continuation function and make
a call using CPS:
let selectNames = createReaderCps db sql createPersonListRec
Notice the pipeline (|>) token has disappeared and were providing the function to which we
want to pass the result. The createReaderCps function is then defined as:
open System
open System.Data
open System.Data.SqlClient
let createReaderCps (connection : SqlConnection) sql f =
let command = connection.CreateCommand()
command.CommandText <- sql
let result = command.ExecuteReader()
f result
Notice how the last action of the createReaderCps function is to invoke the provided function f
with the result of the ExecuteReader() call.
51
65
However, lets use continuations to specify what we want to do once we find the record. For this,
well create a function that takes two functions (the success and fail) as well as the key and
map:
let findRecord success fail key map =
let record = Map.tryFind key map
match record with
| None -> fail key
| _ -> success record
Now we can provide the behavior (inversion of control) for the success and failure states. A very
trivial example is printing the record value or not found:
> findRecord (fun r -> printfn "%A, %A" r.Value.LastName r.Value.FirstName)
(fun r -> printfn "not found")
1
nameMap;;
"Snchez", "Ken"
val it : unit = ()
> findRecord (fun r -> printfn "%A, %A" r.Value.LastName r.Value.FirstName)
(fun r -> printfn "not found")
1234
nameMap;;
66
not found
val it : unit = ()
(In this code Im de-optioning the result by using the Value property of the option, which is
generally not recommended, but in this case, because I know the function is only being called
with a matching record, I know that it is safe to implement in this way.)
Note: Because we are using a mutable structure, it is not thread-safe! The cache
dictionary should be locked before updating and retrieving items.
Next, we create a function that updates the cache given a Person record (which we defined in
Chapter 2). Note that this function returns the person record as well, which makes it easier to
use with pipelining and binding the record to a variable:
let updateCache p =
cache.[p.PersonID] <- p
p
Im going to create a helper function for constructing a Person record from the SqlDataReader;
this is intended to be used when we know we have only one record to read:
let createPersonRecord (reader : SqlDataReader) =
let id = Convert.ToInt32(reader.["BusinessEntityID"])
let fname = reader.["FirstName"].ToString()
let lname = reader.["LastName"].ToString()
{PersonID = id; FirstName = fname; LastName = lname}
Next, we write a function that will retrieve a single record from the database or throw an
exception. We will use this function when the get record from the cache fails. As this is an
example only, it uses a bit of brute force:
let getPersonFromDatabase id =
printfn "Querying database"
67
Now we can write our continuation function. Note how we require the function onFail as the
first parameter, which, if the record isnt in the cache, we call with the desired ID. This puts it on
the caller to provide the implementation for what to do when the record isnt in the cache, thus
turning the implementation inside-outinversion of control.
Also note the call to TryGetValue. In F#, out parameters are returned, along with the method
call result, in the form of a tuple. This is a very nice convenience because we can get both the
success state of the TryGetValue as well as the value if successful, without resorting to
reference types52or worse, a mutable type to receive the out value.
let getRecord onFail id =
let found, p = cache.TryGetValue(id)
match found with
| false -> onFail id
| true ->
printfn "From cache"
p
We can now take advantage of partial application by creating two partial functions: one that
handles getting data from the database in a connected environment, and one that simply
throws an exception in a disconnected environment:
let getRecordConnected = getRecord getPersonFromDatabase
let getRecordDisconnected = getRecord (fun _ -> failwith "not in cache")
52
68
LastName = "Eminhizer";}
> getRecordDisconnected 21;;
From cache
val it : Person = {PersonID = 21;
FirstName = "Terry";
LastName = "Eminhizer";}
> getRecordDisconnected 22;;
System.Exception: not in cache
Note that the first call to getRecordConnected queries the database for ID 21, and the second
call gets the record from the cache. Note also how, in the disconnected state, we can only get
records from the cacheotherwise an exception is thrown.
Lessons
Continuation passing style is a powerful technique for allowing the caller to define how
the function continues processing, rather than embedding the processing in the function
itself.
Rethink object hierarchies, where functions are overridden because different behavior is
required, using CPS instead.
Look at your functions and consider what parts could be extracted using CPS to make
your program more adaptable to the developers needs.
Combine CPS with partial function application to create re-usable behaviors.
The second half treeSize right 0 is a bit non-intuitivewe increment the accumulator
because we have a node. It doesnt matter whether we do this when recursively calling to
process a left branch or a right branch; we just dont do it for both left and right recursive calls
otherwise we will get double the count.
53
69
When we call it using our small tree defined earlier, we see that we get four nodes (F# console):
let tree = Node(Node(Node(Empty, 1, Empty), 5, Empty), 10, Node(Empty, 20, Empty))
getTreeSize tree;;
val getTreeSize : tree:Tree<'a> -> int
val tree : Tree<int> =
Node (Node (Node (Empty,1,Empty),5,Empty),10,Node (Empty,20,Empty))
val it : int = 4
The problem is, this call is not tail-recursive, so we run the risk of a stack overflow.
To make this tail-recursive, we have to use CPS to pass in the continuation operation:
let getTreeSizeRec tree =
let rec treeSize tree f =
match tree with
| Empty -> f 0
| Node (left, x, right) ->
treeSize left (fun lacc ->
treeSize right (fun racc ->
f (lacc + racc + 1)
)
)
treeSize tree (fun x -> x)
Here we are using double-recursion with left and right accumulators in a CPS to create a tailrecursive function. This is not easy to wrap ones head around, so lets put in some trace
statements and see how this is working:
let getTreeSizeRec tree =
let rec treeSize depth caller tree f =
printfn "Depth: %d
Caller: %s" depth caller
match tree with
| Empty ->
printfn "Empty"
f 0
| Node (left, x, right) ->
printfn "Node: %d" x
treeSize (depth+1) "left" left (fun lacc ->
printfn "lacc: %d, x: %d" lacc x
treeSize (depth+1) "right" right (fun racc ->
printfn "lacc: %d, x: %d, racc: %d, returning = %d" lacc x
racc (lacc+racc+1)
f (lacc + racc + 1)
)
)
treeSize 0 "root" tree (fun x -> x)
70
We now have a better understanding of how this function works. Refer to Appendix A for a
complete stack trace based on the previous output. The magic of this code happens in-line
with that call to f with the sum of the left accumulator + the right accumulator + 1.
treeSize left (fun lacc -> treeSize right (fun racc -> f (lacc + racc + 1)
A very simple example will hopefully suffice to illustrate this: when the function is called with a
single node (Empty, 10, Empty):
The left side is Empty, so the function passed in is evaluated with the parameter 0,
resulting in the inner function being called:
71
The right side is Empty, so the function passed in is evaluated with the parameter 0,
resulting in the inner function being called:
With a more complicated tree, f is the function passed into each recursive call, thus each
recursion nests the computation for the argument of fun lacc or fun racc. Once the function
can evaluate, the value becomes the input for the previously nested function. Again, the trace in
Appendix A should make this clearer, and I have illustrated the trace using a pseudo-stack for
the functiononce the innermost function evaluates, the stack is popped and the value is
supplied as the parameter to the previous function on the stack.
This results in a generalized tree fold operation. The previous computation, counting leaves,
can now be passed in as part of the call:
let treeSize = foldTree (fun lacc _ racc -> lacc + racc + 1) tree
We can pass in other computations, for example, adding all the values of the tree, given that a
is of type integer:
let nodeSum = foldTree (fun lacc x racc -> lacc + x + racc) tree
72
> let nodeSum = foldTree tree (fun lacc x racc -> lacc + x + racc);;
val nodeSum : int = 36
The magic here (besides being an excellent example of higher-order functions) is in the
meaning of accumulatorin the first case, its an incrementing count, and in the second case,
its a sum.
Lastly, we can employ a partial function application to create re-usable functions:
let getTreeSize<'a> = foldTree (fun lacc (x : 'a) racc -> lacc + racc + 1)
let getSumOfNodes = foldTree (fun lacc x racc -> lacc + x + racc)
Notice in this code example that we have to specify the type for the getTreeSize function, as
the type cannot be inferred since it isnt used in the computation!
It is an extremely useful construct when seeding the call to a recursive function that requires
an initial function. This construct is so useful that it is actually an operator:54
id
You can use id anywhere you would otherwise explicitly write (fun x -> x).
Lessons
54
73
CPS is a necessary tool to ensure tail recursion when working with multi-path
recursion, such as trees.
Learn to invert your thinking about functionslook at whats inside the function and
see if you want to expose it on the outside.
Write your functions with partial application in mind: what are the re-use parameters
and the highly varying parameters? The re-use parameters should go first so that
partial function applications can be easily defined, therefore promoting function re-use.
For further fun (pun intended) take a look at Catamorphisms, part two.55
Familiarize yourself with the basic F# operators.56 This can save you a lot of time when
trying to figure out someone elses code.
Computation expressions
The time has come to deal with the m wordmonads. Computation expressions in F# provide
a convenient syntax for writing computations that can be sequenced and combined using
control flow constructs and bindings. They can be used to provide a convenient syntax for
monads, a functional programming feature that can be used to manage data, control, and side
effects in functional programs.57
But what is a monad?
In functional programming, a monad is a structure that represents computations defined as
sequences of steps. A type with a monad structure defines what it means to chain operations, or
nest functions of that type together. This allows the programmer to build pipelines that process
data in steps, in which each action is decorated with additional processing rules provided by the
monad. As such, monads have been described as "programmable semicolons"; a semicolon is
the operator used to chain together individual statements in many imperative programming
languages, thus the expression implies that extra code will be executed between the statements
in the pipeline. Monads have also been explained with a physical metaphor as assembly lines,
where a conveyor belt transports data between functional units that transform it one step at a
time.58
One of the uses for a monad is to retain state without resorting to mutable variables. In this
section, we will attempt to wrap our heads around computation expressions and monads as this
ends up being a real mind-bender, especially coming from an imperative programming lifestyle.
Also, monads have important uses with regard to functional programming and really have no
equivalent (except loosely in terms of aspect-oriented programming) in the imperative world.
Continuations, again
Continuations are a key aspect of computation expressions. First off, when we write the
following:
let a = 5
let b = 6
let c = a + b
55
74
We need to realize that this is already a shorthand for the verbose in syntax:59
let a = 5 in
let b = 6 in
let c = a + b
c |> ignore
If we now pipe the value into a function of the same name as the identifier, we can rewrite the
previous code using CPS:
let n = 5 |> (fun a ->
6 |> (fun b ->
a + b |> (fun c -> c)))
But now, lets make this more interesting by actually writing a function for the pipeline operator.
The pipeline operator is defined as |> x f = f x. In other words, f is called with the
parameter x. We can write our own pipeline operator as a function easily enough:
let pipeFnc x f =
f x
But wait! We can now introduce additional computations in pipeFnc! For example, we can log
the values of x:
let pipeFnc x f =
printfn "x = %d" x
f x
When we now call our converted let statements, we get (F# console):
let n = pipeFnc 5 (fun a ->
pipeFnc 6 (fun b ->
pipeFnc (a+b) (fun c -> c)));;
x = 5
x = 6
x = 11
59
75
val n : int = 11
We have successfully added additional code that does something behind the scenes and
represents a very simple example of a computation expression workflow.
A Logger monad
If instead we move these operations into a class and use the F# computation expression
syntactical sugar names, we would start with a class type that defines methods that control how
the expression executes. This class type is known as a builder type and is usually given a
builder name:
// Define the builder type, which is a class type.
type LoggerBuilder() =
// Define the custom operation.
let log x = printfn "x = %d" x
// Called for let! (as well as do!)
member b.Bind(x, f) =
log x
f x
// Called for "return".
member b.Return(x) =
x
Using a de-sugared syntax so that the use of our LoggerBuilder class looks similar to how we
were using the pipeFnc before, we can write:
let logger = new LoggerBuilder()
let n = logger.Bind(5, fun a ->
logger.Bind(6, fun b ->
logger.Bind(a + b, fun c -> logger.Return(c))))
The usage is equivalent to our CPS version, except that we are using member functions of a
class and results in the same output, and the result exactly matches our CPS version.
Now lets look at the sugared syntax:
// Construct the logger.
let logger = new LoggerBuilder()
let loggedWorkflow =
logger
// Using the LoggerBuilder...
{
let! a = 5
// Bind and compute expression.
let! b = 6
// Bind and compute expression.
let! c = a + b
// Bind and compute expression.
return c
// Return c.
76
We will also need a divideBy function that returns None if dividing by zero, or Some n to
represent the result:
let divideBy numerator divisor =
match divisor with
| 0 -> None
| n -> Some (numerator / n)
77
};;
val mayBeDivided : int option = Some 2
Again, this is just syntactical sugar for a continuation passing style of writing a workflow. One
interesting thing about the Maybe monad that is not to be overlooked is that once the
computation is deemed to be invalid (it returns None), the workflow stops.
A State monad
A state monad does not solve the overall issue of maintaining state throughout the lifetime of
the application. For this, the mutable dictionary from the System.Collections.Generic
namespace is one solution. Rather, a state monad maintains state within a specific workflow. I
will take a simple example of generating pseudo-random numbers60 (manually!), using a
multiply with carry method. A mutable implementation in F# would look like this:
let mutable m_w = 1
let mutable m_z = 2
let getRandom a b =
m_z <- (36969 * (a &&& 65535) + (a >>> 16))
m_w <- (18000 * (b &&& 65535) + (b >>> 16))
uint32((m_z <<< 16) + m_w)
78
When we convert this to an immutable form, we need to always return the new state along with
the new random number:
let getRandomImmutable state =
let m_z = (36969 * (fst state &&& 65535) + (fst state >>> 16))
let m_w = (18000 * (snd state &&& 65535) + (snd state >>> 16))
let newRand = uint32((m_z <<< 16) + m_w)
printfn "%d" newRand
newRand, (m_z, m_w)
It certainly is inconvenient to have to extract the value from the tuple and pass on the state
every time we make this function call.
To create a state monad, we will first define an operator that allows us to chain functions
together. Why? Because getRandomImmutable is a function taking a state and returning a
value and a state, and what were doing in the previous code by always passing in the new state
to get the next random number is a manual form of chaining the function calls. Heres our new
operator:
let (>>=) x
(fun s0
let
f v
f =
->
v, s = x s0
s)
// Note! Continuation passing style!
This operator is borrowed from the functional programming language Haskell, which defines this
operator as Monad sequencing operator with value passing. Here, x is function that returns a
value and a new state given the initial state, s0. The operator is a partial function application
because it is provided with x and the next function in the chain, but it isnt given s0, the initial
state.
79
And lets pretend that x is this function (see how it is returning a tuple, a value, and the next
state):
let p = (fun t -> t * 10, t + 1)
Here we have a state system that returns 10 times the current state value and the state
incremented by 1.
The next state in the >>= operator is to apply the function f, which is on the right-side of the
operator. We can do some useful things here:
let getState = (fun v s -> s)
let getValue = (fun v s -> v)
Now, the trick here is that we want the continuation function f to have the right signature so that
we can continue to use the >>= operator in our monadic sequence. Well, what would this be?
Its a function that takes a value and returns the function that performs the computation, in other
words, p. So we can write this:
let q v =
printfn "%d" v
p
80
10
20
val it : int = 30
In other words, p evaluates with the value of 1, calls q which returns the partial function
application of p, whose call is finished by the caller f v s. We could explicitly specify the state
parameter as well:
let q v s =
printfn "%d" v
p s
The Bind function is itself bound to the function we created earlier: a function that takes a state
and returns a function that takes a value and a state. Thus, Bind is a function that takes a
function accepting a state and returning a state and a value, which is passed to a function taking
a value and a state.
That last part is where the continuation passing style comes into effect, allowing us to chain the
function calls to getRandomImmutable.
The de-sugared call using the StateBuilder looks like this (note how its in the same
continuous passing style form as all our previous monads):
let state = new StateBuilder()
let printRandoms = (1, 2) |>
81
Here, we start with a seed state that is passed to our monad sequence function, which returns
a value and a state. The value is a (or b, or c) and the state value completes the partial
application of the next call, which is again a function that takes a state and returns a value and a
state. Again, if we wanted to be explicit about how state is being handled, we could write:
let randoms2 = (1, 2) |>
state.Bind(getRandomImmutable, fun a s ->
s |> state.Bind(getRandomImmutable, fun b s ->
s |> state.Bind(getRandomImmutable, fun c s -> s |> state.Return 0)));;
But its the partial function application syntax that allows us to easily translate the first CPS
example to the sugared computation expression:
let printRandomValues =
state {
let! a = getRandomImmutable
let! b = getRandomImmutable
let! c = getRandomImmutable
return 0
}
Observe the final return from the call to computeRandomValues. Its a tuple with our return value
of 0 and the current state of the random number generator. Simply printing a result isnt very
useful (and its a side effect, actually), so lets modify this function slightly to return a list of
random values:
let computeRandomValues =
state {
let! a = getRandomImmutable
let! b = getRandomImmutable
let! c = getRandomImmutable
return a :: b :: c :: []
};;
82
And now the result (having commented out the printfn statement in getRandomImmutable) is
a list of our three random numbers from the initial seed (F# console):
> fst (computeRandomValues (1, 2));;
// Throw away the final state.
val it : uint32 list = [2422836384u; 1907405312u; 3696412319u]
Hopefully these exercises have demystified monads and computation expressions. There are
several more behaviors that a computation expression sugars that you can explore further on
the MSDN pages on this topic.
Lessons
83
When composing a workflow, the first step is to rewrite the workflow in a continuation
passing style. This may involve helper functions such as the function defined by the
operator >>= to make your continuation calls more readable.
Once the workflow is behaving correctly in a continuation passing style syntax, you can
easily translate it to a sugared computation expression.
Lets review one key part of the definition of a monad: A type with a monad structure
defines what it means to chain operations, or nest functions of that type together.
Computation expressions are a way of writing workflows in a sugared syntax.
Computation expressions are not monadsthey are a sugared syntax for implementing
monads in a workflow. This is an important differentiationoften, you will see monads
aka computation expressions in the online literature, which is not accurate.
When first encountering the state monad, one might think, Ah, this is how you preserve
state in an F# program. That is not correct; the state monad allows you to preserve
state within a workflow.
Monads are a great way to create workflows where you have to manage data, control
logic, and state (side effects). Whenever you encounter the need to perform a workflow
(such as reading data from a database, a file stream, and so forth) you will most likely
want to take advantage of monads and the CPS that is fundamental to the monad
pattern. The computation expression syntax provided in F# makes defining and working
with monads much more syntactically comprehensible, thus allowing you to write
workflows that would otherwise require mutable members to preserve state.
84
Calling F# from C#
Unfortunately, the code generated in this example is not really what we wantVisual Studio has
created an imperative-style class template for us in F#, when what we want is a functional
programming template. So, replace the generated code first with a module name. We do this
because let statements, which are static, require a module that is implemented by the compiler
as a static class. So instead, we can write, for example:
module FSharpLib
let Add x y = x + y
We got rid of the stub class as well, and created a simple function that we can call from C#. If
you leave off the module name, the module name will default to the name of the file, which in
our case would be Library1.
If you need to use a namespace to avoid naming conflicts, you can do so like this:
namespace fsharp_demo_lib
module FSharpLib =
let Add x y = x + y
Note that the = operator is now explicitly required. This is because when combined with a
namespace, the module is now local within that namespace rather than top-level.61 In the C#
code, we have to add a using fsharp_demo_lib; statement or reference the namespace
61
85
Modules: http://msdn.microsoft.com/en-us/library/dd233221.aspx
You will notice that the IDE flags this as an unknown class and IntelliSense does not work. You
always need to build the solution when making changes in the F# code before those changes
will be discovered by the IDE on the C# side.
Finish the test case in the constructor:
public Form1()
{
int result = FSharpLib.Add(1, 2);
MessageBox.Show("1 + 2 = " + result);
InitializeComponent();
}
When we run the application, a message box first appears with the result. Congratulations,
weve successfully called F# from C#.
Calling C# from F#
We may also want to go the other direction, calling C# from our F# code. Weve already seen
numerous examples of this, but lets say you want to call some C# code in your own application.
As with any multi-project solution, we cant have circular references, so this means that you
have to be cognizant of the structure of your solution, such that common code shared between
C# and F# projects must go in its own project.
The next question is whether you want to call C# code in a static or instance context. A static
context is similar to calling F# code. First, simply create a static class and some static members:
86
namespace csharp_demo_lib
{
public static class StaticClass
{
public static void Print(int x, int y)
{
MessageBox.Show("Static call, x = " + x + " y = " + y);
}
}
}
And in the F# code, we add a reference to the C# library and use the open keyword (equivalent
to the using keyword in C#) to reference the namespace:
module FSharpLib
open csharp_demo_lib
let Add x y =
StaticClass.Print(x, y)
x + y
Conversely, we can instantiate a C# class and manipulate its members in a mutable context, as
well as call methods. For example:
namespace csharp_demo_lib
{
public class InstanceClass
{
public void Print()
{
MessageBox.Show("Instance Call");
}
}
}
And in F#:
module FSharpLib
open csharp_demo_lib
let Add x y =
let inst = new InstanceClass()
inst.Print()
StaticClass.Print(x, y)
x + y
87
The back-end
Lets start by writing the F# back-end and incorporate some simple unit tests62 (written in F#!)
using xUnit63 in a test-driven development64 process, as this also illustrates how to write unit
tests for F#. Were using xUnit instead of nUnit because, at the time of this writing, nUnit does
not support .NET 4.5 assemblies, whereas the xunit.gui.clr4.exe test runner does.
Establishing a connection
Well start with a unit test that verifies that a connection is established to our database, and if we
give it a bad connection string, we get a SqlException:
module UnitTests
open
open
open
open
System.Data
System.Data.SqlClient
Xunit
BackEnd
type BackEndUnitTests() =
[<Fact>]
member s.CreateConnection() =
let conn = openConnection "data source=localhost;initial
catalog=AdventureWorks2008;integrated security=SSPI"
62
88
Assert.NotNull(conn);
conn.Close
[<Fact>]
member s.BadConnection() =
Assert.Throws<SqlException>(fun () ->
BackEnd.openConnection("data source=localhost;initial
catalog=NoDatabase;integrated security=SSPI") |> ignore)
Note that we have to explicitly pipe the result of a function that returns something to ignore.
The supporting F# code:
module BackEnd
open System.Data
open System.Data.SqlClient
// Opens a SqlConnection instance given the full connection string.
let openConnection connectionString =
let connection = new SqlConnection()
connection.ConnectionString <- connectionString
connection.Open()
connection
Note the use keyword,65 which will automatically call Dispose when the variable goes out of
scope.
The supporting F# code follows. Note that one of the best practices in writing F# code is to write
functions as small as possible and extract behaviors into separate functions:
65
89
A discriminated union so we can have a lookup table for our SQL statements.
A function that returns the desired SQL statement given the desired type. This could be
easily replaced with, say, a lookup from an XML file.
A function for returning a SqlCommand instance given a connection and the query
name.
A function that implements a recursive reader.
The getTables function, which returns a list of table names.
Before we conclude with the reading of the databases user tables, lets write a function that
maps the F# list to a System.Collections.Generic.List<string>, suitable for consumption
by C#. Again, we could use the F# types directly in C# by including the FSharp.Core
assembly. This conversion is done here merely as a matter of convenience. Heres a simple unit
test:
[<Fact>]
90
member s.toGenericList() =
use conn = s.CreateConnection()
let tables = BackEnd.getTables conn
let genericList = BackEnd.tableListToGenericList tables
Assert.Equal(genericList.Count, tables.Length)
Assert.True(genericList.[0] = tables.[0].tableName)
Also, the function that returns the query needs to be smarter, substituting table name for certain
queries based on an optional table name parameter:
let getSqlQuery query (tableName : string option) =
match query with
| LoadUserTables -> "select s.name + '.' + o.name as table_name from
sys.objects o left join sys.schemas s on s.schema_id = o.schema_id where type_desc
= 'USER_TABLE'"
| LoadTableData ->
match tableName with
91
And we need to be able to read the schema for the table (note the required explicit casting to an
Object[]):
let readTableSchema (cmd : SqlCommand) =
let schema = readTableData cmd
List.map(fun (c) -> {columnName = (c : Object[]).[0].ToString()}) schema |> List.rev
And lastly, we have the function that loads the data, returning a tuple of the data and its
schema:
let loadData (conn : SqlConnection) tableName =
let data = getCommand conn LoadTableData (Some tableName) |> readTableData
let schema = (getCommand conn LoadTableSchema (Some tableName) |> readTableSchema)
(data, schema)
Now, if you were paying attention, youll have noticed that the functions readTableNames and
readTableData are almost identical. The only difference is how the list is constructed. Lets
refactor this into a single reader in which we pass in the desired function for parsing each row to
create the final list:
92
// Reads all the records and parses them as specified by the rowParser parameter.
let readData rowParser (cmd : SqlCommand) =
let rec read (reader : SqlDataReader) list =
match reader.Read() with
| true -> read reader (rowParser reader :: list)
| false -> list
use reader = cmd.ExecuteReader()
read reader []
We now have a more general-purpose function that allows us to specify how we want to parse a
row. We now create a function for returning a TableName record:
// Returns a table name from the current reader position.
let getTableNameRecord (reader : SqlDataReader) =
{tableName = (reader.[0]).ToString()}
And we also refactor reading the table schema and the tables records:
// Returns a list of ColumnName records representing the field names of a table.
let readTableSchema (cmd : SqlCommand) =
let schema = readData getFieldValues cmd
List.map(fun (c) -> {columnName = (c : List<Object>).[0].ToString()}) schema |> List.rev
// Returns a tuple of table data and the table schema.
let loadData (conn : SqlConnection) tableName =
let data = getCommand conn LoadTableData (Some tableName) |> readData getFieldValues
let schema = (getCommand conn LoadTableSchema (Some tableName) |> readTableSchema)
(data, schema)
Here we are taking advantage of partial function applicationweve easily refactored the reader
to be more general purpose in parsing each row. This took about five minutes to do, and with
our existing unit tests we were able to verify that our changes didnt break anything.
93
So, the final step is to populate a DataTable with our F# rows and table schema information,
which well do in F#. First though, we should create a unit test that ensures some things about
our DataTable:
[<Fact>]
member s.ToDataTable() =
use conn = s.CreateConnection()
let data = BackEnd.loadData conn "Person.Person"
let dataTable = BackEnd.toDataTable data
Assert.IsType<DataTable>(dataTable) |> ignore
Assert.Equal(dataTable.Columns.Count, (snd data).Length)
Assert.True(dataTable.Columns.[0].ColumnName = "BusinessEntityID")
Assert.Equal(dataTable.Rows.Count, (fst data).Length)
The implementation in F# involves three functions: setting up the columns, populating the rows,
and a function that calls both of those steps and returns a DataTable instance:
// Populates a DataTable given a ColumnName List, returning
// the DataTable instance.
let setupColumns (dataTable : DataTable) schema =
let rec addColumn colList =
match colList with
| hd::tl ->
let newColumn = new DataColumn()
newColumn.ColumnName <- hd.columnName
dataTable.Columns.Add(newColumn)
addColumn tl
| [] -> dataTable
addColumn schema
// Populates the rows of a DataTable from a data list.
let setupRows data (dataTable : DataTable) =
// Rows:
let rec addRow dataList =
match dataList with
| hd::tl ->
let dataRow = dataTable.NewRow()
// Columns:
let rec addFieldValue (index : int) fieldList =
match fieldList with
| fhd::ftl ->
dataRow.[index] <- fhd
addFieldValue (index + 1) ftl
| [] -> ()
addFieldValue 0 hd
dataTable.Rows.InsertAt(dataRow, 0)
addRow tl
| [] -> dataTable
addRow data
// Return a DataTable populated from our (data, schema) tuple.
94
The front-end
Now were ready to write the front-end. Well create a simple layout of two GridListControl
controls:
95
When a table is selected, we get the DataTable from our F# code and set the grids
DataSource property.
private void gridTableList_SelectedValueChanged(object sender, EventArgs e)
{
if (gridTableList.SelectedValue != null)
{
string tableName = gridTableList.SelectedValue.ToString();
DataTable dt;
using (var conn = BackEnd.openConnection(connectionString))
{
Cursor = Cursors.WaitCursor;
var data = BackEnd.loadData(conn, tableName);
dt = BackEnd.toDataTable(data.Item1, data.Item2);
Cursor = Cursors.Arrow;
}
gridTableData.DataSource = dt;
}
}
This gives us a nice separation between the front-end user interface processes and the backend database interaction, resulting in a simple database navigator.
96
97
Conclusion
Visual F# is a strongly-typed, functional-first programming language for writing simple code to
solve complex problems using Visual Studio and the .NET Framework. F# is designed to reduce
the time-to-deployment and complexity of software components such as calculation engines and
data-rich analytical services in the modern enterprise.66
We hear these words reduce time and reduce complexity so often that they are essentially
meaningless now. And rightly so, as there are very few technologies beyond the toaster that
actually save time and reduce complexitymost tend to push time and complexity management
onto something else, and, as with any programming language, that something else is the skill
of the developer.
Sure, I was writing my first object-oriented C++ application a couple weeks into reading Bjarne
Stroustrups The C++ Programming Language, but was I doing it well? Certainly not. When I
started doing C# development, I was eagerly looking forward to features like reflection that
didnt exist in C++ and griping about the lack of templates at the same time. But again, the
nuances of working with interfaces, events, and so forth were skills I had to learn. Happily, I
started working in C# near the point of its inception and so my skills have been able to evolve
with the language, writing LINQ, lambda expressions, and other concepts found in C# 4.0 and
5.0.
C# 3.0 was the introduction of functional programming, with the inclusion of lambda expressions
and query expressions. And it looks like C# 6.0 will continue adding functional programming
style support with the addition of property and method expressions.
No functional programming language is easy to learn. Functional programming languages tend
to be very symbol rich, which sometimes makes it difficult to understand even a single line of
code. Reading the definition of a function type is also non-trivial, and while type inference can
be a big help, it can also make it confusing.
So if you want to reduce time and complexity in the application development process, you must
develop an intimate knowledge of the language. And with functional programming languages
like F#, this means not just learning the syntax, but learning to think differently as well. Hopefully
this book has provided some guidance on that issue.
There are two aspects of functional programming that have the potential to reduce development
time, and both are a direct result of immutability. The first, a lack of side effects, means that
functions are potentially provably correct mathematical equations. Given the same inputs, a
function will return the same results. There are no side effects on other functions with which to
be concerned, and each function is itself not subject to side effects. In my opinion, side effects,
and more generally state management, are some of the most difficult things to adequately test
for, resulting in the oft-heard phrase I have no idea why it did that. The second result of
immutability is the ease in which it becomes possible to write multitasking, asynchronous
66
98
operations. Mutable structures require synchronization. With languages like F#, synchronization
is not an issue because structures are not mutable.
In both of these cases, the language itself promotes a coding style that directly affects
implementation, resulting in a natural correctness of the application and the ability to easily
perform operations asynchronously. As computers are produced with more physical and virtual
processors and as programmers start to take advantage of the massive parallel processing
streams in a GPU, having a language that implicitly results in correctness and supports
asynchronous computation is critical for the upcoming tasks of data mining and the live
processing of multiple information streams.
This, in my opinion, is the foremost advantage of a functional programming language like F#,
and is a sufficient reason to learn how to think functionally.
99
Appendix A
Stack trace of tree recursion:
Iteration
"Stack"
Evaluates as:
Depth: 0 Caller: root
x -> x
Node: 10
----------------------------------------------------------------------------------------------Depth: 1 Caller: left
x -> x
lacc -> racc -> f (lacc + racc + 1)
Node: 5
----------------------------------------------------------------------------------------------Depth: 2 Caller: left
x -> x
lacc -> racc -> f (lacc + racc + 1)
lacc -> racc -> f (lacc + racc + 1)
Node: 1
----------------------------------------------------------------------------------------------Depth: 3 Caller: left
x -> x
lacc -> racc -> f (lacc + racc + 1)
lacc -> racc -> f (lacc + racc + 1)
lacc -> racc -> f (lacc + racc + 1)
Empty
racc -> f (0 + racc + 1)
lacc: 0, x: 1
----------------------------------------------------------------------------------------------Depth: 3 Caller: right
x -> x
lacc -> racc -> f (lacc + racc + 1)
lacc -> racc -> f (lacc + racc + 1)
racc -> f (0 + racc + 1)
Empty
f (0 + 0 + 1)
lacc: 0, x: 1, racc: 0, returning = 1
racc -> f (1 + acc + 1)
lacc: 1, x: 5
----------------------------------------------------------------------------------------------Depth: 2 Caller: right
x -> x
lacc -> racc -> f (lacc + racc + 1)
racc -> f (1 + racc + 1)
Empty
f (1 + 0 + 1)
lacc: 1, x: 5, racc: 0, returning = 2
lacc: 2, x: 10
----------------------------------------------------------------------------------------------Depth: 1 Caller: right
x -> x
racc -> f (2 + racc + 1)
100
Node: 20
----------------------------------------------------------------------------------------------Depth: 2 Caller: left
x -> x
racc -> f (2 + racc + 1)
lacc -> racc -> f (lacc + racc + 1)
Empty
racc -> f (0 + acc + 1)
lacc: 0, x: 20
----------------------------------------------------------------------------------------------Depth: 2 Caller: right
x -> x
racc -> f (2 + racc + 1)
racc -> f (0 + racc + 1)
Empty
f (0 + 0 + 1)
lacc: 0, x: 20, racc: 0, returning = 1 x -> x
f (2 + 1 + 1)
4 -> 4
lacc: 2, x: 10, racc: 1, returning = 4
101