First-class function
In computer science, a programming language is said to have first-class functions if it treats functions as first-class citizens. Specifically, this means that the language supports passing functions as arguments to other functions, returning them as the values from other functions, and assigning them to variables or storing them in data structures.[1][2] Some programming language theorists require support for anonymous functions as well.[3] In languages with first-class functions the names of functions do not have any special status, they are treated like ordinary variables with a function type.[4] The term was coined by Christopher Strachey in the context of “functions as first-class citizens” in the mid-1960s.[5]
These features are a necessity for the functional programming style, in which (for instance) the use of higher-order functions is a standard practice. A simple example of a higher-ordered function is the map function, which takes as its arguments a function and a list, and returns the list formed by applying the function to each member of the list. For a language to support map, it must support passing a function as an argument.
There are certain implementation difficulties in passing functions as arguments and returning them as results, especially in the presence of non-local variables introduced in nested and anonymous functions. Historically, these were termed the funarg problems, the name coming from "function argument".[6] In early imperative languages these problems were avoided by either not supporting functions as result types (e.g. ALGOL 60, Pascal) or omitting nested functions and thus non-local variables (e.g. C). The early functional language Lisp took the approach of dynamic scoping, where non-local variables refer to the closest definition of that variable at the point where the function is executed, instead of where it was defined. Proper support for lexically scoped first-class function was introduced in Scheme and requires handling references to functions as closures instead of bare function pointers,[5] which in turn makes automatic memory management a necessity.
Concepts
In this section we compare how some concepts are handled in a functional language with first-class functions (Haskell) compared to an imperative language where functions are second-class citizens (C).
Higher-order functions: passing functions as arguments
In languages where functions are first-class citizens, functions can be passed as arguments to other functions in the same way other types can (a function taking another function as argument is called a higher-order function). In the language Haskell:
map :: (a -> b) -> [a] -> [b]
map f [] = []
map f (x:xs) = f x : map f xs
Languages where functions are not first-class often still allow one to write higher-order functions through the use of concepts such as function pointers or delegates. In the language C:
void map(int (*f)(int), int x[], size_t n) {
for (int i = 0; i < n; i++)
x[i] = (*f)(x[i]);
}
When comparing the two samples one should note that there are a number of differences between the two approaches that are not directly related to the support of first-class functions. The Haskell sample operates on lists, while the C sample operates on arrays. Both are the most natural compound data structures in the respective languages and making the C sample operate on linked lists would have made it unnecessarily complex. This also accounts for the fact that the C function needs an additional parameter (giving the size of the array.) The C function updates the array in-place, returning no value, whereas in Haskell data structures are persistent (a new list is returned while the old is left intact.) The Haskell sample uses recursion to traverse the list, while the C sample uses iteration. Again, this is the most natural way to express this function in both languages, but the Haskell sample could easily have been expressed in terms of a fold and the C sample in terms of recursion. Finally, the Haskell function has a polymorphic type, as this is not supported by C we have fixed all type variables to the type constant int
.
Anonymous and nested functions
In languages supporting anonymous functions we can pass such a function as an argument to a higher-order function:
main = map (\x -> 3 * x + 1) [1, 2, 3, 4, 5]
In a language which does not support anonymous functions, we have to bind it to a name instead:
int f(int x) {
return 3 * x + 1;
}
int main() {
int l[] = {1, 2, 3, 4, 5};
map(f, l, 5);
}
Non-local variables and closures
Once we have anonymous or nested functions it becomes natural for them to refer to variables outside of their body (called non-local variables):
main = let a = 3
b = 1
in map (\x -> a * x + b) [1, 2, 3, 4, 5]
If functions are represented as bare function pointers it is no longer obvious how we should pass the value outside of the function body to it. We instead have to manually build a closure and one can at this point no longer speak of "first-class" functions.
typedef struct {
int (*f)(int, int, int);
int *a;
int *b;
} closure_t;
void map(closure_t *closure, int x[], size_t n) {
for (int i = 0; i < n; ++i)
x[i] = (*closure->f)(*closure->a, *closure->b, x[i]);
}
int f(int a, int b, int x) {
return a * x + b;
}
void main() {
int l[] = {1, 2, 3, 4, 5};
int a = 3;
int b = 1;
closure_t closure = {f, &a, &b};
map(&closure, l, 5);
}
Also note that the map
is now specialized to functions referring to two int
s outside of their environment. This can be set up more generally, but requires more boilerplate code. If f
would have been a nested function we would still have run into the same problem and this is the reason they are not supported in C.[7]
Higher-order functions: returning functions as results
When returning a function we are in fact returning its closure. In the C example any local variables captured by the closure will go out of scope once we return from the function that builds the closure. Forcing the closure at a later point will result in undefined behaviour, possibly corrupting the stack. This is known as the upwards funarg problem.
Assigning functions to variables
Assigning functions to variables and storing them inside (global) datastructures potentially suffers from the same difficulties as returning functions.
f :: [[Integer] -> [Integer]]
f = let a = 3
b = 1
in [map (\x -> a * x + b), map (\x -> b * x + a)]
Equality of functions
As one can test most literals and values for equality, it is natural to ask of a programming language to support testing functions for equality. On further inspection this question appears more difficult and one has to distinguish between several types of function equality:[8]
- Extensional equality
- Two functions f and g are considered extensionally equal if they agree on their outputs for all inputs (∀x. f(x) = g(x)). Under this definition of equality, for example, any two implementations of a stable sorting algorithm, such as insertion sort and merge sort, would be considered equal. Deciding on extensional equality is undecidable in general and even for functions with finite domains often intractable. For this reason no programming language implements function equality as extensional equality.
- Intensional equality
- Under intensional equality, two functions f and g are considered equal if they have the same "internal structure". This kind of equality could be implemented in interpreted languages by comparing the source code of the function bodies (such as in Interpreted Lisp 1.5) or the object code in compiled languages. Intensional equality implies extensional equality (under the assumption that the functions do not depend on the value of the program counter.)
- Reference equality
- Given the impracticality of implementing extensional and intensional equality, most languages supporting testing functions for equality use reference equality. All functions or closures are assigned a unique identifier (usually the address of the function body or the closure) and equality is decided based on equality of the identifier. Two separately defined, but otherwise identical function definitions will be considered unequal. Referential equality implies intensional and extensional equality. Referential equality breaks referential transparency and is therefore not supported in pure languages, such as Haskell.
Case study: function composition
Java
Java, and other object-oriented programming languages, can support higher-order functions by wrapping them in an anonymous inner class with an appropriate interface or superclass:
interface Func<A, B> {
B apply(A x);
}
static <A, B, C> Func<A, C> compose(final Func<A, B> f, final Func<B, C> g) {
return new Func<A, C>() { public C apply(A x) { return g.apply(f.apply(x)); } };
}
Nested functions are not properly supported and the following example is valid only because a
and b
have been declared final
:
final Integer a = 2, b = 1;
Func<Integer, Integer> h = compose( new Func<Integer, Integer>() { public Integer apply(Integer x) { return x + b; } }
, new Func<Integer, Integer>() { public Integer apply(Integer x) { return a * x; } } );
Requiring the free nonlocal variables to be read-only allows the compiler to copy their value into a hidden field of the anonymous inner class. Because they cannot refer to arbitrary variables, anonymous inner classes are not considered to be closures.
Type theory
In type theory, the type of functions accepting values of type A and returning values of type B may be written as A → B or BA. In the Curry-Howard correspondence, function types are related to logical implication; lambda abstraction corresponds to discharging hypothetical assumptions and function application corresponds to the modus ponens inference rule. Besides the usual case of programming functions, type theory also uses first-class functions to model associative arrays and similar data structures.
In category-theoretical accounts of programming, the availability of first-class functions corresponds to the closed category assumption. For instance, the simply typed lambda calculus corresponds to the internal language of cartesian closed categories.
Language support
Functional programming languages, such as Scheme, ML, Haskell, F#, and Scala all have first-class functions. When Lisp, one of the earliest functional languages, was designed not all aspects of first-class function were then properly understood, resulting in functions being dynamically scoped. The later Common Lisp dialect, does have lexically scoped first-class functions.
Many recent interpreted and scripting languages, including Perl, Python, PHP, Lua, Tcl/Tk, JavaScript, Ruby, and Io, have first-class functions.
For the imperative languages a distinction has to be made between Algol and its descendants such as Pascal, the traditional C family, and the modern garbage-collected variants. The Algol family has allowed nested functions and higher-order taking function as arguments, but not higher-order functions that return functions as results (except Algol 68, which allows this). The reason for this was that it was not known how to deal with non-local variables if a nested-function was returned as a result (and Algol 68 produces runtime errors in such cases).
The C family allowed both passing functions as arguments and returning them as results, but avoided any problems by not supporting nested functions. (The gcc compiler does allows them as an extension.) As the usefulness of returning functions primarily lies in the ability to return nested functions that have captured non-local variables, instead of top-level functions, these language are generally not considered to have first-class functions.
Modern imperative languages often support garbage-collection making the implementation of first-class functions feasible. First-class function have often only been supported in later revisions of the language, including C# 2.0 and Apple's Blocks extension to C, C++ and Objective C. C++11 has added support for anonymous functions and closures to the language, but the non-garbage collected nature of the language and capture semantics of non-local variables still make it problematic for functions to be returned as results.
Language | Higher-order functions | Non-local variables | Partial application | Notes | ||||
---|---|---|---|---|---|---|---|---|
Arguments | Results | Nested functions | Anonymous functions | Closures | ||||
Algol family | ALGOL 60 | Yes | No | Yes | No | No | No | Have function types. |
ALGOL 68 | Yes | Yes[9] | Yes | Yes | No | No | ||
Pascal | Yes | No | Yes | No | No | No | ||
Oberon | Yes | Non-nested only | Yes | No | No | No | ||
C family | C | Yes | Yes | No | No | No | No | Has function pointers. |
C++ | Yes | Yes | No | C++11[10] | C++11[10] | No | Has function pointers, function objects. (Also, see below.) | |
C# | Yes | Yes | No | 2.0 / 3.0 | 2.0 | No | Has delegates (2.0) and lambda expressions (3.0). | |
Objective-C | Yes | Yes | No | 2.0 + Blocks[11] | 2.0 + Blocks | No | Has function pointers. | |
Java | Partial | Partial | No | No | 8 | No | Has anonymous inner classes. | |
Functional languages | Lisp | Syntax | Syntax | Yes | Yes | Common Lisp | No | (see below) |
Scheme | Yes | Yes | Yes | Yes | Yes | SRFI 26[12] | ||
Clojure | Yes | Yes | Yes | Yes | Yes | Yes | ||
ML | Yes | Yes | Yes | Yes | Yes | Yes | ||
Haskell | Yes | Yes | Yes | Yes | Yes | Yes | ||
Scala | Yes | Yes | Yes | Yes | Yes | Yes | ||
Scripting languages | JavaScript | Yes | Yes | Yes | Yes | Yes | ECMAScript 5 | Partial application possible with user-land code on ES3 [13] |
PHP | Yes | Yes | Unscoped | 5.3 | 5.3 | No | (see below) | |
Perl | Yes | Yes | 6 | Yes | Yes | 6[14] | ||
Python | Yes | Yes | Yes | Partial | Yes | 2.5[15] | (see below) | |
Ruby | Syntax | Syntax | Unscoped | Yes | Yes | 1.9 | (see below) | |
Other languages | Mathematica | Yes | Yes | Yes | Yes | Yes | No | |
Smalltalk | Yes | Yes | Yes | Yes | Yes | Partial | Partial application possible through library. | |
Fortran | Yes | Yes | Yes | No | No | No |
- C++
- C++11 closures can capture non-local variables by copy or by reference, but without extending their lifetime.
- Java
- Java 8 closures can only capture immutable ("effectively final") non-local variables.
- Lisp
- Lexically scoped Lisp variants support closures, dynamically scoped variants do not.
- In Common Lisp, the identifier of a function in the function namespace cannot be used as a first-class value. It must be converted into a value using the
(function )
or#'
operators. Conversely, to apply a function encapsulated in such a way as a value, one must use the(funcall )
operator instead of calling it directly. - PHP
- Nested functions are created at global scope once the outer function is executed.[16] Anonymous functions could be created using
create_function
but could not refer to variable in the outer scope. - Python
- Python's anonymous functions can only have an expression as the body
- Explicit partial application with
functools.partial
since version 2.5, andoperator.methodcaller
since version 2.6. - Ruby
- The identifier of a regular "function" in Ruby (which is really a method) cannot be used as a value or passed. It must first be retrieved into a
Method
orProc
object to be used as first-class data. The syntax for calling such a function object differs from calling regular methods. - Nested method definitions do not actually nest the scope.
- Explicit currying with
Proc#curry
.
See also
- Defunctionalization
- eval
- Kappa calculus – a formalism which excludes first-class functions
- Man or boy test
- Partial application
Notes
- ^ Reg Braithwaite. "Closures and Higher-Order Functions". http://weblog.raganwald.com/: Raganwald. Retrieved 2011-04-20.
Anything that can be assigned to a variable is a value. If it can also be passed as a parameter or returned from a method (or function), we say it is a first class value. Functions as first class values, or first class functions, are very interesting.
{{cite web}}
: External link in
(help)[unreliable source?]|location=
- ^ Justin Etheredge. "C# Closures Explained". http://www.codethinked.com/: Code Thinked. Retrieved 2011-04-20.
[W]hat is a "first-class function"? A first class function simply means that it is a function which your language treats as a first class data type. It means that you can assign a function to a variable, pass it around, and invoke it… just like a normal function. In C# we can create a first class function using anonymous methods
{{cite web}}
: External link in
(help)[unreliable source?]|location=
- ^ Programming language pragmatics, by Michael Lee Scott, section 11.2 "Functional Programming".
- ^ Roberto Ierusalimschy; Luiz Henrique de Figueiredo; Waldemar Celes. "The Implementation of Lua 5.0" (PDF).
{{cite journal}}
: Cite journal requires|journal=
(help) - ^ a b Rod Burstall, "Christopher Strachey—Understanding Programming Languages", Higher-Order and Symbolic Computation 13:52 (2000)
- ^ Joel Moses. "The Function of FUNCTION in LISP, or Why the FUNARG Problem Should be Called the Environment Problem". MIT AI Memo 199, 1970.
- ^ "If you try to call the nested function through its address after the containing function has exited, all hell will break loose." (GNU Compiler Collection: Nested Functions)
- ^ Andrew W. Appel (1995). "Intensional Equality ;=) for Continuations".
- ^ Tanenbaum, A.S. (1977). "A comparison of PASCAL and Algol 68" (PDF). The Computer Journal. 21 (4): 319.
- ^ a b Doc No. 1968: V Samko; J Willcock, J Järvi, D Gregor, A Lumsdaine (February 26, 2006) Lambda expressions and closures for C++
- ^ http://developer.apple.com/mac/library/documentation/Cocoa/Conceptual/Blocks/Articles/00_Introduction.html
- ^ http://srfi.schemers.org/srfi-26/srfi-26.html
- ^ http://ejohn.org/blog/partial-functions-in-javascript/
- ^ http://perlgeek.de/blog-en/perl-5-to-6/28-currying.html
- ^ http://docs.python.org/whatsnew/2.5.html#pep-309-partial-function-application
- ^ http://www.daaq.net/old/php/index.php?page=php+adv+functions&parent=php+flow+control
References
- Leonidas Fegaras. "Functional Languages and Higher-Order Functions". CSE5317/CSE4305: Design and Construction of Compilers. University of Texas at Arlington.