Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

Function object

From Wikipedia, the free encyclopedia
Programming construct
This article is about the computer programming concept of function objects. For functors in mathematics, seeFunctor. For the related concept in functional programming, seeFunctor (functional programming).
This articleneeds additional citations forverification. Please helpimprove this article byadding citations to reliable sources. Unsourced material may be challenged and removed.
Find sources: "Function object" – news ·newspapers ·books ·scholar ·JSTOR
(February 2009) (Learn how and when to remove this message)

Incomputer programming, afunction object[a] is a construct allowing anobject to be invoked or called as if it were an ordinaryfunction, usually with the same syntax (a function parameter that can also be a function). In some languages, particularly C++, function objects are often calledfunctors (not related tothe functional programming concept).

Description

[edit]

A typical use of a function object is in writingcallback functions. A callback inprocedural languages, such asC, may be performed by usingfunction pointers.[2] However it can be difficult or awkward to pass a state into or out of the callback function. This restriction also inhibits more dynamic behavior of the function. A function object solves those problems since the function is really afaçade for a full object, carrying its own state.

Many modern (and some older) languages, e.g.C++,Eiffel,Groovy,Lisp,Smalltalk,Perl,PHP,Python,Ruby,Scala, and many others, supportfirst-class function objects and may even make significant use of them.[3]Functional programming languages additionally supportclosures, i.e. first-class functions that can 'close over' variables in their surrounding environment at creation time. During compilation, a transformation known aslambda lifting converts the closures into function objects.

In C and C++

[edit]

Consider the example of a sorting routine that uses a callback function to define an ordering relation between a pair of items. The following C/C++ program uses function pointers:

#include<stdlib.h>/* qsort() callback function, returns < 0 if a < b, > 0 if a > b, 0 if a == b */intcompareInts(constvoid*a,constvoid*b){return(*(int*)a-*(int*)b);}...// prototype of qsort is// void qsort(void *base, size_t nel, size_t width, int (*compar)(const void *, const void *));...intmain(void){intitems[]={4,3,1,2};qsort(items,sizeof(items)/sizeof(items[0]),sizeof(items[0]),compareInts);return0;}

In C++, a function object may be used instead of an ordinary function by defining a class thatoverloads thefunction call operator by defining anoperator() member function. In C++, this may appear as follows:

// comparator predicate: returns true if a < b, false otherwisestructIntComparator{booloperator()(constint&a,constint&b)const{returna<b;}};intmain(){std::vector<int>items{4,3,1,2};std::sort(items.begin(),items.end(),IntComparator());return0;}

Notice that the syntax for providing the callback to thestd::sort() 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. Of course, this is just a trivial example. To understand what power a functor provides more than a regular function, consider the common use case of sorting objects by a particular field. In the following example, a functor is used to sort a simple employee database by each employee's ID number.

