Type Definitions, Classes and Objects
Type Definitions, Classes and Objects
Defining Records
The simplest concrete type definitions are records. Here’s our first example:
type Person =
{ Name: string;
DateOfBirth: System.DateTime; }
Record values may be constructed simply by using the record labels:
> let bill = { Name = "Bill"; DateOfBirth = new System.DateTime(1962,09,02) }
val bill : Person = { Name="Bill"; DateOfBirth = 02/09/1962 }
Records values may also be constructed by using the following more explicit syntax, which
names the type should there be a conflict between labels amongst multiple records:
Here is the type of stats and how F# Interactive shows the results of applying the function:
The accesses to the labels X and Y in the first two definitions have been resolved using the
type information provided by the type annotations. The accesses in the third definition have
been resolved using the default intepretation of record field labels in the absence of any other
qualifying information.
The function fetch takes two arguments: one a mutable “tracker” record used to accumulate
statistics and the other the URL to access. Programming with mutable data structures is
covered in more detail in Chapter TECHNIQUES.
Cloning Records
Records support a convenient syntax to clone all the values in the record, creating a new
value, with some values replaced. Here is a simple example:
type Point3D = { X: float; Y: float ; Z : float }
let p1 = { X=3.0 ; Y=4.0 ; Z=5.0 }
type Shape =
{ Scale: float -> unit;
Draw: Graphics -> unit }
Record values are implemented using record expressions:
let Rect(top,left,bottom,right) =
let state = ref (new Rectangle(top,left,bottom,right))
let scale{n} =
let r = !state in
state := new Rectangle(truncate r.Top,...)
let draw(g:Graphics) = ...
{ Scale=scale;
Draw=draw }
let Circle(top,left,bottom,right) =
let state = ref (new Rectangle(top,left,bottom,right))
let scale{n} =
let r = !state in
state := new Rectangle(truncate r.Top,...)
let draw(g:Graphics) = ...
{ Scale=scale;
Draw=draw }
let r1 = Rect(...)
let r2 = Circle (...)
let f = new Form()
let t = new Timer()
t.Interval <- 10
f.Paint.Add(fun evArgs -> ...)
The above is an example of using records to define “abstract values”. Abstract values are
simply values that might in theory have many different possible underlying implementations,
which means that both the code and data associated with a value is not immediately known
from the static type of the value. We’ve already seen several examples of this, e.g. function
values of types such as int -> int are a very simple kind of abstract value. Well-designed
abstract types are often compositional.
Several of the types we’ve already met are defined as discriminated unions. For example, the
'a option type is defined as follows:
Recursive functions are required to define the semantics of this kind of type. For example:
let rec eval (p: Proposition) =
match p with
| True -> true
| And(p1,p2) -> eval p1 && eval p2
| Or (p1,p2) -> eval p1 or eval p2
| Not(p1) -> not (eval p1)
Here is an example of a constructed tree term and the use of the size function:
Constructors are introduced by the new keyword, and all class values are ultimately
constructed through constructors. These can enforce sophisticated checks and can be
composed with the construction semantics of any inherited class. (In contrast, records are
ultimatley constructed by record expressions that initialize all the fields of the record, and
records do not support inheritance.) For example, the following defines a vector type that
both checks its arguments are positive and pre-computes the length of the vector.
type PositiveVector2D =
class
val DX: float
val DY: float
val Length: float
new(dx,dy) =
if dx < 0.0 || dy < 0.0 then failwith "not positive";
{ DX=dx; DY=dy; Length=sqrt(dx*dx+dy*dy) }
end
Constructors must initialize all fields of the class but can be preceded by a sequence of
checks as above. They may also include a block that gets executed after the initialization of
the fields of the class by adding then followed by an expression at the end of the constructor.
type Vector2D =
class
val DX: float
val DY: float
val mutable computedLength: float option
new(dx,dy,precompute) =
{ DX=dx; DY=dy; Length=None }
then
if precompute then x.Length <- Some(sqrt(dx*dx+dy*dy))
end
The use of then is is particularly important in the context of constructs with two-phase
initialization semantics such as System.Windows.Forms.Control and its related extensions.
Class, record and union types may include all the kinds of members described in Chapter
2, including static methods, instance methods, static properties and instance properties. In
this section we look at how to define a rich set of members on your types.
Method Members
Class types may include all the kinds of members described in Chapter 2, including static
methods, instance methods, static properties and instance properties. Method members are
defined using the keyword member followed by a method name and an argument list. For
example:
type Vector2D =
class
val DX: float
val DY: float
new(dx,dy) = { DX=dx; DY=dy }
member v.Invert() = { DX= -v.DX; DY = -v.DY }
member v.Scale(k) = { DX= k * v.DX; DY = k * v.DY }
Property Members
Classes can also include the definitions of property members:
type Vector2D =
class
val DX: float
val DY: float
new(dx,dy) = { DX=dx; DY=dy }
member v.Length = sqrt(v.DX * v.DX + v.DY * v.DY)
end
Setter Properties
The properties shown above are “read-only”, and effectively a shorthand notation for a “get”
function– indeed if you inspect the underlying compiled CIL code for the above you will see
a function called get_Length. Propeties may also have an associated “set” method, and a
longer syntax is used to specify both set and get operations for the property. In the
following we define a mutable representation of a complex number where adjusting the
Angle property rotates the vector while maintaining its overall length:
type MutableVector2D =
class
val mutable DX: float;
val mutable DY: float;
new (dx,dy) = { DX=dx; DY=dy }
member v.Length =
with get () = sqrt(v.DX*v.DX+v.DY*v.DY)
and set len =
let angle = v.Angle
v.DX <- cos(angle)*len;
v.DY <- sin(angle)*len
member c.Angle =
with get () = atan2(v.DY,v.DX)
and set angle =
let len = v.Length
v.DX <- cos(angle)*len;
v.DY <- sin(angle)*len
end
Note that implementations of one member may use other members, e.g. the implementation
of the setter property Angle uses the getter property Length, and vice-versa. The members of
an augmentation thus form a potentially-mutually recursive set of values.
Indexer Properties
Like methods, properties may also take arguments: these are called “indexer” properties. The
most commonly defined indexer property is called Item, and the Item property on an value v
is accessed via the special notation v.[i]. As the notation suggests these are used to
implement the lookup operation on collection types. In the following example we implement
a sparse vector in terms an underlying sorted hash table:
open System.Collections.Generic
type MutableSparseVector =
class
val elems: SortedDictionary<int,float>;
new() = { elems = SortedDictionary<_,_>() }
member v.Add(k,v) = v.elems.Add(k,v)
member v.Item
with get i =
if v.elems.ContainsKey(i) then v.elems.[i]
else 0.0
and set i v =
v.elems.Replace(i,v)
end
Overloaded Operators
Types may also be augmented with overloaded operators.
open System.Collections.Generic
type Vector2D
class
val DX: float
val DY: float
new(dx,dy) = { DX=dx; DY=dy }
static member (+) ((v1:Vector2D),(v2:Vector2D)) =
new Vector2D(v1.DX + v2.DX, v1.DY + v2.DY)
static member (-) ((v1:Vector),(v2:Vector)) =
new Vector2D(v1.DX - v2.DX, v1.DY - v2.DY)
end
> let v1 = new Vector2D(3.0,4.0);;
val v1 : Vector2D = { DX=3.0; DY=4.0 }
> v1 + v1;;
val it : Vector2D = { DX=4.0; DY=8.0 }
Operator overloading in F# works by defining values that map uses of an operator through to
particular static members on the static types involved in the operation. Defining these
mappings is non-trivial: for example, the F# library includes the following definition for the
(+) operator:
let inline (+) x y = (^a: (static member (+) : ^a * ^b -> ^c) (x,y))
This means that while static members can in principle make use of any operator names, by
default only certain operators mapped through to these static members. You are strongly
encouraged to use certain operators for certain purposes, e.g., it is recommended the
overloaded operator $* be used for multiplying an object such as a vector or matrix by a
scalar value. The F# Informal Language Specification contains a description of the pre-
defined operators and their suggested purposes.
Discriminated unions and classes may also be given members via augmentations, e.g.:
type Tree<'a> =
| Tree of 'a * Tree<'a> * Tree<'a>
| Tip
with
member t.Size =
match x with
| Tree(_,l,r) -> 1 + l.Size + r.Size
| Tip -> 1
end
Using Augmentations
The with ... end construct is called an “augmentation”. Augmentations may be given
subsequent to the definition of a type, though it is important to note that “additional”
augmentations must be given within the same file or interactive declaration as the type
definition itself. For example a source code file could later contain:
type Vector2D
with
member v.Angle = atan2(v.DX,v.DY)
end
The Angle member will then be in scope and available for use.
Note the use of the keyword abstract. Abstract member values are members whose
implementation may vary in implementations the interface type. Here Name and
DateOfBirth are both property member, while GetChildren is a method member. Interfaces
can be implemented using object expressions. Here is a simple example:
> let rhiannon = { new IPerson with
member x.Name = "Rhiannon"
member x.DateOfBirth = new System.DateTime(1997,10,07);
member x.GetChildren() = [] }
val rhiannon : IPerson
> let anna = { new IPerson with
member x.Name = "Anna"
member x.DateOfBirth = new System.DateTime(1968,07,23);
member x.GetChildren() = [ rhiannon ] }
val anna : IPerson
It is .NET convention to prefix the name of all interface types with “I”. However, the use of
interfaces as abstract object values is pervasive in F# OO programming so this convention is
not always followed.
Interfaces may contain all the full range of instance members discussed in the previous
section. For example…
We will seee many examples of more complex interface definitions later in this chapter,
including examples of how classes, records and discriminated union types may implement
interfaces.
type IEnumerable<'a> =
interface
abstract GetEnumerator : unit -> IEnumerator<'a>
end
1
In reality IEnumerator<’a> also inherits from the non-generic interface
System.Collection.IEnumerator. For clarity we’ve ignored this here. See the F# library code for full
example implementations of the IEnumerrator type.
* System.IDisposable. An abstraction representing values that own explicitly reclaimable
resources. Not normally passed around as first-class values, since disposability is
really a property of implementations of abstractions. However often used when
building partial implementations of abstractions that automatically execute the disposal
logic at an appropriate point.
* System.IO.Stream. A fundamental I/O abstraction representing a readable or writeable
stream of bytes.
Interface Inheritance
Interfaces may be arranged in a hierarchy, which gives one way to classify abstractions. For
example, the .NET Framework includes a hierarchical classification of collection types:
IEnumerable<T> is refined by ICollection<T> is refined by IList<T>. Here are the
definitions of these types in F# syntax:
…
This class defines two abstract members WriteChar and WriteString, but gives a default
implementation for WriteString in terms of WriteChar. However, extensions are still free to
override and modify the implementation of WriteString (e.g. some implementations of I/O
will be able to implement block operations much more efficiently than via individual
WriteChar calls). Classes thus let you build types that represent partial or complete
implementations of abstractions.
Before we delve into classes too deeply, we note that there are other ways to achieve
partial implementations of abstractions in F#. In particular, the use of object expressions and
function values lets you model abstractions as records or interfaces and partial
implementations as generator functions:
type ITextOutputSink =
interface
abstract WriteChar : char -> unit
abstract WriteString : string -> unit
end
Before we delve into classes too deeply, we note that there are other ways to achieve partial
implementations of abstractions in F#. In particular, the use of object expressions and
function values lets you model abstractions as records or interfaces and partial
implementations as generator functions:
let simpleTextOutputSink(writeCharFunction) =
{ new TextOutputSink() with
member x.WriteChar(c) = writeChar(c)
member x.WriteString(s) = s |> String.iter (fun c -> x.WriteChar(c)) }
Inheriting classes
Classes may be sub-classes of some existing class type, introduced by the inherit keyword.
Like classes themselves, subclasses take careful design and are best used when modeling
significant new abstract concepts or fragments of default behaviour that form part of the
external interface to a library or framework. For example, the following extension adds two
additional abstract members WriteByte and WriteBytes, and a default implementation for
WriteBytes, an initial implementation for WriteChar, and overrides the implementation of
WriteString to use WriteBytes. The implementations of WriteChar and WriteString use the
.NET functionality to convert the Unicode characters and strings to bytes under the
System.Text.UTF8Encoding, documented in the .NET Framework class libraries.
open System.Text
type ByteOutputStream =
class
inherit TextOutputStream
abstract WriteByte : byte -> unit
abstract WriteBytes : byte[] -> unit
default x.WriteChar(c) = x.WriteBytes(UTF8Encoding.GetBytes([|c|])
default x.WriteString(s) = x.WriteBytes(UTF8Encoding.GetBytes(s)
default x.WriteBytes(b) = b |> Array.iter (fun c -> x.WriteByte(c))
end
The majority of “leaf” extensions of classes can be implemented using object expressions,
e.g.
open System.Text
let StringBufferOuputSink (buf : StringBuffer ) =
{ new TextOutputSink() with
member x.WriteChar(c) = buf.Add(c) }
Object expressions must give definitions for all unimplemented abstract members and may
not add other additional members. Instead, local state is typically allocated outside the object
expressions, e.g.
open System.Text
let CharCountOuputSink() =
let nchars = ref 0
{ new TextOutputSink() with
member x.WriteChar(c) = (printf “char %d\n” !nchars;
nchars:= ! nchars + 1) }
This function implements an OutputSink that counts characters, displaying the character
count to the output stream. Object expressions can also be used to model entire families of
leaf classes by accepting function parameters, helping to establish a link between OO
programming and functional programming. For example, the following implements a
TextOutputSink in terms of any function writeChar that provides an implementation of the
abstract member.
let MakeOuputStream(writeChar) =
{ new TextOutputSink() with
member x.WriteChar(c) = writeChar(c) }
This construction function uses function values to build an object of a given shape. Here the
inferred type is:
In a statically typed language such as F# it’s not too surprising that abstract values are
modeled using types. Indeed, often all the functionality provided by a value is represented by
its static type. However, in some cases further functionality on a value may be discoverable
by using runtime type tests. For example, you may be able to “discover” that a value provides
an implementation of an abstraction by performing a runtime type test.
F# and Mutation
Sometimes OO programming is presented primarily as a technique for controlling the
complexity of mutable state. However, many of the other traditional concerns of object-
oriented (OO) programming are orthogonal this. For example, higher-level programming
techniques such as interfaces, inheritance and patterns such as publish/subscribe stem from
the OO tradition, and techniques such as functions, type abstraction and functorial operations
such as “map” and “fold” from the value-oriented tradition. None of these techniques have
any fundamental relationship to mutation and identity: for example interfaces and inheritance
can be used very effectively in the context of value-oriented programming. Much of the
success of F# lies in the way that it brings the techniques of OO programming and value-
oriented programming comfortably together.