Function object

Function object

A function object, also called a functor or functional, is a computer programming construct allowing an object to be invoked or called as if it were an ordinary function, usually with the same syntax.

Function objects are unrelated to "functors" in the mathematical field of category theory.

Description

A typical use of a functor is in writing callback functions. A callback in procedural languages, such as C, may be accomplished by using function pointers. However it can be difficult or awkward to pass state into or out of the callback function. This restriction also inhibits more dynamic behavior of the function. A functor solves those problems since the function is really a façade for a full object, thus it carries its own state.

Most modern object-oriented languages such as C++, Java, Python, Ruby and Lisp support the definition of functors and may even make significant use of them.

Origins

Smalltalk was one of the first languages to support functors through the use of block constructs that are an integral part of the language syntax. For example, one can supply functors asarguments to collection objects to provide filtering & sorting. It is a perfect realization of the strategy pattern that promotes the use of pluggable behaviour.

Functors in C and C++

Consider the example of a sorting routine which uses a callback function to define an ordering relation between a pair of items. A C program using function pointers may appear as:

/* Callback function */int compare_function(int A, int B) { return (A < B);}.../* Declaration of C sorting function */void sort_ints(int* begin_items, int num_items, int (*cmpfunc)(int, int) );...int main() { int items [] = {4, 3, 1, 2}; sort_ints(items, sizeof(items)/sizeof(int), compare_function);}

In C++ a functor may be used instead of an ordinary function by defining a class which overloads the function call operator by defining an operator() member function. In C++ this is called a class type functor, and may appear as follows:

class compare_class { public: bool operator()(int A, int B) { return (A < B); ;...// Declaration of C++ sorting function.template void sort_ints(int* begin_items, int num_items, ComparisonFunctor c);...int main() { int items [] = {4, 3, 1, 2}; compare_class functor; sort_ints(items, sizeof(items)/sizeof(int), functor);}

Notice that the syntax for providing the callback to the sort_ints() function is identical, but an object is passed instead of a function pointer. When invoked, the callback function is executed just as any other member function, and therefore has full access to the other members (data or functions) of the object.

It is possible to use function objects in situations other than as callback functions (although the shortened term "functor" is normally not used). Continuing the example,

functor_class Y; int result = Y( a, b );

In addition to class type functors, other kinds of function objects are also possible in C++. They can take advantage of C++'s member-pointer or template facilities. The expressiveness of templates allows some functional programming techniques to be used, such as defining functors in terms of other functors (like function composition). Much of the C++ Standard Template Library (STL) makes heavy use of template-based function objects.

Performance

An advantage of function objects in C++ is performance because unlike a function pointer, a function object can be inlined. For example, consider a simple function which increments its argument implemented as a function object:

struct IncrementFunctor { void operator()(int &i) { ++i; ;and as a free function:void increment_function(int &i) { ++i; }Recall the standard library function std::for_each():templateFunction for_each(InputIterator first, InputIterator last, Function f) { for ( ; first != last; ++first) f(*first); return f;}Suppose we apply std::for_each() like so:int A [] = {1, 4, 2, 8, 5, 7};const int N = sizeof(A) / sizeof(A [0] );for_each(A, A + N, IncrementFunctor());for_each(A, A + N, increment_function);Both calls to for_each() will work as expected. The first call will be to this version:IncrementFunctor for_each(int*, int*, IncrementFunctor)the second will be to this version:void(*)(int&) for_each(int*, int*, void(*)(int&))Within for_each(), the compiler will be able to inline the function object because the function is known at compile time whereas within for_each() the function cannot be known at compile time and so cannot be inlined.

Actually, a function can easily be known at compile time and the compiler will happily inline it, if it is instructed to. The only requirement is that the compiler has seen the function definition, and that applies equally to functions inside a class or outside. In case we are not inlining however, the linker is instructed to "silently" drop multiple definitions of the same function from different compilation units, without producing an error, but only if said function is a class function. The linker will not dismiss multiple definitions of the same function if it is not a class function.

Maintain State

One advantage of functors is that they can maintain state (as fields of the object) between calls. This is in general a practice to avoid, it's not compatible with the STL, but occasionally it can be useful. For example, the following code defines a generator (a function that takes no arguments) that counts from 10 up, and we invoke the generator 11 times and print the results.
#include
#include
#include

class countfrom {private: int count;public: countfrom(int n) : count(n) {} int operator()() { return count++; ;

int main() { std::generate_n(std::ostream_iterator(std::cout, " "), 11, countfrom(10)); return 0;}

Functors in D

D provides several ways of declaring functors.Lisp/Python-style using closures or C#-style using delegates, respectively:

bool find(T)(T [] haystack, bool delegate(T) needle_test) { foreach ( straw; haystack ) { if ( needle_test(straw) ) return true; } return false;}

void main() { int [] haystack = [345,15,457,9,56,123,456] ; int needle = 123; bool needleTest(int n) { return n = needle; } assert( find(haystack, &needleTest) );}

The difference between a delegate and a closure in D is automatically and conservatively determined by the compiler.D also supports function literals, that allow a lambda-style definition:

void main() { int [] haystack = [345,15,457,9,56,123,456] ; int needle = 123; assert( find(haystack, (int n) { return n = needle; }) );}

In order to allow the compiler to inline the code (see above), functors can also be specified C++-style using operator overloading:

bool find(T,F)(T [] haystack, F needle_test) { foreach ( straw; haystack ) { if ( needle_test(straw) ) return true; } return false;}

void main() { int [] haystack = [345,15,457,9,56,123,456] ; int needle = 123; class NeedleTest { int needle; this(int n) { needle = n; } bool opCall(int n) { return n = needle; } } assert( find(haystack, new NeedleTest(needle)) );}

Functors in Java

Since Java does not have first-class functions, functors are usually expressed by an interface with a single method, typically with the implementation being an anonymous inner class.

For an example from Java's standard library, java.util.Collections.sort() takes a List and a functor whose role is to compare objects in the List. But because Java does not have first-class functions, the function is part of the Comparator interface. This could be used as follows.

List list = Arrays.asList(new String [] { "10", "1", "20", "11", "21", "12"}); Collections.sort(list, new Comparator() { public int compare(String o1, String o2) { return Integer.valueOf(o1).compareTo(Integer.valueOf(o2)); );

Functors in Python

In Python, functions are objects, just like strings, numbers, lists, and so on. This feature eliminates the need to create a functor object in many cases. However, any object with a __call__() method may be called using function-call syntax.

An example is this Accumulator class (based on Paul Graham's study on programming language syntax and clarity [http://www.paulgraham.com/accgen.html here] ):

class Accumulator(object): def __init__(self, n): self.n = n def __call__(self, x): self.n += x return self.n

An example of this in use (using the interactive interpreter):

>>> a = Accumulator(4) >>> a(5) 9 >>> a(2) 11 >>> b = Accumulator(42) >>> b(7) 49

Another way to construct a functor in Python is to use a closure:

def Accumulator(n): def inc(x): inc.n += x return inc.n inc.n = n return inc

Functors in Lisp

In Common Lisp, Scheme and other languages in that family, functions are objects, just like strings, vectors, lists, numbers and so forth. A closure-constructing operator creates a function-object from a piece of the program itself: the piece of code given as an argument to the operator is part of the function, and so is the lexical environment: the bindings of the lexically visible variables are "captured" and stored in the functor, which is more commonly called a closure. The captured bindings play the role of "member variables", and the code part of the closure plays the role of the "anonymous member function", just like operator () in C++.

The closure constructor has the syntax (lambda (parameters ...) code ...). The (parameters ...) part allows an interface to be declared, so that the function takes the declared parameters. The code ... part consists of expressions that are evaluated when the functor is called.

Many uses of functors in languages like C++ are simply emulations of the missing closure constructor. Since the programmer cannot directly construct a closure, he or she must define a class which has all of the necessary state variables, and also a member function. Then, construct an instance of that class instead, ensuring that all the member variables are initialized through its constructor. The values are derived precisely from those local variables that ought to be captured directly by a closure.

A function-object using the class system, no use of closures:(defclass counter () ((value :initarg :value :accessor value-of)))

(defmethod functor-call ((c counter)) (incf (value-of c)))

(defun make-counter (initial-value) (make-instance 'counter :value initial-value))

;;; use the counter:

(defvar *c* (make-counter 10))

(functor-call *c*) --> 11(functor-call *c*) --> 12 Since there is no standard way to make funcallable objects in Lisp, we fake it by defining a generic function called FUNCTOR-CALL. This can be specialized for any class whatsoever. The standard FUNCALL function is not generic; it only takes function objects.

It is this FUNCTOR-CALL generic function which gives us functors, which are "a computer programming construct allowing an object to be invoked or called as if it were an ordinary function, usually with the same syntax." We have almost the same syntax: FUNCTOR-CALL instead of FUNCALL. Some Lisps provide "funcallable" objects as a simple extension. Making objects callable using the same syntax as functions is a fairly trivial business. Making a function call operator work with different kinds of "function things", whether they be class objects or closures is no more complicated than making a + operator that works with different kinds of numbers, such as integers, reals or complex numbers.

Now, a counter implemented using a closure. This is much more brief and direct. The INITIAL-VALUE argument of the MAKE-COUNTER factory function is captured and used directly. It does not have to be copied into some auxiliary class object through a constructor. It is the counter. An auxiliary object is created, but that happens "behind the scenes".

(defun make-counter (initial-value) (lambda () (incf initial-value)))

;;; use the counter

(defvar *c* (make-counter 10))

(funcall *c*) --> 11(funcall *c*) --> 12

More than one closure can be created in the same lexical environment. A vector of closures, each implementing a specific kind of operation, can quite faithfully emulate an object that has a set of virtual operations. That type of single dispatch object-oriented programming can be done entirely with closures.

So there exists a kind of tunnel being dug from both sides of the proverbial mountain. Programmers in OOP languages discover functors by restricting objects to have one "main" function to "do" that object's functional purpose, and even eliminate its name so that it looks like the object is being called! While programmers who use closures are not surprised that an object is called like a function, they discover that multiple closures sharing the same environment can provide a complete set of abstract operations like a virtual table for single dispatch type OOP.

Functors in Ruby

Ruby has a number of objects that can be considered functors, in particular Method and Proc. Ruby also has two kinds of objects that can be thought of as semi-functors: UnboundMethod and block. UnboundMethods must first be bound to an object (thus becoming a Method) before they can be used as a functor. Blocks can be called like functors, but in order to be used in any other capacity as an object (eg. passed as an argument) they must first be converted to a Proc. More recently, symbols (accessed via the literal unary indicator :) can also be converted to Procs. Using Ruby's unary & operator&mdash;equivalent to calling to_proc on an object, and assuming that method exists&mdash;the Ruby Extensions Project [http://blogs.pragprog.com/cgi-bin/pragdave.cgi/Tech/Ruby/ToProc.rdoc created a simple hack.]

class Symbol def to_proc proc { |obj, *args| obj.send(self, *args) } endend

Now, method foo can be a functor, i.e. a Proc, via &:foo and used via takes_a_functor(&:foo). Symbol.to_proc was officially added to Ruby on June 11, 2006 during RubyKaiga2006. [http://redhanded.hobix.com/cult/symbolTo_procExonerated.html]

Because of the variety of forms, the term Functor is not generally used in Ruby to mean a Function object. Rather it has come to represent a type of dispatch delegation introduced by the [http://facets.rubyforge.org Ruby Facets] project. The most basic definition of which is:

class Functor def initialize(&func) @func = func end def method_missing(op, *args, &blk) @func.call(op, *args, &blk) endend

This usage is more akin to that used by functional programming languages, like ML, and the original mathematical terminology.

Other meanings of functor

In some functional programming languages, such as ML, a functor represents a mapping from modules to modules, and is a technique for reusing code. Functors used in this manner are analogous to the original mathematical meaning of functor in category theory, or to the use of templates in C++.

In a more theoretical context a "function object" may be considered to be any instance of the class of functions, especially in languages such as Common Lisp in which functions are first-class objects. In this case the shortened term functor is rarely used.

In Prolog and related languages, functor is a synonym for function symbol.

See also

*function closure
*Command pattern

References

*Vandevoorde, David, & Josuttis, Nicolai M. "", ISBN 0-201-73484-2 (Specifically, chapter 22 is entirely devoted to function objects.)

External links

* [http://c2.com/cgi/wiki?FunctorObject Description from the Portland Pattern Repository]
*" [http://www.two-sdg.demon.co.uk/curbralan/papers/AsynchronousC++.pdf C++ Advanced Design Issues - Asynchronous C++] " by Kevlin Henney
* [http://www.newty.de/fpt/index.html The Function Pointer Tutorials] by Lars Haendel (2000/2001)
*Article " [http://cuj.com/documents/s=8464/cujcexp0308sutter/ Generalized Function Pointers] " by Herb Sutter
* [http://jga.sourceforge.net/ Generic Algorithms for Java]


Wikimedia Foundation. 2010.

Look at other dictionaries:

  • function object — noun An object that encapsulates a function pointer (or equivalent). Syn: functor …   Wiktionary

  • Function — may refer to:* Function (biology), explaining why a feature survived selection * Function (mathematics), an abstract entity that associates an input to a corresponding output according to some rule * Function (engineering), related to the… …   Wikipedia

  • Object (computer science) — In computer science, an object is any entity that can be manipulated by the commands of a programming language, such as a value, variable, function, or data structure. (With the later introduction of object oriented programming the same word,… …   Wikipedia

  • Function pointer — A function pointer is a type of pointer in C, C++, D, and other C like programming languages, and Fortran 2003.[1] When dereferenced, a function pointer can be used to invoke a function and pass it arguments just like a normal function. In… …   Wikipedia

  • Object Linking and Embedding — (OLE) is a technology developed by Microsoft that allows embedding and linking to documents and other objects. For developers, it brought OLE Control eXtension (OCX), a way to develop and use custom user interface elements. On a technical level,… …   Wikipedia

  • Function overloading — or method overloading is a feature found in various programming languages such as Ada, C#, VB.NET, C++, D and Java that allows the creation of several methods with the same name which differ from each other in terms of the type of the input and… …   Wikipedia

  • Object-oriented analysis and design — (OOAD) is a software engineering approach that models a system as a group of interacting objects. Each object represents some entity of interest in the system being modeled, and is characterised by its class, its state (data elements), and its… …   Wikipedia

  • Object Pascal — Семантика: императивная Класс языка: мультипарадигмальный: императивный, структурный, объектно ориентированный, обобщённый[1], процедурный Тип исполнения: компилируемый …   Википедия

  • Object Windows Library — Developer(s) Originally Borland (now Codegear) Initial release 1991 Stable release OWLNext 6.30.9 / September 2, 2010; 14 months ago (2010 09 02) …   Wikipedia

  • Object recognition — in computer vision is a task of finding given object in an image or video sequence. Humans recognize a multitude of objects in images with little effort, despite the fact that the image of the objects may vary somewhat in different view points,… …   Wikipedia

Share the article and excerpts

Direct link
Do a right-click on the link above
and select “Copy Link”