structCompareBy{conststd::stringSORT_FIELD;CompareBy(conststd::string&sort_field="name"):SORT_FIELD(sort_field){/* validate sort_field */}booloperator()(constEmployee&a,constEmployee&b)const{if(SORT_FIELD=="name")returna.name<b.name;elseif(SORT_FIELD=="age")returna.age<b.age;elseif(SORT_FIELD=="idnum")returna.idnum<b.idnum;else/* throw exception or something */}};intmain(){std::vector<Employee>emps;/* code to populate database */// Sort the database by employee ID numberstd::sort(emps.begin(),emps.end(),CompareBy("idnum"));return0;}

InC++11, the lambda expression provides a more succinct way to do the same thing.

intmain(){std::vector<Employee>emps;/* code to populate database */conststd::stringsort_field="idnum";std::sort(emps.begin(),emps.end(),[&sort_field](constEmployee&a,constEmployee&b)const{/* code to select and compare field */});return0;}


It is possible to use function objects in situations other than as callback functions. In this case, the shortened termfunctor is normallynot used about the function object. Continuing the example,

IntComparatorcpm;boolresult=cpm(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 ortemplate facilities. The expressiveness of templates allows somefunctional programming techniques to be used, such as defining function objects in terms of other function objects (likefunction composition). Much of the C++Standard Template Library (STL) makes heavy use of template-based function objects.

Another way to create a function object in C++ is to define a non-explicit conversion function to a function pointer type, a functionreference type, or a reference to function pointer type. Assuming the conversion does not discardcv-qualifiers, this allows an object of that type to be used as a function with the samesignature as the type it is converted to. Modifying an earlier example to use this we obtain the following class, whose instances can be called like function pointers:[4]

// comparator predicate: returns true if a < b, false otherwisestructIntComparator{staticboolcompare(constint&a,constint&b){returna<b;}usingT=decltype(compare);operatorT*()const{returncompare;}};intmain(){std::vector<int>items{4,3,1,2};std::sort(items.begin(),items.end(),IntComparator());return0;}

Maintaining state

[edit]

Another advantage of function objects is their ability to maintain a state that affectsoperator() between calls. For example, the following code defines agenerator counting from 10 upwards and is invoked 11 times.

#include<algorithm>#include<iostream>#include<iterator>classCountFrom{public:CountFrom(intcount):count_(count){}intoperator()(){returncount_++;}private:intcount_;};intmain(){constintstate(10);std::generate_n(std::ostream_iterator<int>(std::cout,"\n"),11,CountFrom(state));}

In C++14 or later, the example above could be rewritten as:

#include<algorithm>#include<iostream>#include<iterator>intmain(){std::generate_n(std::ostream_iterator<int>(std::cout,"\n"),11,[count=10]()mutable{returncount++;});}

In C#

[edit]

InC#, function objects are declared viadelegates. A delegate can be declared using a named method or alambda expression. Here is an example using a named method.

usingSystem;usingSystem.Collections.Generic;publicclassComparisonClass1{publicstaticintCompareFunction(intx,inty){returnx-y;}publicstaticvoidMain(){varitems=newList<int>{4,3,1,2};Comparison<int>del=CompareFunction;items.Sort(del);}}

Here is an example using a lambda expression.

usingSystem;usingSystem.Collections.Generic;publicclassComparisonClass2{publicstaticvoidMain(){varitems=newList<int>{4,3,1,2};items.Sort((x,y)=>x-y);}}

In D

[edit]

D provides several ways to declare function objects: Lisp/Python-style viaclosures or C#-style viadelegates, respectively:

boolfind(T)(T[]haystack,booldelegate(T)needle_test){foreach(straw;haystack){if(needle_test(straw))returntrue;}returnfalse;}voidmain(){int[]haystack=[345,15,457,9,56,123,456];intneedle=123;boolneedleTest(intn){returnn==needle;}assert(find(haystack,&needleTest));}

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

voidmain(){int[]haystack=[345,15,457,9,56,123,456];intneedle=123;assert(find(haystack,(intn){returnn==needle;}));}

To allow the compiler to inline the code (see above), function objects can also be specified C++-style viaoperator overloading:

boolfind(T,F)(T[]haystack,Fneedle_test){foreach(straw;haystack){if(needle_test(straw))returntrue;}returnfalse;}voidmain(){int[]haystack=[345,15,457,9,56,123,456];intneedle=123;classNeedleTest{intneedle;this(intn){needle=n;}boolopCall(intn){returnn==needle;}}assert(find(haystack,newNeedleTest(needle)));}

In Eiffel

[edit]

In theEiffel software development method and language, operations and objects are seen always as separate concepts. However, theagent mechanism facilitates the modeling of operations as runtime objects. Agents satisfy the range of application attributed to function objects, such as being passed as arguments in procedural calls or specified as callback routines. The design of the agent mechanism in Eiffel attempts to reflect the object-oriented nature of the method and language. An agent is an object that generally is a direct instance of one of the two library classes, which model the two types of routines in Eiffel:PROCEDURE andFUNCTION. These two classes descend from the more abstractROUTINE.

Within software text, the language keywordagent allows agents to be constructed in a compact form. In the following example, the goal is to add the action of stepping the gauge forward to the list of actions to be executed in the event that a button is clicked.

my_button.select_actions.extend(agentmy_gauge.step_forward)

The routineextend referenced in the example above is a feature of a class in a graphical user interface (GUI) library to provideevent-driven programming capabilities.

In other library classes, agents are seen to be used for different purposes. In a library supporting data structures, for example, a class modeling linear structures effectsuniversal quantification with a functionfor_all of typeBOOLEAN that accepts an agent, an instance ofFUNCTION, as an argument. So, in the following example,my_action is executed only if all members ofmy_list contain the character '!':

my_list:LINKED_LIST[STRING]...ifmy_list.for_all(agent{STRING}.has('!'))thenmy_actionend...

When agents are created, the arguments to the routines they model and even the target object to which they are applied can be eitherclosed or leftopen. Closed arguments and targets are given values at agent creation time. The assignment of values for open arguments and targets is deferred until some point after the agent is created. The routinefor_all expects as an argument an agent representing a function with one open argument or target that conforms to actual generic parameter for the structure (STRING in this example.)

When the target of an agent is left open, the class name of the expected target, enclosed in braces, is substituted for an object reference as shown in the textagent {STRING}.has ('!') in the example above. When an argument is left open, the question mark character ('?') is coded as a placeholder for the open argument.

The ability to close or leave open targets and arguments is intended to improve the flexibility of the agent mechanism. Consider a class that contains the following procedure to print a string on standard output after a new line:

print_on_new_line(s:STRING)-- Print `s' preceded by a new linedoprint("%N"+s)end

The following snippet, assumed to be in the same class, usesprint_on_new_line to demonstrate the mixing of open arguments and open targets in agents used as arguments to the same routine.

my_list:LINKED_LIST[STRING]...my_list.do_all(agentprint_on_new_line(?))my_list.do_all(agent{STRING}.to_lower)my_list.do_all(agentprint_on_new_line(?))...

This example uses the proceduredo_all for linear structures, which executes the routine modeled by an agent for each item in the structure.

The sequence of three instructions prints the strings inmy_list, converts the strings to lowercase, and then prints them again.

Proceduredo_all iterates across the structure executing the routine substituting the current item for either the open argument (in the case of the agents based onprint_on_new_line), or the open target (in the case of the agent based onto_lower).

Open and closed arguments and targets also allow the use of routines that call for more arguments than are required by closing all but the necessary number of arguments:

my_list.do_all(agentmy_multi_arg_procedure(closed_arg_1,?,closed_arg_2,closed_arg_3)

The Eiffel agent mechanism is detailed in theEiffel ISO/ECMA standard document.

In Java

[edit]

Java has nofirst-class functions, so function objects are usually expressed by an interface with a single method (most commonly theCallable interface), typically with the implementation being an anonymousinner class, or, starting in Java 8, alambda.

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

List<String>list=Arrays.asList("10","1","20","11","21","12");Comparator<String>numStringComparator=newComparator<String>(){publicintcompare(Stringstr1,Stringstr2){returnInteger.valueOf(str1).compareTo(Integer.valueOf(str2));}};Collections.sort(list,numStringComparator);

In Java 8+, this can be written as:

List<String>list=Arrays.asList("10","1","20","11","21","12");Comparator<String>numStringComparator=(str1,str2)->Integer.valueOf(str1).compareTo(Integer.valueOf(str2));Collections.sort(list,numStringComparator);

In JavaScript

[edit]

InJavaScript, functions are first class objects. JavaScript also supports closures.

Compare the following with the subsequent Python example.

functionAccumulator(start){varcurrent=start;returnfunction(x){returncurrent+=x;};}

An example of this in use:

vara=Accumulator(4);varx=a(5);// x has value 9x=a(2);// x has value 11varb=Accumulator(42);x=b(7);// x has value 49 (current = 49 in closure b)x=a(7);// x has value 18 (current = 18 in closure a)

In Julia

[edit]

InJulia, methods are associated with types, so it is possible to make any arbitrary Julia object "callable" by adding methods to its type. (Such "callable" objects are sometimes called "functors.")

An example is this accumulator mutable struct (based onPaul Graham's study on programming language syntax and clarity):[5]

julia>mutablestructAccumulatorn::Intendjulia>function(acc::Accumulator)(n2)acc.n+=n2endjulia>a=Accumulator(4)Accumulator(4)julia>a(5)9julia>a(2)11julia>b=Accumulator(42)Accumulator(42)julia>b(7)49

Such an accumulator can also be implemented using closure:

julia>functionAccumulator(n0)n=n0function(n2)n+=n2endendAccumulator (generic function with 1 method)julia>a=Accumulator(4)(::#1) (generic function with 1 method)julia>a(5)9julia>a(2)11julia>b=Accumulator(42)(::#1) (generic function with 1 method)julia>b(7)49

In Lisp and Scheme

[edit]

In Lisp family languages such asCommon Lisp,Scheme, and others, functions are objects, just like strings, vectors, lists, and numbers. A closure-constructing operator creates afunction object from a part of the program: the part 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 arecaptured and stored in the function object, which is more commonly called aclosure. The captured bindings play the role ofmember variables, and the code part of the closure plays the role of theanonymous 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. Thecode ... 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, they must define a class that 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 in Common Lisp, no use of closures:

(defclasscounter()((value:initarg:value:accessorvalue-of)))(defmethodfunctor-call((ccounter))(incf(value-ofc)))(defunmake-counter(initial-value)(make-instance'counter:valueinitial-value));;; use the counter:(defvar*c*(make-counter10))(functor-call*c*)-->11(functor-call*c*)-->12

Since there is no standard way to make funcallable objects in Common 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 that gives us function objects, which area computer programming construct allowing an object to be invoked or called as if it were an ordinary function, usually with the same syntax. We havealmost the same syntax: FUNCTOR-CALL instead of FUNCALL. Some Lisps providefuncallable 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 offunction 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-COUNTERfactory function is captured and used directly. It does not have to be copied into some auxiliary class object through a constructor. Itis the counter. An auxiliary object is created, but that happensbehind the scenes.

(defunmake-counter(value)(lambda()(incfvalue)));;; use the counter(defvar*c*(make-counter10))(funcall*c*); --> 11(funcall*c*); --> 12

Scheme makes closures even simpler, and Scheme code tends to use such higher-order programming somewhat more idiomatically.

(define(make-countervalue)(lambda()(set!value(+value1))value));;; use the counter(definec(make-counter10))(c); --> 11(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 ofsingle dispatch object-oriented programming can be done fully with closures.

Thus there exists a kind of tunnel being dug from both sides of the proverbial mountain. Programmers in OOP languages discover function objects by restricting objects to have onemain function todo 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 forsingle dispatch type OOP.

In Objective-C

[edit]

InObjective-C, a function object can be created from theNSInvocation class. Construction of a function object requires a method signature, the target object, and the target selector. Here is an example for creating an invocation to the current object'smyMethod:

// Construct a function objectSELsel=@selector(myMethod);NSInvocation*inv=[NSInvocationinvocationWithMethodSignature:[selfmethodSignatureForSelector:sel]];[invsetTarget:self];[invsetSelector:sel];// Do the actual invocation[invinvoke];

An advantage ofNSInvocation is that the target object can be modified after creation. A singleNSInvocation can be created and then called for each of any number of targets, for instance from an observable object. AnNSInvocation can be created from only a protocol, but it is not straightforward. Seehere.

In Perl

[edit]

InPerl, a function object can be created either from a class's constructor returning a function closed over the object's instance data, blessed into the class:

packageAcc1;subnew{my$class=shift;my$arg=shift;my$obj=sub{my$num=shift;$arg+=$num;};bless$obj,$class;}1;

or by overloading the&{} operator so that the object can be used as a function:

packageAcc2;useoverload'&{}'=>sub{my$self=shift;sub{my$num=shift;$self->{arg}+=$num;}};subnew{my$class=shift;my$arg=shift;my$obj={arg=>$arg};bless$obj,$class;}1;

In both cases the function object can be used either using the dereferencing arrow syntax$ref->(@arguments):

useAcc1;my$a=Acc1->new(42);print$a->(10),"\n";# prints 52print$a->(8),"\n";# prints 60

or using the coderef dereferencing syntax&$ref(@arguments):

useAcc2;my$a=Acc2->new(12);print&$a(10),"\n";# prints 22print&$a(8),"\n";# prints 30

In PHP

[edit]

PHP 5.3+ hasfirst-class functions that can be used e.g. as parameter to theusort() function:

$a=array(3,1,4);usort($a,function($x,$y){return$x-$y;});

PHP 5.3+, supports also lambda functions and closures.

functionAccumulator($start){$current=$start;returnfunction($x)use(&$current){return$current+=$x;};}

An example of this in use:

$a=Accumulator(4);$x=$a(5);echo"x =$x<br/>";// x = 9$x=$a(2);echo"x =$x<br/>";// x = 11

It is also possible in PHP 5.3+ to make objects invokable by adding a magic__invoke() method to their class:[6]

classMinus{publicfunction__invoke($x,$y){return$x-$y;}}$a=array(3,1,4);usort($a,newMinus());

In PowerShell

[edit]

In theWindows PowerShell language, a script block is a collection of statements or expressions that can be used as a single unit. A script block can accept arguments and return values. A script block is an instance of a Microsoft.NET Framework type System.Management.Automation.ScriptBlock.

FunctionGet-Accumulator($x){{param($y)return$x+=$y}.GetNewClosure()}
PS C:\>$a=Get-Accumulator4PS C:\>&$a59PS C:\>&$a211PS C:\>$b=Get-Accumulator32PS C:\>&$b1042

In Python

[edit]

InPython, functions are first-class objects, just like strings, numbers, lists etc. This feature eliminates the need to write a function object in many cases. Any object with a__call__() method can be called using function-call syntax.

An example is this accumulator class (based onPaul Graham's study on programming language syntax and clarity):[7]

classAccumulator:def__init__(self,n)->None:self.n=ndef__call__(self,x):self.n+=xreturnself.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

Since functions are objects, they can also be defined locally, given attributes, and returned by other functions,[8] as demonstrated in the following example:

defAccumulator(n):definc(x):nonlocalnn+=xreturnnreturninc

In Ruby

[edit]

InRuby, several objects can be considered function objects, in particular Method and Proc objects. Ruby also has two kinds of objects that can be thought of as semi-function objects: UnboundMethod and block. UnboundMethods must first be bound to an object (thus becoming a Method) before they can be used as a function object. Blocks can be called like function objects, but to be used in any other capacity as an object (e.g. 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 toProcs. Using Ruby's unary& operator—equivalent to callingto_proc on an object, andassuming that method exists—theRuby Extensions Projectcreated a simple hack.

classSymboldefto_procproc{|obj,*args|obj.send(self,*args)}endend

Now, methodfoo can be a function object, i.e. aProc, via&:foo and used viatakes_a_functor(&:foo).Symbol.to_proc was officially added to Ruby on June 11, 2006 during RubyKaigi2006.[1]

Because of the variety of forms, the term Functor is not generally used in Ruby to mean a Function object.Just a type of dispatchdelegation introduced by theRuby Facets project is named as Functor. The most basic definition of which is:

classFunctordefinitialize(&func)@func=funcenddefmethod_missing(op,*args,&blk)@func.call(op,*args,&blk)endend

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

Other meanings

[edit]

In a more theoretical context afunction object may be considered to be any instance of the class of functions, especially in languages such asCommon Lisp in which functions arefirst-class objects.

TheML family offunctional programming languages uses the termfunctor to represent amapping from modules to modules, or from types to types and is a technique for reusing code. Functors used in this manner are analogous to the original mathematical meaning offunctor incategory theory, or to the use of generic programming in C++, Java orAda.

InHaskell, the termfunctor is also used for a concept related to the meaning offunctor in category theory.

InProlog and related languages,functor is a synonym forfunction symbol.

See also

[edit]

Notes

[edit]
  1. ^In C++, afunctionoid is an object that has one major method, and afunctor is a special case of a functionoid.[1] They are similar to a function object,but not the same.

References

[edit]
  1. ^What's the difference between a functionoid and a functor?
  2. ^Silan Liu."C++ Tutorial Part I - Basic: 5.10 Function pointers are mainly used to achieve call back technique, which will be discussed right after". TRIPOD: Programming Tutorials Copyright © Silan Liu 2002. Retrieved2012-09-07.Function pointers are mainly used to achieve call back technique, which will be discussed right after.
  3. ^Paweł Turlejski (2009-10-02)."C++ Tutorial Part I - Basic: 5.10 Function pointers are mainly used to achieve call back technique, which will be discussed right after". Just a Few Lines. Retrieved2012-09-07.PHP 5.3, along with many other features, introduced closures. So now we can finally do all the cool stuff that Ruby / Groovy / Scala / any_modern_language guys can do, right? Well, we can, but we probably won't… Here's why.
  4. ^"Overload resolution§Call to a class object".cppreference.com.
  5. ^Accumulator Generator
  6. ^PHP Documentation on Magic Methods
  7. ^Accumulator Generator
  8. ^Python reference manual - Function definitions

Further reading

[edit]
  • David Vandevoorde & Nicolai M Josuttis (2006).C++ Templates: The Complete Guide,ISBN 0-201-73484-2: Specifically, chapter 22 is devoted to function objects.

External links

[edit]
Retrieved from "https://en.wikipedia.org/w/index.php?title=Function_object&oldid=1270278645"
Categories:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp