Tutorial Ocaml
Tutorial Ocaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
General
Caml is a dialect of ML, developed primarily in France. This paper describes Objective Caml version 3.01, or OCaml (pronounced "oh-camel") for short; it does not go into the object-oriented features of OCaml, however. Another dialect, Caml Lite 0.74, has almost identical syntax, but the modules and many of the functions in the modules dier to a greater or lesser extent. OCaml is case-sensitive. OCaml is interactive; you start it up, then you type expressions (at the prompt) to be evaluated. OCaml responds with both the value and the type of the result. Example:
1 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
# 3 * 4;; - : int = 12 Every expression ends with with two semicolons. The # sign is OCaml's usual input prompt. In this paper, I typically include the prompt in one-line examples, and leave it o longer examples that are best loaded from a le. Similarly, I use boldface to indicate user input that is typed in at a prompt. To dene a constant, use the form: let pi = 3.1416;; Most values in OCaml are immutable (constants). However, arrays and strings can be altered in place. OCaml is an expression-oriented language, not a statement-oriented language. That is, everything in it is considered to be an expression and to have a value. A few expressions that are executed for their side eects rather than their value (mostly output expressions) return the unit, (), as their value--this is like void in C or Java. To dene a function, use one of the forms: let sum (x, y) = x + y;; let add x y = x + y;;
For reasons which will be explained later, if you use parentheses around the arguments in the denition, you must use parentheses in the function call. If you omit parentheses in the function denition, you must omit them in the function call. Hence: # # sum 3 5;; : int = 8 add (3, 5);; : int = 8
OCaml is strongly typed; however, OCaml almost always gures out the types for itself. If you need to help it along, you can specify the type of any identier by following it by a colon and the name of the type, enclosed in parentheses, anywhere the identier occurs (not just in the parameter list). For example, in the function let max (x, y) = if x > y then x else y;; the variables x and y could be int, oat, char, or string. To dene this function to use only char values, give OCaml a hint by attaching :char to any one of the variables, anyplace in the function. For example, you could say let max (x:char) (y) = if x > y then x else y;; or let max (x) (y:char) = if x > y then x else y;; or let max (x) (y) = if x > y then (x:char) else y;;
2 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
or any of several other possibilities. To execute the expressions in le myFile.sml (usually denitions that you are testing), use use "myFile.sml";; Predened OCaml functions are in groups called modules, often organized around some particular data type. A module is like a function library. The collection of these modules is called the common basis. The most common functions are in the "Pervasives module," which means you don't have to do anything special to use them. For less commonly used functions, you have to either prex the function name with the name of the module, or you have to "open" the module. Opening the module means making the contents visible to the program. For example, the following sequence shows that the function length is not dened for strings until the open String command is issued: # length "hello";; Characters 0-6: Unbound value length # open String;; # length "hello";; - : int = 5 Note: Caml Light uses a slightly dierent syntax-- #open "string";; -- where the # is typed by the user. The functions provided by each module are also dierent, often only in having a dierent name. Finally, comments are indicated as: (* This is a comment (* and comments may be nested. *) *)
Identiers
Identiers must begin with a lowercase letter or underscore, and may contain letters, digits, underscores, and single quotes. Most implementations also recognize accented characters, such as . Alphanumeric identiers beginning with a ' (single quote) are used only for type identiers. Often OCaml will use 'a to indicate a variable (unknown or arbitrary) type. For example, 'a list means a list whose elements are of type 'a. Additional variable types are indicated by 'b, 'c, and so on. The variable _ (an underscore all by itself) is used as a "wildcard" or "don't care" variable, for example, let second (_, x) = x;;
3 of 22 06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Types
There are several primitive types in OCaml; the following table gives the most important ones. Primitive type Examples Notes - is used for unary minus; there is no unary + int 0, 5, 42, -17, 0x00FF, 0o77, 0b1101 0x or 0X starts a hexadecimal number; 0o or 0O starts an octal number; and 0b or 0B starts a binary number
0.0, -5.3, 1.7e14, Can't start with a decimal point 1.7e+14, 1e-10 true, false "", "One\nTwo" These are the only bool values. "\n" is newline, "\t" is tab, "\\" is backslash Single quotes for chars, double quotes for strings. This is a value. It is the only value of its type, and is often used when the value isn't important (much like void in C).
char
'a', '\n'
unit
()
There are three families of constructed types in OCaml: lists, tuples, and functions. Lists are enclosed in brackets and the list elements are separated by semicolons. All elements in a list must be of the same type. Tuples are usually enclosed in parentheses, and the elements are separated by commas. The elements of a tuple may be of dierent types. Functions are rst-class objects: they can be created, manipulated, passed as parameters, and otherwise treated like other kinds of values. (However, when OCaml prints the result of an expression, and that result is a function, OCaml doesn't print out the entire function; it just prints the word fn.) Every function takes exactly one parameter as input and returns one value as its result; however, that parameter and that result may each be of a constructed type, such as a tuple. The following table gives a few examples of constructed types. Pay special attention to the second column, which shows how OCaml expresses type information.
4 of 22 06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Notes Lists may be of any length, but all elements must be of the same type. The empty list can be represented by []. The type of this list is allowed to be unknown. The type of a tuple depends on its length and the types in each position. Tuples can contain lists, and vice versa. A tuple with one element is the same as that one element. All functions take exactly one parameter, and parentheses are optional. In this example the one parameter is a tuple. In this example the one parameter is the "unit," and so is the result. Functions are values, and can be put into lists and tuples.
[]
'a list int * string * int string * int list float float -> float int * int -> int unit -> unit (float -> float) * (int * int -> int) list
(5, "hello", ~16) ("abc", [1; 2; 3]) (3.5) let double x = 2.0 *. x;; let sum (x, y) = x + y;; let hi () = print_string "hello\n";;
(double, [sum])
Built-In Functions
This section lists the most generally useful of the built-in functions; it is not a complete listing. See the appropriate reference manual for additional functions. An operator is just a function with a special syntax. Syntax that is added just for the sake of convenience, and not for any technical reasons, is called syntactic sugar. In OCaml, operators can be "de-sugared" by enclosing them in parentheses, for example: # (+) 3 5;; - : int = 8 This also provides a handy way to peek at the type of an operator: # (+);; - : int -> int -> int = <fun>
5 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
6 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
(Prex) Unary negation. (Inx, left associative) Multiplication; operands and result are all real numbers. (Inx, left associative) Division of real numbers. (Inx, left associative) Addition of real numbers. (Inx, left associative) Subtraction of real numbers. (Inx, right associative) Exponentiation. Square root. Round up to nearest integer (but result is still a real number). Round down to nearest integer (but result is still a real number). The usual transcendental functions.
/. : float * float -> float +. : float * float -> float -. : float * float -> float ** : float *. float -> float sqrt : float -> float ceil : float -> float floor : float -> float exp, log, log10, cos, sin, tan, acos, ... : float -> float
score -. 1.0
exp 10.0
Coercions
Function float : int -> float truncate : float -> int Examples float 5, float (5) truncate average Notes Convert integer to real. Fractional part is discarded. ASCII value of character. Character corresponding to ASCII value; argument must be in range 0..255.
char_of_int 97
7 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
int_of_string : string -> int_of_string "54" int string_of_int : int -> string float_of_string : string -> float string_of_float : float -> string bool_of_string : string -> bool string_of_bool : bool -> string string_of_int 54 float_of_string "3.78" string_of_float 3.78 bool_of_string "true" string_of_bool true
Convert string to integer. Convert integer to string. Convert string to oat. Convert oat to string. Convert string to bool. Convert bool to string.
Comparisons
Function < : 'a * 'a -> bool <= : 'a * 'a -> bool = : 'a * 'a -> bool <> : 'a * 'a -> bool >= : 'a * 'a -> bool > : 'a * 'a -> bool == : 'a -> 'a -> bool != : 'a -> 'a -> bool max : 'a -> 'a -> 'a Examples i < 0 x <= 0.0 s = "abc" ch <> '\n' i >= j x > y x == y x != y max 'a' 'v', max 0 n Notes Less than. a' can be int, float, char, or string. Less than or equal to. a' can be int, float, char, or string. Equals. a' can be int, char, or string, but not float. Not equal. a' can be int, char, or string, but not float. Greater than or equal to. a' can be int, float, char, or string. Greater than. a' can be int, float, char, or string. Physical equality; meaning is somewhat implementation-dependent. Physical inequality; meaning is somewhat implementation-dependent. Returns the larger of the two arguments.
8 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
String.length "hello"
String.get "hello" 0
String.index : string -> char -> int String.rindex : string -> char -> int String.contains : string -> char -> bool String.sub : string -> int -> int -> string
String.index "radar" 'a' String.rindex "radar" 'a' String.contains "radar" 'a' String.sub "abcdefg" p n
9 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
String.make : int -> char -> string String.uppercase : string -> string String.lowercase : string -> string
String.make n c
Returns a string consisting of n copies of character c. Returns a copy of the string with all letters translated to uppercase. Returns a copy of the string with all letters translated to lowercase. Returns a copy of the string with the rst character translated to uppercase. Returns a copy of the string with the rst character translated to lowercase.
String.capitalize "OCaml"
String.uncapitalize "OCaml"
Special syntactic sugar for accessing characters of a string: s.[i] s.[i] <- c Returns the ith character of string s. Sets the ith character of string s to c.
Operations on characters
The operators < <= = != >= > can be applied to characters.
The following functions are in the Char structure. To use these functions without typing Char. each time, enter open Char;;. Function Char.uppercase : char -> char Char.lowercase : char -> char Notes Given a lowercase letter, returns the corresponding capital letter. Given any other character, returns that same character. Given a capital letter, returns the corresponding lowercase letter. Given any other character, returns that same character.
10 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Returns a string consisting of the single character. The name refers to the fact that the character may be escaped (quoted).
Operations on lists
A list is a set of elements, all of the same type, enclosed in brackets and separated by semicolons. Example: ["hello"; "bonjour"; "guten Tag"]. The type of this example is string list. The empty list is represented by []. Only the :: operator (LISP cons) and @ operator (list concatenation) can be used without opening the List module or prexing the function name with List. . Function :: : 'a -> 'a list -> 'a list @ : 'a list -> 'a list -> 'a list List.length : 'a list -> int List.hd : 'a list -> 'a List.tl : 'a list -> 'a list List.nth : 'a list -> int -> 'a List.rev : 'a list -> 'a list Examples 5 :: [6; 7] [5] @ [6; 7] List.length [5; 6; 7] List.hd [3; 5; 7] List.tl [3; 5; 7] List.nth [3; 5; 7] 2 List.rev [1; 2; 3] Notes Add an element to the front of the list. This operator is right associative. List concatenation. Number of elements in the list The "head" of a list is its rst element. Same as car in LISP . The "tail" of a list is the list with its rst element removed. Same as cdr in LISP . Returns the nth element of a list, counting from zero. Reverse the list.
Operations on tuples
Remember that a tuple consists of zero or more values, separated by commas and enclosed in parentheses. The parentheses can usually (but not always) be omitted. If T is a pair (a tuple of two elements), then fst(T) is the rst element and snd(T) is the second element. Standard ML denes additional operations on tuples, but
11 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
OCaml does not. The type of a tuple describes the number and type of each element in the tuple. For example, # ("John Q. Student", 97, 'A');; - : string * int * char = "John Q. Student", 97, 'A' Sometimes you may want a function to return more than one value. That isn't possible, but the next best thing is to return a tuple of values. # let divide x y = x / y, x mod y;; val divide : int -> int -> int * int = <fun> # divide 20 3;; - : int * int = 6, 2 You can easily dene functions to work with tuples, by using patterns. For example: # let third_of_four (_, _, x, _) = x;; val third_of_four : 'a * 'b * 'c * 'd -> 'c = <fun> # third_of_four ('a', 'b', 'c', 'd');; - : char = 'c'
print_int (x + 1) Prints an integer. print_float 5.3 print_string mystring print_endline "Hello" print_newline "Hello" Prints a real number. Prints a string. Prints a string followed by a newline. Prints a string followed by a newline, then ushes the buer.
The printing functions all return the unit, (), which is OCaml's way of saying that nothing important is returned.
12 of 22 06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Function read_line : unit -> string read_int : unit -> int read_float : unit -> float
Notes Reads a string from standard input. Reads an integer from standard input. Reads a real number from standard input.
Match expressions
The match expression looks like this: match <expression> with <match> where a <match> has the form: <pattern1> -> <expression1> |
13 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
<pattern2> -> <expression2> | . . . <patternN> -> <expressionN> First, the initial <expression> is evaluated, then its value is compared against each of the <patterns>. When a matching <patterni> is found, the corresponding <expressioni> is evaluated and becomes the value of the case expression. The most common patterns are a variable (matches anything), a tuple, such as (x, y), a literal (constant) value, such as 5 or "abc", an expression x::xs, to match the head and tail of a nonempty list, and an as expression to have a name for the entire actual parameter as well as its parts; for example, L as x::xs, which matches the same things as x::xs, but also assigns to L the entire list. Examples: match (n + 1) with 1 -> "a" | 2 -> "b" | 3 -> "c" | 4 -> "d";; match myList with [] -> "empty" | x::xs -> "nonempty";; Because every expression must have a value, OCaml will warn you if it does not think you have a pattern for every possible case. When expressions are nested, it can be dicult to tell exactly where the case expression ends. As with any expression, it doesn't hurt to put parentheses around it, as for example, (match (n + 1) with 1 -> "a" | 2 -> "b" | 3 -> "c" | 4 -> "d");;
If expressions
The if expression looks like this: if <bool expression> then <expression1> else <expression2> If the <bool expression> is true, then <expression1> is evaluated and is the value of the expression, otherwise <expression2> is evaluated and is the value of the expression. Since the if expression is an expression and not a statement, it must have a value; therefore, the else part is required. The if expression is really shorthand for the following match expression:
14 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
match <bool expression> with true -> <expression1> | false -> <expression2> When the OCaml compiler detects an error in an if expression, it reports the error as though it occurred in the corresponding case expression.
Sequence of expressions
We can execute a sequence of expressions by separating them with semicolons and enclosing the group in parentheses; the value of the sequence is the value of the last expression in the sequence. Any values produced by earlier expressions are discarded. This is only useful with expressions that are evaluated for their side eects. let name = "Dave" in (print_string "Hello, "; print_string name; print_string "\n");; OCaml is supposed to be a purely functional language, which means that it has no expressions with side eects. However, printing output is a side eect, and output is the primary use of side eects in OCaml. Output operations produce the unit, (), as their value. OCaml therefore expects all the expressions (except the last) in a semicolon-separated list to have a unit value, and will warn you if that isn't the case.
Exceptions
An "exception" is an error. You can declare new types of exceptions, with or without a parameter, as follows: exception <Name> ;; exception <Name> of <type> ;; The name of an exception must begin with a capital letter. For example: exception FormatError of int * string;; To signal that one of these exceptions has occurred, use raise (<name> arguments);; The way you use exceptions is as follows: try <expression> with <match> If no exception is raised, the result of the try is the result of the <expression>. If an exception is raised, the rst rule in <match> that matches the expression will be executed. If you raise an exception and fail to handle it, OCaml will give you an
15 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
"uncaught exception" error. Note that the results of the match must all have the same type as the result of a correct <expression>. However, it's okay to use a sequence of expressions for printing, ended with a value of the correct type, as in the following example. Example: exception WrongOrder of int*int;; let rec fromTo (m, n) = if m > n then raise (WrongOrder(m, n)) else if m = n then [m] else m::fromTo(m + 1, n);; let makeList (m, n) = try fromTo (m, n) with WrongOrder(m, n) -> (print_int m; print_string " is greater than "; print_int n; print_newline (); []);;
Functions
The usual form of a function denition is let <name> <parameter> = <expression> ;; A function always has exactly one parameter, and returns one result. It often appears that a function takes more than one argument or returns more than one result, but appearances can be misleading. For instance, let swap (x, y) = (y, x);; In this case, the one argument is a tuple, and the one result is a tuple. print_newline ();; Here, the one argument is the unit, (), which is a value--it is not syntax to indicate an empty parameter list. Similarly, the unit is returned as a result. Finally, let max x y = if x > y then x else y;; This is an operation called currying, in which max takes the single argument x, and returns a new function which takes the single argument y. Currying is explained in more detail later in this paper.
16 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
It doesn't hurt to use a tuple of length 1 in place of a single parameter; the following are equivalent denitions: let score x = if x < 0 then 0 else x;; let score (x) = if x < 0 then 0 else x;; Functions that don't use their parameter must still have one; they can be given the unit as the parameter: let tab () = print_char '\t';; Similarly, a function can only return one value, but that value can easily be a tuple. For example, let vectorAdd ((x1, y1), (x2, y2)) = (x1 + x2, y1 + y2);; Recursive functions must include the keyword rec, for example: let rec firstDigit (x: int) = if x < 10 then x else firstDigit (x / 10);; Patterns in functions Simple functions consist of only a single case, but more complex functions typically use pattern matching to separate cases. Consider the well-known Fibonacci function,
fib(0) = fib(1) = 1 fib(n) = fib(n-1) + fib(n-2), for n > 1
We can implement this in OCaml as follows: let rec fibonacci x = match x with 0 -> 1 | 1 -> 1 | n -> fibonacci (x - 1) + fibonacci (x - 2);; Using a match in this way is so common that there is a special syntax for it, as follows: let rec fibonacci2 = function 0 -> 1 | 1 -> 1 | n -> fibonacci2 (n - 1) + fibonacci2 (n - 2);; Notice that: The parameter (in this case, x) is omitted The word function replaces match x with Instead of using parameter x, the parameter is matched against a variable n, which can then be used in place of x
17 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Examples: let rec length = function [] -> 0 | (x :: xs) -> 1 + length xs;; let rec member = function (e, []) -> false | (e, x::xs) -> if (e = x) then true else member (e, xs) ;; Mutually recursive functions Functions must be dened before they are used. To dene mutually recursive functions (functions that call one another), use let rec...and...and.... The following example (to return every other element of a list) is adapted from Elements of Caml Programming by Jerey D. Ullman: let rec take (ls) = if ls = [] then [] else List.hd(ls) :: skip(List.tl(ls)) and skip (ls) = if ls = [] then [] else take(List.tl(ls)) ;; Local variables in functions It is sometimes convenient to declare local variables and functions using let...in... For example, # let circleData (radius:float) = let pi = 3.1415926536 in let circumference = 2.0 *. pi *. radius in let area radius = pi *. radius *. radius in (circumference, area radius) ;; val circleData : float -> float * float = <fun> # circleData 10.0;; - : float * float = 62.831853072, 314.15926536 The let and let...in expressions work with patterns, so it is possible to do "multiple assignment" by assigning one tuple to another, as for example # let x, y, z = 5, 10, "hello";; val x : int = 5 val y : int = 10
18 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
val z : string = "hello" # let (a, b) = (6, 7) in (b, a, b);; - : int * int * int = 7, 6, 7 It is useful to know that multiple assignments happen simultaneously rather than one after another, so that the following code correctly swaps two values: # let swap (x, y) = y, x;; val swap : 'a * 'b -> 'b * 'a = # swap (3, 5);; - : int * int = 5, 3 Anonymous functions Matches can also be used to dene anonymous functions: (fun x -> x + 1) 3 (Result is 4.) Anonymous functions cannot be recursive because, being anonymous, they have no name by which you can call them. However, an anonymous function can be given a name in the usual way, by using let: # let incr = fun x -> x + 1;; val incr : int -> int = <fun> # incr 5;; - : int = 6 Polymorphic functions In other languages, "polymorphic" means that you have two or more functions with the same name; in OCaml it means that a single function can handle more than one type of parameter. An example of a built-in polymorphic function is the list function List.hd; it returns the rst element of any type of list. OCaml functions that you write will be polymorphic if their parameters are used only with polymorphic functions and operators. For example, the following function to reverse the two components of a 2-tuple is polymorphic: let revPair (x, y) = (y, x);; To write a polymorphic function, you need to avoid: arithmetic operators (because OCaml needs to know whether the arithmetic is integer or oating point), string concatenation boolean operators type conversion operators.
19 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
You can use: lists and the list operators hd, tl, ::, @, along with the constant [] the equality tests = and !=. Higher-order functions A higher-order function is one which takes a function (or a function-containing structure) as an argument, or produces a function (or function-containing structure) as its result, or both. For example, # let test (f, x) = f x;; val test : ('a -> 'b) * 'a -> 'b = <fun> # test (List.hd, [1;2;3]);; - : int = 1 # test (List.tl, [1;2;3]);; # - : int list = [2; 3] Notice in particular the type returned when test is dened: ('a -> 'b) * 'a -> 'b. Here, ('a -> 'b) is a function from type 'a to type 'b, type 'a is the needed parameter type, and 'b is the result type. Curried functions As was stated earlier, every function takes exactly one argument and produces one result. A curried function is a higher-order function that takes an argument and produces as result a new function with that argument embedded in the function. For example, # let incr x y = x + y;; val incr : int -> int -> int = <fun> # incr 5 3;; - : int = 8 # (incr 5) 3;; - : int = 8 # let incr5 = incr 5;; val incr5 : int -> int = <fun> # incr5 3;; - : int = 8 Notice the way the function incr is dened, as if it had two blank-separated arguments. In fact, incr takes one argument, x, and produces the curried function (incr x), which then has y as an argument. Now incr can be called as incr 5 3 or as (incr 5) 3, but cannot be called as incr (5, 3). This is because incr takes one argument, an integer, and returns a function as a result; it does not take a tuple as an argument. The fact that incr 5 returns a function as a result is further emphasized in the
20 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
assignment of this value (a function that adds 5 to its argument) to the variable incr5,. Note also that we don't need to specify a parameter; a function is just another kind of value. We could, if we wished, have dened incr5 by let incr5 x = incr 5 x;; with exactly the same result. map List.map is a curried function that takes a function that applies to one thing of type 'a and produces a function that applies to a list 'a. For example, # truncate 5.8;; - : int = 5 # List.map truncate [2.7; 3.1; 3.8; 9.4; 6.5];; - : int list = [2; 3; 3; 9; 6] # (List.map truncate) [2.7; 3.1; 3.8; 9.4; 6.5];; - : int list = [2; 3; 3; 9; 6] # let listTrunc = List.map truncate;; val listTrunc : float list -> int list = <fun> # listTrunc [2.7; 3.1; 3.8; 9.4; 6.5];; - : int list = [2; 3; 3; 9; 6] List.filter The function List.filter takes a bool test and returns a function that will extract from a list those elements that pass the test. # List.filter (fun x -> x > 0) [3; 0; 2; -5; -8; 4];; - : int list = [3; 2; 4] Redening functions Important: When you dene a function, you may use other values (including other functions) in the denition. Later changes to those values do not change the meaning of the function you have dened. For example, look at the following sequence (for clarity, only some of OCaml's responses are shown): # # # # # # # let x = 3;; let aa () = 5;; let bb () = aa () + x;; bb ();; : int = 8 let x = 17;; let aa () = 83;; bb ();; : int = 8
Here, bb() was dened in terms of aa() and x. Calling bb() gave the result 8. Later changes to aa() and x did not aect the denition of bb(). The above may seem strange, but there is a parallel in algorithmic languages.
21 of 22
06/01/2012 11:02 PM
Notes on OCaml
http://www.csc.villanova.edu/~dmatusze/resources/ocam...
Consider the sequence of statements a := 5; b := a; a := 10; You would not expect the value of b to change just because the value of a changed. In OCaml, functions are values, and they are treated just like any other values. A denition is said to have referential transparency if its meaning does not depend on the context it is in. Functions in OCaml have referential transparency, that is, changing the context (other variables and other functions) does not change the meaning of any functions you have already dened. This fact can be crucial when you are debugging a program, because you are likely to be redening functions fairly frequently.
Omissions
This is a brief document, and a great deal has been omitted. Among the more important omissions are records, arrays, the input/output system, most of the module system, and practically everything having to do with object-oriented programming. Loops, also, have been omitted, but they are not terribly useful in a purely functional language, anyway. More information (and more trustworthy information!) can be obtained from the documents mentioned in the next section.
Resources
The Objective Caml system release 3.01, Documentation and user's manual. Xavier Leroy (with Damien Doligez, Jacques Garrigue, Didier Rmy and Jrme Vouillon), March 8, 2001. This is available at http://caml.inria.fr/ocaml/htmlman /index.html and on the Burks 5 CD. An introduction to OCAML for CSE 120. Peter Buneman, October 1, 2000. This is available as an Acrobat document at http://www.seas.upenn.edu:8080/~cse120 /resources/primer/primer.pdf and as a postscript document at http://www.seas.upenn.edu:8080/~cse120/resources/primer/primer.ps. An OCaml book, apparently nameless, by Jason Hickey, at http://www.cs.caltech.edu /cs134/cs134b/book.pdf.
22 of 22
06/01/2012 11:02 PM