Misplaced Pages

Recursion: Difference between revisions

Article snapshot taken from Wikipedia with creative commons attribution-sharealike license. Give it a read and then ask your questions in the chat. We can research this topic together.
Browse history interactively← Previous editContent deleted Content addedVisualWikitext
Revision as of 01:56, 28 September 2005 view source155.91.19.73 (talk) Recursion in computing← Previous edit Latest revision as of 09:29, 14 December 2024 view source Outcome0970 (talk | contribs)63 edits Undid revision 1263036308 by Outcome0970 (talk)Tags: Undo Mobile edit Mobile web edit 
Line 1: Line 1:
{{Short description|Process of repeating items in a self-similar way}}
In ] and ], '''recursion''' is a particular way of specifying (or constructing) a class of objects (or an object from a certain class) with the help of a reference to other objects of the class: a recursive definition defines objects in terms of the already defined objects of the class.
{{Other uses}}
{{pp-vandalism|small=yes}}
<!-- Making the Recursion article link to itself will not display correctly, and is considered to break ]. The joke itself is already featured in the "Recursive humor" section. See discussion on the talk page. -->


]. The woman in this image holds an object that contains a smaller image of her holding an identical object, which in turn contains a smaller image of herself holding an identical object, and so forth. 1904 Droste ] tin, designed by Jan Misset.]]
]
==An example==
For example, the following is a recursive definition of person's ancestors:
* One's parents are one's ancestors ('''base case''');
* The parents of any ancestor are also ancestors of the person under consideration ('''recursion step''').


'''Recursion''' occurs when the definition of a concept or process depends on a simpler or previous version of itself.<ref>{{Cite book |last=Causey |first=Robert L. |url=https://www.worldcat.org/oclc/62093042 |title=Logic, sets, and recursion |date=2006 |publisher=Jones and Bartlett Publishers |isbn=0-7637-3784-4 |edition=2nd|location=Sudbury, Mass. |oclc=62093042}}</ref> Recursion is used in a variety of disciplines ranging from ] to ]. The most common application of recursion is in ] and ], where a ] being defined is applied within its own definition. While this apparently defines an infinite number of instances (function values), it is often done in such a way that no infinite loop or infinite chain of references can occur.
For instance, your ancestors are:
*your parents, and
*your parents' parents (= grandparents), and
*your grandparents' parents, and
*everyone else you get by successively adding ancestors


A process that exhibits recursion is ''recursive''. ] displays recursive images, as does an ].
It is convenient to think that a recursive definition defines objects in terms of "previously defined" objects of the class to define.


==Formal definitions==
Definitions such as these are ubiquitous in mathematics. In fact, the formal definition of ]s is very similar: 0 is a natural number, and each natural number has a successor, which is also a natural number.
], an ancient symbol depicting a serpent or dragon eating its own tail]]
In mathematics and computer science, a class of objects or methods exhibits recursive behavior when it can be defined by two properties:
* {{anchor|base case}}A simple ''base case'' (or cases) — a terminating scenario that does not use recursion to produce an answer
* {{anchor|recursive step}}A ''recursive step'' — a set of rules that reduces all successive cases toward the base case.


For example, the following is a recursive definition of a person's ''ancestor''. One's ancestor is either:
For visualizing recursion, it can be helpful to consider recursively-defined geometric figures, such as the ], the ], or the ].
*One's parent (''base case''), ''or''
*One's parent's ancestor (''recursive step'').


The ] is another classic example of recursion:
Also, examples of recursion abound in natural language, often appearing as, or transforming into ]. A consideration of these jokes is useful in developing an intuition for recursion.


:{{math|1=Fib(0) = 0}} as base case 1,
For example, the process produced by responding to the question, "What do you mean what do I mean?" with "What do you mean 'What do you mean what do I mean?'?", can clearly go on forever, although it is unclear how many iterations can be meaningful...


:{{math|1=Fib(1) = 1}} as base case 2,
Although ]- and ]-types often make jokes of this kind, studying recursion in the context of ] and ] can help to understand the meaning and philosophy of language in this sense, and a careful observation of language in this sense can help to understand recursion.


:For all ]s {{math|''n'' > 1}}, {{math|1=Fib(''n'') = Fib(''n'' − 1) + Fib(''n'' − 2)}}.
==Recursion in mathematics==


Many mathematical axioms are based upon recursive rules. For example, the formal definition of the ]s by the ] can be described as: "Zero is a natural number, and each natural number has a successor, which is also a natural number."<ref>{{Cite web|url=https://www.britannica.com/science/Peano-axioms|title=Peano axioms {{!}} mathematics|website=Encyclopedia Britannica|language=en|access-date=2019-10-24}}</ref> By this base case and recursive rule, one can generate the set of all natural numbers.
Mathematical recursion involves a function calling on itself over and over until reaching an end state. Each iteration increases the depth of the call. Once the end state is achieved, the function then backs all the way out, step by step. The key points of this kind of recursion are two fold:
#You have to have a function that calls itself with a smaller subset of the values with which it began.
#The function must be aware that an end state exists which terminates the recursive process.
==Recursion in computing==
Recursion in computer programming is where a function is defined in terms of itself. The commonly used example (using the ], in this case) is the function used to calculate the ] of an ]:


Other recursively defined mathematical objects include ]s, ]s (e.g., ]s), ] (e.g., ]), and ]s.
function Factorial ( integer X )
if X < 0 then return "Invalid argument" end if
if X = 0 then return 1 end if
return Factorial(X-1) * X
end function


There are various more tongue-in-cheek definitions of recursion; see ].
Although the recursive factorial function is calculating the same value as the iterative function below, depending on language implementation, recursive function may consume additional memory for each call. I.e. factorial(20) may use ten times more memory than factorial(10). The ] language is especially good at doing recursion efficiently, but naive recursive implementations in earlier versions of ] were very inefficient.


==Informal definition==
Recursive functions are often regarded as more elegant than alternative implementations and they are usually shorter and simpler. For example, above function coded in the same language without recursion would be as follows:
] being stirred into flour to produce sourdough: the recipe calls for some sourdough left over from the last time the same recipe was made.]]


Recursion is the process a procedure goes through when one of the steps of the procedure involves invoking the procedure itself. A procedure that goes through recursion is said to be 'recursive'.<ref>{{Cite web|url=https://www.merriam-webster.com/dictionary/recursive|title=Definition of RECURSIVE|website=www.merriam-webster.com|language=en|access-date=2019-10-24}}</ref>
function Factorial ( integer X )
integer temp_result
if X < 0 then return "Invalid argument" end if
temp_result = 1
for i = 1 to X do
temp_result *= i
end for
return temp_result
end function


To understand recursion, one must recognize the distinction between a procedure and the running of a procedure. A procedure is a set of steps based on a set of rules, while the running of a procedure involves actually following the rules and performing the steps.
==Recursion in language==


Recursion is related to, but not the same as, a reference within the specification of a procedure to the execution of some other procedure.
Mathematical linguist ] produced evidence that unlimited extension of a language such as ] is possible only by the recursive device of embedding sentences in sentences. Thus, a talky little girl may say, ''"Dorothy, who met the wicked Witch of the West in Munchkin Land where her wicked Witch sister was killed, liquidated her with a pail of water."'' Clearly, two simple sentences &mdash; ''"Dorothy met the Wicked Witch of the West in Munchkin Land"'' and ''"Her sister was killed in Munchkin Land"'' &mdash; can be embedded in a third sentence, ''"Dorothy liquidated her with a pail of water,"'' to obtain a very talky sentence.


When a procedure is thus defined, this immediately creates the possibility of an endless loop; recursion can only be properly used in a definition if the step in question is skipped in certain cases so that the procedure can complete.
], the 1984 Nobel Prize laureate in Medicine and Physiology, used Chomsky's ] model to explain the human immune system, equating ''"components of a generative grammar ... with various features of protein structures."'' The title of Jerne's Stockholm Nobel lecture was ''The Generative Grammar of the Immune System''.


Even if it is properly defined, a recursive procedure is not easy for humans to perform, as it requires distinguishing the new from the old, partially executed invocation of the procedure; this requires some administration as to how far various simultaneous instances of the procedures have progressed. For this reason, recursive definitions are very rare in everyday situations.
Here is another, perhaps simpler way to understand recursive processes:


==In language==
#Are we done yet? If so, return the results. Without such a ''] condition'' a recursion would go on forever.
Linguist ], among many others, has argued that the lack of an upper bound on the number of grammatical sentences in a language, and the lack of an upper bound on grammatical sentence length (beyond practical constraints such as the time available to utter one), can be explained as the consequence of recursion in natural language.<ref>{{cite book|last=Pinker|first=Steven|title=The Language Instinct|year=1994|publisher=William Morrow}}</ref><ref>{{cite journal | doi = 10.1016/j.cognition.2004.08.004 | title = The faculty of language: What's so special about it? | year = 2005 | last1 = Pinker | first1=Steven | last2 = Jackendoff | first2=Ray | journal = Cognition | volume = 95 | issue = 2 | pages = 201–236 | pmid=15694646| citeseerx = 10.1.1.116.7784 | s2cid = 1599505 }}</ref>
#If not, ''simplify'' the problem, solve those simpler problem(s), and assemble the results into a solution for the original problem. Then return that solution.


This can be understood in terms of a recursive definition of a syntactic category, such as a sentence. A sentence can have a structure in which what follows the verb is another sentence: ''Dorothy thinks witches are dangerous'', in which the sentence ''witches are dangerous'' occurs in the larger one. So a sentence can be defined recursively (very roughly) as something with a structure that includes a noun phrase, a verb, and optionally another sentence. This is really just a special case of the mathematical definition of recursion.
A more humorous illustration goes: ''"In order to understand recursion, one must first understand recursion."'' Or perhaps more accurate is the following due to ]: ''"If you already know what recursion is, just remember the answer. Otherwise, find someone who is standing closer to ] than you are; then ask him or her what recursion is."''


This provides a way of understanding the creativity of language—the unbounded number of grammatical sentences—because it immediately predicts that sentences can be of arbitrary length: ''Dorothy thinks that Toto suspects that Tin Man said that...''. There are many structures apart from sentences that can be defined recursively, and therefore many ways in which a sentence can embed instances of one category inside another.<ref>{{Cite web|url=https://www.thoughtco.com/recursion-grammar-1691901|title=What Is Recursion in English Grammar?|last=Nordquist|first=Richard|website=ThoughtCo|language=en|access-date=2019-10-24}}</ref> Over the years, languages in general have proved amenable to this kind of analysis.
Examples of mathematical objects often defined recursively are ]s, ]s, and especially ]s.


The generally accepted idea that recursion is an essential property of human language has been challenged by ] on the basis of his claims about the ]. Andrew Nevins, David Pesetsky and Cilene Rodrigues are among many who have argued against this.<ref>{{cite journal |doi=10.1353/lan.0.0140 |title=Evidence and argumentation: A reply to Everett (2009) |url=http://web.mit.edu/linguistics/people/faculty/pesetsky/Nevins_Pesetsky_Rodrigues_2_Evidence_and_Argumentation_Reply_to_Everett.pdf |year=2009 |last1=Nevins |first1=Andrew |last2=Pesetsky |first2=David |last3=Rodrigues |first3=Cilene |journal=Language |volume=85 |issue=3 |pages=671–681 |s2cid=16915455 |archive-url=https://web.archive.org/web/20120106154616/http://web.mit.edu/linguistics/people/faculty/pesetsky/Nevins_Pesetsky_Rodrigues_2_Evidence_and_Argumentation_Reply_to_Everett.pdf |archive-date=2012-01-06}}</ref> Literary ] can in any case be argued to be different in kind from mathematical or logical recursion.<ref name="Drucker2008">{{cite book |last=Drucker|first=Thomas |title=Perspectives on the History of Mathematical Logic |url=https://books.google.com/books?id=R70M4zsVgREC&pg=PA110 |date=4 January 2008 |publisher=Springer Science & Business Media |isbn=978-0-8176-4768-1 |page=110}}</ref>
==Recurrence relations or algorithms==
]s are equations to define one or more sequences recursively. Some specific kinds of recurrence relation can be "solved" to obtain a nonrecursive definition.


Recursion plays a crucial role not only in syntax, but also in ]. The word ''and'', for example, can be construed as a function that can apply to sentence meanings to create new sentences, and likewise for noun phrase meanings, verb phrase meanings, and others. It can also apply to intransitive verbs, transitive verbs, or ditransitive verbs. In order to provide a single denotation for it that is suitably flexible, ''and'' is typically defined so that it can take any of these different types of meanings as arguments. This can be done by defining it for a simple case in which it combines sentences, and then defining the other cases recursively in terms of the simple one.<ref>Barbara Partee and Mats Rooth. 1983. In Rainer Bäuerle et al., ''Meaning, Use, and Interpretation of Language''. Reprinted in Paul Portner and Barbara Partee, eds. 2002. ''Formal Semantics: The Essential Readings''. Blackwell.</ref>
== Recursively defined sets ==


A ] is a ] that contains recursive ].<ref name="ns02">{{citation
=== Example: the natural numbers ===
| last1 = Nederhof | first1 = Mark-Jan
| last2 = Satta | first2 = Giorgio
| contribution = Parsing Non-recursive Context-free Grammars
| doi = 10.3115/1073083.1073104
| location = Stroudsburg, PA, USA
| pages = 112–119
| publisher = Association for Computational Linguistics
| title = Proceedings of the 40th Annual Meeting on Association for Computational Linguistics (ACL '02)
| year = 2002| doi-access = free
}}.</ref>


===Recursive humor===
The canonical example of a recursively defined set is given by the ]:
Recursion is sometimes used humorously in computer science, programming, philosophy, or mathematics textbooks, generally by giving a ] or ], in which the putative recursive step does not get closer to a base case, but instead leads to an ]. It is not unusual for such books to include a joke entry in their glossary along the lines of:
:Recursion, ''see Recursion''.<ref name=Hunter>{{cite book|last=Hunter|first=David|title=Essentials of Discrete Mathematics|year=2011|publisher=Jones and Bartlett|pages=494|url=https://books.google.com/books?id=kuwhTxCVovQC&q=recursion+joke|isbn=9781449604424}}</ref>


A variation is found on page 269 in the ] of some editions of ] and ]'s book '']''; the index entry recursively references itself ("recursion 86, 139, 141, 182, 202, 269"). Early versions of this joke can be found in ''Let's talk Lisp'' by Laurent Siklóssy (published by Prentice Hall PTR on December 1, 1975, with a copyright date of 1976) and in ''Software Tools'' by Kernighan and Plauger (published by Addison-Wesley Professional on January 11, 1976). The joke also appears in ''The UNIX Programming Environment'' by Kernighan and Pike. It did not appear in the first edition of ''The C Programming Language''. The joke is part of the ] folklore and was already widespread in the functional programming community before the publication of the aforementioned books. <ref name="Grainger College">{{cite web |last1=Shaffer |first1=Eric |title=CS 173:Discrete Structures |url=https://courses.engr.illinois.edu/cs173/sp2009/Lectures/lect_19.pdf |publisher=University of Illinois at Urbana-Champaign |access-date=7 July 2023}}</ref> <ref name="Columbia University">{{cite web |title=Introduction to Computer Science and Programming in C; Session 8: September 25, 2008 |url=http://www.cs.columbia.edu/~bert/courses/1003/lecture8.pdf |publisher=Columbia University |access-date=7 July 2023}}</ref>
:0 is in '''N'''
:if ''n'' is in '''N''', then ''n'' + 1 is in '''N'''
:The set of natural numbers is the smallest set satisfying the previous two properties.


]
Here's an alternative recursive definition of '''N''':


Another joke is that "To understand recursion, you must understand recursion."<ref name=Hunter/> In the English-language version of the Google web search engine, when a search for "recursion" is made, the site suggests "Did you mean: ''recursion''."<ref>{{Cite web|url=https://www.google.com/search?q=recursion|title=recursion - Google Search|website=www.google.com|access-date=2019-10-24}}</ref> An alternative form is the following, from ]: ''"If you already know what recursion is, just remember the answer. Otherwise, find someone who is standing closer to ] than you are; then ask him or her what recursion is."''
:0, 1 are in '''N''';
:if ''n'' and ''n'' + 1 are in '''N''', then ''n'' + 2 is in '''N''';
:'''N''' is the smallest set satisfying the previous two properties.


]s are other examples of recursive humor. ], for example, stands for "PHP Hypertext Preprocessor", ] stands for "WINE Is Not an Emulator", ] stands for "GNU's not Unix", and ] denotes the "SPARQL Protocol and RDF Query Language".
=== Example: The set of true reachable propositions ===


==In mathematics==
Another interesting example is the set of all true "reachable" propositions in an ].
]—a confined recursion of triangles that form a fractal]]


===Recursively defined sets===
*if a proposition is an axiom, it is a true reachable proposition.
{{Main|Recursive definition}}
*if a proposition can be obtained from true reachable propositions by means of inference rules, it is a true reachable proposition.
*The set of true reachable propositions is the smallest set of reachable propositions satisfying these conditions.


====Example: the natural numbers====
This set is called 'true reachable propositions' because: in nonconstructive approaches to the foundations of mathematics, the set of true propositions is larger than the set recursively constructed from the axioms and rules of inference. See also ].
{{See also|Closure (mathematics)}}
The canonical example of a recursively defined set is given by the ]:


:0 is in <math>\mathbb{N}</math>
(Note that determining whether a certain object is in a recursively defined set is not an algorithmic task.)
:if ''n'' is in <math>\mathbb{N}</math>, then ''n'' + 1 is in <math>\mathbb{N}</math>
:The set of natural numbers is the smallest set satisfying the previous two properties.


In mathematical logic, the ] (or Peano postulates or Dedekind–Peano axioms), are axioms for the natural numbers presented in the 19th century by the German mathematician ] and by the Italian mathematician ]. The Peano Axioms define the natural numbers referring to a recursive successor function and addition and multiplication as recursive functions.
== Recursively defined functions ==


====Example: Proof procedure ====
Functions whose domains can be recursively defined can be given recursive definitions patterned after the recursive definition of their domain.
Another interesting example is the set of all "provable" propositions in an ] that are defined in terms of a ] which is inductively (or recursively) defined as follows:


*If a proposition is an axiom, it is a provable proposition.
The canonical example of a recursively defined function is
*If a proposition can be derived from true reachable propositions by means of inference rules, it is a provable proposition.
the following definition of the ] function <math>f(n)</math>:
*The set of provable propositions is the smallest set of propositions satisfying these conditions.


===Finite subdivision rules===
<math>f (0) = 1</math>
{{Main|Finite subdivision rule}}
<math>f (n) = n * f (n-1)</math> for any natural number <math>n > 0</math>
Finite subdivision rules are a geometric form of recursion, which can be used to create fractal-like images. A subdivision rule starts with a collection of polygons labelled by finitely many labels, and then each polygon is subdivided into smaller labelled polygons in a way that depends only on the labels of the original polygon. This process can be iterated. The standard `middle thirds' technique for creating the ] is a subdivision rule, as is ].


===Functional recursion===
Given this definition, also called a '''recurrence relation''', we work out <math>f(3)</math> as follows:
A ] may be recursively defined in terms of itself. A familiar example is the ] sequence: ''F''(''n'') = ''F''(''n'' − 1) + ''F''(''n'' − 2). For such a definition to be useful, it must be reducible to non-recursively defined values: in this case ''F''(0) = 0 and ''F''(1) = 1.


===Proofs involving recursive definitions===
<math>
Applying the standard technique of ] to recursively defined sets or functions, as in the preceding sections, yields ] — a powerful generalization of ] widely used to derive proofs in ] and computer science.
f (3) = 3 * f (3 - 1)
</math>
<math>
= 3 * f (2)
</math>
<math>
= 3 * 2 * f (2 - 1)
</math>
<math>
= 3 * 2 * f (1)
</math>
<math>
= 3 * 2 * 1 * f (1 - 1)
</math>
<math>
= 3 * 2 * 1 * f (0)
</math>
<math>
= 3 * 2 * 1 * 1
</math>
<math>
= 6
</math>


== Recursive algorithms == ===Recursive optimization===
] is an approach to ] that restates a multiperiod or multistep optimization problem in recursive form. The key result in dynamic programming is the ], which writes the value of the optimization problem at an earlier time (or earlier step) in terms of its value at a later time (or later step).


===The recursion theorem===
A common method of simplification is to divide a problem into subproblems of the same type. As a ] technique, this is called ] and is key to the design of many important algorithms, as well as being a fundamental part of ].
In ], this is a theorem guaranteeing that recursively defined functions exist. Given a set {{mvar|X}}, an element {{mvar|a}} of {{mvar|X}} and a function {{math|''f'': ''X'' → ''X''}}, the theorem states that there is a unique function <math>F: \N \to X</math> (where <math>\N</math> denotes the set of natural numbers including zero) such that
:<math>F(0) = a</math>
:<math>F(n + 1) = f(F(n))</math>
for any natural number {{mvar|n}}.


Dedekind was the first to pose the problem of unique definition of set-theoretical functions on <math>\mathbb N</math> by recursion, and gave a sketch of an argument in the 1888 essay "Was sind und was sollen die Zahlen?" <ref>A. Kanamori, "", pp.50--52. Bulletin of Symbolic Logic, vol. 18, no. 1 (2012). Accessed 21 August 2023.</ref>
Virtually all ]s in use today allow the direct specification of recursive functions and procedures. When such a function is called, the computer (for most languages on most stack-based architectures) or the language implementation keeps track of the various instances of the function (on many architectures, by using a ], although other methods may be used). Conversely, every recursive function can be transformed into an iterative function by using a stack.


====Proof of uniqueness====
Any function that can be evaluated by a computer can be expressed in terms of recursive functions, without use of ], and conversely.
Take two functions <math>F: \N \to X</math> and <math>G: \N \to X</math> such that:


To make a very literal example out of this: If an unknown word is seen in a book, the reader can make a note of the current page number and put the note on a stack (which is empty so far). The reader can then look the new word up and, while reading on the subject, may find yet another unknown word. The page number of this word is also written down and put on top of the stack. At some point an article is read that does not require any explanation. The reader then returns to the previous page number and continues reading from there. This is repeated, sequentially removing the topmost note from the stack. Finally, the reader returns to the original book. This is a recursive approach.

Some languages designed for ] and ] provide recursion as the only means of repetition directly available to the programmer. Such languages generally make ] as efficient as iteration, letting programmers express other repetition structures (such as ] <code>map</code> and <code>for</code>) in terms of recursion.

Recursion is deeply embedded in the ], with the theoretical equivalence of ]s and ]s at the foundation of ideas about the universality of the modern computer.

]'s ] is another example of a recursively defined function.

The ] and ] algorithms are also commonly done using recursion, which allows them to run in an average of O(n log n) time.

Many operations involving tree data structures also use recursion, as it is often quite difficult to iteratively traverse a tree of unknown length.

In addition, some numerical methods for finding approximate solutions to mathematical equations use recursion. In ], for example, an approximate root of a function is provided as initial input to the method. The calculated result (output) is then used as input to the method, with the process repeated until a sufficiently accurate value is obtained.

== The recursion theorem ==

In ], this is a theorem guaranteeing that recursively defined functions exist. Given a set <math>X</math>, an element <math>a</math> of <math>X</math> and a function <math>f: X -> X</math>, the theorem states that there is a unique function <math>F: N -> X</math> (where <math>N</math> denotes the set of natural numbers) such that
:<math>F(0) = a</math> :<math>F(0) = a</math>
:<math>G(0) = a</math>
:<math>F(n + 1) = f(F(n))</math> :<math>F(n + 1) = f(F(n))</math>
for any natural number <math>n</math>. :<math>G(n + 1) = f(G(n))</math>

=== Proof of uniqueness ===


where {{mvar|a}} is an element of {{mvar|X}}.
Take two functions <math>f</math> and <math>g</math> of domain <math>N</math> and codomain <math>A</math> such that:


It can be proved by ] that {{math|1=''F''(''n'') = ''G''(''n'')}} for all natural numbers
:<math>f(0) = a</math>
{{mvar|n}}:
:<math>g(0) = a</math>
:<math>f(n + 1) = F(f(n))</math>
:<math>g(n + 1) = F(g(n))</math>


:'''Base Case''': {{math|1=''F''(0) = ''a'' = ''G''(0)}} so the equality holds for {{math|1=''n'' = 0}}.
where <math>a</math> is an element of <math>A</math>. We want to prove that <math>f = g</math>. Two functions are equal if they:


:'''Inductive Step''': Suppose {{math|1=''F''(''k'') = ''G''(''k'')}} for some {{nowrap|<math>k \in \N</math>.}} Then {{math|1=''F''(''k'' + 1) = ''f''(''F''(''k'')) = ''f''(''G''(''k'')) = ''G''(''k'' + 1)}}.
:''i''. have equal domains/codomains;
::Hence {{math|1=''F''(''k'') = ''G''(''k'')}} implies {{math|1=''F''(''k'' + 1) = ''G''(''k'' + 1)}}.
:''ii''. have the same graphic.


By induction, {{math|1=''F''(''n'') = ''G''(''n'')}} for all <math>n \in \N</math>.
:''i''. Done!
:''ii''. ]: for all <math>n</math> in <math>N</math>, <math>f(n) = g(n)</math>? (We shall call this condition, say, <math>Eq(n))</math>:
::1.<math>Eq(0)</math> ] <math>f(0) = g(0)</math> iff <math>a = a</math>. Done!
::2.Let <math>n</math> be an element of <math>N</math>. Assuming that <math>Eq(n)</math> holds, we want to show that <math>Eq(n + 1)</math> holds as well, which is easy because: <math>f(n + 1) = F(f(n)) = F(g(n)) = g(n + 1)</math>. Done!


==In computer science==
{{Main|Recursion (computer science)}}
A common method of simplification is to divide a problem into subproblems of the same type. As a ] technique, this is called ] and is key to the design of many important algorithms. Divide and conquer serves as a top-down approach to problem solving, where problems are solved by solving smaller and smaller instances. A contrary approach is ]. This approach serves as a bottom-up approach, where problems are solved by solving larger and larger instances, until the desired size is reached.


A classic example of recursion is the definition of the ] function, given here in ] code:
'''you should consider N union {0} as a domain of F.'''


<syntaxhighlight lang="python3">def factorial(n):
=== Proof of existence ===
if n > 0:
return n * factorial(n - 1)
else:
return 1
</syntaxhighlight>


The function calls itself recursively on a smaller version of the input {{code|(n - 1)}} and multiplies the result of the recursive call by {{code|n}}, until reaching the ], analogously to the mathematical definition of factorial.


Recursion in computer programming is exemplified when a function is defined in terms of simpler, often smaller versions of itself. The solution to the problem is then devised by combining the solutions obtained from the simpler versions of the problem. One example application of recursion is in ]s for programming languages. The great advantage of recursion is that an infinite set of possible sentences, designs or other data can be defined, parsed or produced by a finite computer program.
----


]s are equations which define one or more sequences recursively. Some specific kinds of recurrence relation can be "solved" to obtain a non-recursive definition (e.g., a ]).
Some common recurrence relations are:
* ] -- <math>n! = n (n - 1)! = n (n - 1)\cdots 1</math>
* ] -- <math>f(n) = f(n - 1) + f(n - 2)</math>
* ]s -- <math>C(2n, n)/(n + 1)</math>
* Computing compound interests
* The ]
* ]
* ]


Use of recursion in an algorithm has both advantages and disadvantages. The main advantage is usually the simplicity of instructions. The main disadvantage is that the memory usage of recursive algorithms may grow very quickly, rendering them impractical for larger instances.
==Recursion in plain English==


==In biology==
'''Recursion''' is the process a procedure goes through when one of the steps of the procedure involves rerunning the entire same procedure. A procedure that goes through recursion is said to be '''recursive'''. Something is also said to be '''recursive''' when it is the result of a recursive procedure.
Shapes that seem to have been created by recursive processes sometimes appear in plants and animals, such as in branching structures in which one large part branches out into two or more similar smaller parts. One example is ].<ref>{{cite web |title=Picture of the Day: Fractal Cauliflower |date=28 December 2012 |url=https://twistedsifter.com/2012/12/fractal-cauliflower-romanesco-broccoli/ |access-date=19 April 2020}}</ref>


== In the social sciences ==
To understand recursion, one must recognize the distinction between a procedure and the running of a procedure. A procedure is a set of steps that are to be taken based on a set of rules. The running of a procedure involves actually following the rules and performing the steps. An analogy might be that a procedure is like a menu in that it is the possible steps, while running a procedure is actually choosing the courses for the meal from the menu.
Authors use the concept of ''recursivity'' to foreground the situation in which specifically ''social'' scientists find themselves when producing knowledge about the world they are always already part of.<ref>{{Cite journal |last=Bourdieu |first=Pierre |year=1992 |title=Double Bind et Conversion |journal=Pour Une Anthropologie Réflexive |publisher=Le Seuil |publication-place=Paris}}</ref><ref>{{Cite book |last=Giddens |first=Anthony |title=Social Theory and Modern Sociology |publisher=Polity Press |year=1987}}</ref> According to Audrey Alejandro, “as social scientists, the recursivity of our condition deals with the fact that we are both subjects (as discourses are the medium through which we analyse) and objects of the academic discourses we produce (as we are social agents belonging to the world we analyse).”<ref name="Alejandro2021">{{Cite journal |last=Alejandro |first=Audrey |date=2021 |title=Reflexive discourse analysis: A methodology for the practice of reflexivity |journal=] |language=en |volume=27 |issue=1 |page=171 |doi=10.1177/1354066120969789 |s2cid=229461433 |issn=1354-0661|doi-access=free }}</ref> From this basis, she identifies in recursivity a fundamental challenge in the production of emancipatory knowledge which calls for the exercise of ] efforts:{{quote|we are socialised into discourses and dispositions produced by the socio-political order we aim to challenge, a socio-political order that we may, therefore, reproduce unconsciously while aiming to do the contrary. The recursivity of our situation as scholars – and, more precisely, the fact that the dispositional tools we use to produce knowledge about the world are themselves produced by this world – both evinces the vital necessity of implementing reflexivity in practice and poses the main challenge in doing so.|Audrey Alejandro| {{Harvp|Alejandro|2021}}}}


==In business==
A procedure is recursive if one of the steps that makes up the procedure calls for a new running of the procedure. Therefore a recursive four course meal would be a meal in which one of the choices of appetizer, salad, entrée, or dessert was an entire meal unto itself. So a recursive meal might be potato skins, baby greens salad, chicken parmesan, and for dessert, a four course meal, consisting of crab cakes, Caesar salad, for an entrée, a four course meal, and chocolate cake for dessert, so on until each of the meals within the meals is completed.
{{Further information|Management cybernetics}}


Recursion is sometimes referred to in ] as the process of iterating through levels of abstraction in large business entities.<ref>{{cite journal |title=The Canadian Small Business–Bank Interface: A Recursive Model |date=1994 |url=https://journals.sagepub.com/doi/pdf/10.1177/104225879401800401 |publisher=SAGE Journals|doi=10.1177/104225879401800401 |last1=Riding |first1=Allan |last2=Haines |first2=George H. |last3=Thomas |first3=Roland |journal=Entrepreneurship Theory and Practice |volume=18 |issue=4 |pages=5–24 }}</ref> A common example is the recursive nature of management ], ranging from ] to ] via ]. It also encompasses the larger issue of ] in ].<ref>{{cite book |last1=Beer |first1=Stafford |title=Brain Of The Firm |date=1972 |publisher=John Wiley & Sons |isbn=978-0471948391}}</ref>
A recursive procedure must complete every one of its steps. Even if a new running is called in one of its steps, each running must run through the remaining steps. What this means is that even if the salad is an entire four course meal unto itself, you still have to eat your entrée and dessert.


== Recursive humour == ==In art==
]s by ] and ], 1892]]
<!-- RECURSION JOKE -->
]'s '']'', 1320, recursively contains an image of itself (held up by the kneeling figure in the central panel).]]
<!-- Before removing this definition, please note the number of times it
{{See also|Mathematics and art|Infinity mirror}}
has been added and removed -- please add comments on the talk page
if you feel strongly about it -->
A common ]y joke (for example ) is the following "definition" of recursion.


The ] is a physical artistic example of the recursive concept.<ref>{{cite web |last1=Tang |first1=Daisy |title=Recursion |url=http://www.cpp.edu/~ftang/courses/CS240/lectures/recursion.htm |access-date=24 September 2015 |quote=More examples of recursion: Russian Matryoshka dolls. Each doll is made of solid wood or is hollow and contains another Matryoshka doll inside it.}}</ref>
:'''Recursion'''
::See "]".


Recursion has been used in paintings since ]'s '']'', made in 1320. Its central panel contains the kneeling figure of Cardinal Stefaneschi, holding up the triptych itself as an offering.<ref>{{cite web |title=Giotto di Bondone and assistants: Stefaneschi triptych |url=http://mv.vatican.va/3_EN/pages/PIN/PIN_Sala02_03.html |publisher=The Vatican |access-date=16 September 2015}}</ref><ref>{{Cite book |title=Physical (A)Causality: Determinism, Randomness and Uncaused Events |url=https://books.google.com/books?id=gxBMDwAAQBAJ&pg=PA12 |first=Karl |last=Svozil |year=2018 |publisher=Springer |pages=12| isbn=9783319708157 }}</ref> This practice is more generally known as the ], an example of the ] technique.
This is a parody on references in dictionaries, which in some careless cases may lead to ]s; in fact the above is the shortest possible one. Every joke has an element of wisdom, and also an element of misunderstanding. This one is also the second-shortest possible example of an erroneous recursive definition of an object, the error being the absence of the ] condition (or lack of the initial state, if to look at it from an opposite point of view). Newcomers to recursion are often bewildered by its apparent circularity, until they learn to appreciate that a termination condition is key.


]'s '']'' (1956) is a print which depicts a distorted city containing a gallery which ]ly contains the picture, and so '']''.<ref>{{cite web |last1=Cooper |first1=Jonathan |title=Art and Mathematics |url=https://unwrappingart.com/art/art-and-mathematics/ |access-date=5 July 2020 |date=5 September 2007}}</ref>
Other examples are ]s, such as ], ] or TTP (]; "The TTP Project").
{{Clear}}


== See also == == In culture ==
The film '']'' has colloquialized the appending of the suffix '']'' to a noun to jokingly indicate the recursion of something.<ref>{{cite web |title=-ception – The Rice University Neologisms Database |url=http://neologisms.rice.edu/index.php?a=term&d=1&t=17573 |url-status=live |archive-url=https://web.archive.org/web/20170705153941/http://neologisms.rice.edu/index.php?a=term&d=1&t=17573 |archive-date=July 5, 2017 |access-date=December 23, 2016 |publisher=Rice University}}</ref>
* ]
* (''wiktionary link'')
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]
* ]


== References == ==See also==
* {{Annotated link|Corecursion}}
* {{Annotated link|Course-of-values recursion}}
* {{Annotated link|Digital infinity}}
* {{Annotated link|A Dream Within a Dream (poem)}}
* {{Annotated link|Droste effect}}
* {{Annotated link|False awakening}}
* {{Annotated link|Fixed point combinator}}
* {{Annotated link|Infinite compositions of analytic functions}}
* {{Annotated link|Infinite loop}}
* {{Annotated link|Infinite regress}}
* {{Annotated link|Infinitism}}
* {{Annotated link|Infinity mirror}}
* {{Annotated link|Iterated function}}
* {{Annotated link|Mathematical induction}}
* {{Annotated link|Mise en abyme}}
<!-- {{Annotated link|Recursion}} and ] will not display correctly in this list, and including it
is considered to break ]. See discussion on the talk page.-->
* {{Annotated link|Reentrant (subroutine)}}
* {{Annotated link|Self-reference}}
* {{Annotated link|Spiegel im Spiegel}}
* {{Annotated link|Strange loop}}
* {{Annotated link|Tail recursion}}
* {{Annotated link|Tupper's self-referential formula}}
* {{Annotated link|Turtles all the way down}}


==References==
*{{Book reference | Author=Johnsonbaugh, Richard | Title=Discrete Mathematics | Publisher=Prentice Hall | Year=2004 | ID=ISBN 0131176862}}
{{Reflist}}
*{{Book reference | Author=Hofstadter, Douglas | Title=Gödel, Escher, Bach: an Eternal Golden Braid | Publisher=Basic Books | Year=1999 | ID=ISBN 0465026567}}
*{{Book reference | Author=Shoenfield, Joseph R. | Title=Recursion Theory | Publisher=A K Peters Ltd | Year=2000 | ID=ISBN 1568811497}}
*{{Book reference | Author=Causey, Robert L. | Title=Logic, Sets, and Recursion | Publisher=Jones & Bartlett | Year=2001 | ID=ISBN 0763716952}}
*{{Book reference | Author=Cori, Rene; Lascar, Daniel; Pelletier, Donald H. | Title=Recursion Theory, Godel's Theorems, Set Theory, Model Theory | Publisher=Oxford University Press | Year=2001 | ID=ISBN 0198500505}}
*{{Book reference | Author=Barwise, Jon; Moss, Lawrence S. | Title=Vicious Circles | Publisher=Stanford Univ Center for the Study of Language and Information | Year=1996 | ID=ISBN 0198500505}} - offers a treatment of ].
*{{Book reference | Author=Rossen, Kenneth H. | Title=Discrete Mathematics and Its Applications | Publisher=McGraw-Hill College | Year=2002 | ID=ISBN 0072930330}}
*{{Book reference | Author=Coremen, Thomas H., Charles E. Leiserson, Ronald L. Rivest | Title=Introduction to Algorithms | Publisher=Mit Pr | Year=2001 | ID=ISBN 0262032937}}


==Bibliography==
== External links ==
{{refbegin}}
* {{cite journal|first=Edsger W.|last=Dijkstra|author-link=Edsger W. Dijkstra|title=Recursive Programming|journal=Numerische Mathematik|volume=2|issue=1|year=1960|pages=312–318|doi=10.1007/BF01386232|s2cid=127891023}}
*{{cite book | author=Johnsonbaugh, Richard|author-link=Richard Johnsonbaugh | title=Discrete Mathematics | publisher=Prentice Hall | year=2004 | isbn=978-0-13-117686-7 }}
*{{cite book | author=Hofstadter, Douglas | author-link=Douglas Hofstadter | title=Gödel, Escher, Bach: an Eternal Golden Braid | publisher=Basic Books | year=1999 | isbn=978-0-465-02656-2 | url=https://archive.org/details/gdelescherbachet00hofs }}
*{{cite book | author=Shoenfield, Joseph R. |author-link=Joseph R. Shoenfield| title=Recursion Theory | url=https://archive.org/details/recursiontheory0000shoe | url-access=registration | publisher=A K Peters Ltd | year=2000 | isbn=978-1-56881-149-9 }}
*{{cite book | author=] | title=Logic, Sets, and Recursion | url=https://archive.org/details/logicsetsrecursi0000caus | url-access=registration | publisher=Jones & Bartlett | year=2001 | isbn=978-0-7637-1695-0 }}
*{{cite book |author1=Cori, Rene |author2=Lascar, Daniel |author3=Pelletier, Donald H. | title=Recursion Theory, Gödel's Theorems, Set Theory, Model Theory | publisher=Oxford University Press | year=2001 | isbn=978-0-19-850050-6 }}
*{{cite book | author1=Barwise, Jon| author2=Moss, Lawrence S. |author1-link=Jon Barwise| title=Vicious Circles | publisher=Stanford Univ Center for the Study of Language and Information | year=1996 | isbn=978-0-19-850050-6 }} - offers a treatment of ].
*{{cite book | author=Rosen, Kenneth H. | title=Discrete Mathematics and Its Applications | publisher=McGraw-Hill College | year=2002 | isbn=978-0-07-293033-7 }}
*{{cite book | last1=Cormen |first1=Thomas H. |first2=Charles E. |last2=Leiserson |first3=Ronald L. |last3=Rivest |first4=Clifford |last4=Stein | title=Introduction to Algorithms | publisher=Mit Pr | year=2001 | isbn=978-0-262-03293-3 }}
*{{cite book |author1=Kernighan, B. |author2=Ritchie, D. |title=The C programming Language |publisher=Prentice Hall |year=1988 |isbn=978-0-13-110362-7 |url=https://archive.org/details/cprogramminglang00bria }}
*{{cite book |author1=Stokey, Nancy |author2=Robert Lucas |author3=Edward Prescott | title=Recursive Methods in Economic Dynamics | publisher=Harvard University Press | year=1989 | isbn=978-0-674-75096-8}}
*{{cite book | author=Hungerford |title=Algebra | publisher=Springer|year=1980|isbn=978-0-387-90518-1}}, first chapter on set theory.
{{refend}}


==External links==
* , Animated ]
{{Commons category}}
* , Requires Flash
{{Wiktionary|recursion|recursivity}}
* , Requires Flash
* Tutorial "" by ] * - tutorial by Alan Gauld
*
*
*
* , recursive image


{{Fractals}}
]
{{Mathematical logic}}
]
{{Authority control}}
]
]
]


]
]
]
]
]
]
] ]
]
]
]
]
]
]
]
]
]
]
]
]
]
]

Latest revision as of 09:29, 14 December 2024

Process of repeating items in a self-similar way For other uses, see Recursion (disambiguation).

A visual form of recursion known as the Droste effect. The woman in this image holds an object that contains a smaller image of her holding an identical object, which in turn contains a smaller image of herself holding an identical object, and so forth. 1904 Droste cocoa tin, designed by Jan Misset.

Recursion occurs when the definition of a concept or process depends on a simpler or previous version of itself. Recursion is used in a variety of disciplines ranging from linguistics to logic. The most common application of recursion is in mathematics and computer science, where a function being defined is applied within its own definition. While this apparently defines an infinite number of instances (function values), it is often done in such a way that no infinite loop or infinite chain of references can occur.

A process that exhibits recursion is recursive. Video feedback displays recursive images, as does an infinity mirror.

Formal definitions

Ouroboros, an ancient symbol depicting a serpent or dragon eating its own tail

In mathematics and computer science, a class of objects or methods exhibits recursive behavior when it can be defined by two properties:

  • A simple base case (or cases) — a terminating scenario that does not use recursion to produce an answer
  • A recursive step — a set of rules that reduces all successive cases toward the base case.

For example, the following is a recursive definition of a person's ancestor. One's ancestor is either:

  • One's parent (base case), or
  • One's parent's ancestor (recursive step).

The Fibonacci sequence is another classic example of recursion:

Fib(0) = 0 as base case 1,
Fib(1) = 1 as base case 2,
For all integers n > 1, Fib(n) = Fib(n − 1) + Fib(n − 2).

Many mathematical axioms are based upon recursive rules. For example, the formal definition of the natural numbers by the Peano axioms can be described as: "Zero is a natural number, and each natural number has a successor, which is also a natural number." By this base case and recursive rule, one can generate the set of all natural numbers.

Other recursively defined mathematical objects include factorials, functions (e.g., recurrence relations), sets (e.g., Cantor ternary set), and fractals.

There are various more tongue-in-cheek definitions of recursion; see recursive humor.

Informal definition

Sourdough starter being stirred into flour to produce sourdough: the recipe calls for some sourdough left over from the last time the same recipe was made.

Recursion is the process a procedure goes through when one of the steps of the procedure involves invoking the procedure itself. A procedure that goes through recursion is said to be 'recursive'.

To understand recursion, one must recognize the distinction between a procedure and the running of a procedure. A procedure is a set of steps based on a set of rules, while the running of a procedure involves actually following the rules and performing the steps.

Recursion is related to, but not the same as, a reference within the specification of a procedure to the execution of some other procedure.

When a procedure is thus defined, this immediately creates the possibility of an endless loop; recursion can only be properly used in a definition if the step in question is skipped in certain cases so that the procedure can complete.

Even if it is properly defined, a recursive procedure is not easy for humans to perform, as it requires distinguishing the new from the old, partially executed invocation of the procedure; this requires some administration as to how far various simultaneous instances of the procedures have progressed. For this reason, recursive definitions are very rare in everyday situations.

In language

Linguist Noam Chomsky, among many others, has argued that the lack of an upper bound on the number of grammatical sentences in a language, and the lack of an upper bound on grammatical sentence length (beyond practical constraints such as the time available to utter one), can be explained as the consequence of recursion in natural language.

This can be understood in terms of a recursive definition of a syntactic category, such as a sentence. A sentence can have a structure in which what follows the verb is another sentence: Dorothy thinks witches are dangerous, in which the sentence witches are dangerous occurs in the larger one. So a sentence can be defined recursively (very roughly) as something with a structure that includes a noun phrase, a verb, and optionally another sentence. This is really just a special case of the mathematical definition of recursion.

This provides a way of understanding the creativity of language—the unbounded number of grammatical sentences—because it immediately predicts that sentences can be of arbitrary length: Dorothy thinks that Toto suspects that Tin Man said that.... There are many structures apart from sentences that can be defined recursively, and therefore many ways in which a sentence can embed instances of one category inside another. Over the years, languages in general have proved amenable to this kind of analysis.

The generally accepted idea that recursion is an essential property of human language has been challenged by Daniel Everett on the basis of his claims about the Pirahã language. Andrew Nevins, David Pesetsky and Cilene Rodrigues are among many who have argued against this. Literary self-reference can in any case be argued to be different in kind from mathematical or logical recursion.

Recursion plays a crucial role not only in syntax, but also in natural language semantics. The word and, for example, can be construed as a function that can apply to sentence meanings to create new sentences, and likewise for noun phrase meanings, verb phrase meanings, and others. It can also apply to intransitive verbs, transitive verbs, or ditransitive verbs. In order to provide a single denotation for it that is suitably flexible, and is typically defined so that it can take any of these different types of meanings as arguments. This can be done by defining it for a simple case in which it combines sentences, and then defining the other cases recursively in terms of the simple one.

A recursive grammar is a formal grammar that contains recursive production rules.

Recursive humor

Recursion is sometimes used humorously in computer science, programming, philosophy, or mathematics textbooks, generally by giving a circular definition or self-reference, in which the putative recursive step does not get closer to a base case, but instead leads to an infinite regress. It is not unusual for such books to include a joke entry in their glossary along the lines of:

Recursion, see Recursion.

A variation is found on page 269 in the index of some editions of Brian Kernighan and Dennis Ritchie's book The C Programming Language; the index entry recursively references itself ("recursion 86, 139, 141, 182, 202, 269"). Early versions of this joke can be found in Let's talk Lisp by Laurent Siklóssy (published by Prentice Hall PTR on December 1, 1975, with a copyright date of 1976) and in Software Tools by Kernighan and Plauger (published by Addison-Wesley Professional on January 11, 1976). The joke also appears in The UNIX Programming Environment by Kernighan and Pike. It did not appear in the first edition of The C Programming Language. The joke is part of the functional programming folklore and was already widespread in the functional programming community before the publication of the aforementioned books.

A plaque commemorates the Toronto Recursive History Project of Toronto's Recursive History.

Another joke is that "To understand recursion, you must understand recursion." In the English-language version of the Google web search engine, when a search for "recursion" is made, the site suggests "Did you mean: recursion." An alternative form is the following, from Andrew Plotkin: "If you already know what recursion is, just remember the answer. Otherwise, find someone who is standing closer to Douglas Hofstadter than you are; then ask him or her what recursion is."

Recursive acronyms are other examples of recursive humor. PHP, for example, stands for "PHP Hypertext Preprocessor", WINE stands for "WINE Is Not an Emulator", GNU stands for "GNU's not Unix", and SPARQL denotes the "SPARQL Protocol and RDF Query Language".

In mathematics

The Sierpinski triangle—a confined recursion of triangles that form a fractal

Recursively defined sets

Main article: Recursive definition

Example: the natural numbers

See also: Closure (mathematics)

The canonical example of a recursively defined set is given by the natural numbers:

0 is in N {\displaystyle \mathbb {N} }
if n is in N {\displaystyle \mathbb {N} } , then n + 1 is in N {\displaystyle \mathbb {N} }
The set of natural numbers is the smallest set satisfying the previous two properties.

In mathematical logic, the Peano axioms (or Peano postulates or Dedekind–Peano axioms), are axioms for the natural numbers presented in the 19th century by the German mathematician Richard Dedekind and by the Italian mathematician Giuseppe Peano. The Peano Axioms define the natural numbers referring to a recursive successor function and addition and multiplication as recursive functions.

Example: Proof procedure

Another interesting example is the set of all "provable" propositions in an axiomatic system that are defined in terms of a proof procedure which is inductively (or recursively) defined as follows:

  • If a proposition is an axiom, it is a provable proposition.
  • If a proposition can be derived from true reachable propositions by means of inference rules, it is a provable proposition.
  • The set of provable propositions is the smallest set of propositions satisfying these conditions.

Finite subdivision rules

Main article: Finite subdivision rule

Finite subdivision rules are a geometric form of recursion, which can be used to create fractal-like images. A subdivision rule starts with a collection of polygons labelled by finitely many labels, and then each polygon is subdivided into smaller labelled polygons in a way that depends only on the labels of the original polygon. This process can be iterated. The standard `middle thirds' technique for creating the Cantor set is a subdivision rule, as is barycentric subdivision.

Functional recursion

A function may be recursively defined in terms of itself. A familiar example is the Fibonacci number sequence: F(n) = F(n − 1) + F(n − 2). For such a definition to be useful, it must be reducible to non-recursively defined values: in this case F(0) = 0 and F(1) = 1.

Proofs involving recursive definitions

Applying the standard technique of proof by cases to recursively defined sets or functions, as in the preceding sections, yields structural induction — a powerful generalization of mathematical induction widely used to derive proofs in mathematical logic and computer science.

Recursive optimization

Dynamic programming is an approach to optimization that restates a multiperiod or multistep optimization problem in recursive form. The key result in dynamic programming is the Bellman equation, which writes the value of the optimization problem at an earlier time (or earlier step) in terms of its value at a later time (or later step).

The recursion theorem

In set theory, this is a theorem guaranteeing that recursively defined functions exist. Given a set X, an element a of X and a function f: XX, the theorem states that there is a unique function F : N X {\displaystyle F:\mathbb {N} \to X} (where N {\displaystyle \mathbb {N} } denotes the set of natural numbers including zero) such that

F ( 0 ) = a {\displaystyle F(0)=a}
F ( n + 1 ) = f ( F ( n ) ) {\displaystyle F(n+1)=f(F(n))}

for any natural number n.

Dedekind was the first to pose the problem of unique definition of set-theoretical functions on N {\displaystyle \mathbb {N} } by recursion, and gave a sketch of an argument in the 1888 essay "Was sind und was sollen die Zahlen?"

Proof of uniqueness

Take two functions F : N X {\displaystyle F:\mathbb {N} \to X} and G : N X {\displaystyle G:\mathbb {N} \to X} such that:

F ( 0 ) = a {\displaystyle F(0)=a}
G ( 0 ) = a {\displaystyle G(0)=a}
F ( n + 1 ) = f ( F ( n ) ) {\displaystyle F(n+1)=f(F(n))}
G ( n + 1 ) = f ( G ( n ) ) {\displaystyle G(n+1)=f(G(n))}

where a is an element of X.

It can be proved by mathematical induction that F(n) = G(n) for all natural numbers n:

Base Case: F(0) = a = G(0) so the equality holds for n = 0.
Inductive Step: Suppose F(k) = G(k) for some k N {\displaystyle k\in \mathbb {N} } . Then F(k + 1) = f(F(k)) = f(G(k)) = G(k + 1).
Hence F(k) = G(k) implies F(k + 1) = G(k + 1).

By induction, F(n) = G(n) for all n N {\displaystyle n\in \mathbb {N} } .

In computer science

Main article: Recursion (computer science)

A common method of simplification is to divide a problem into subproblems of the same type. As a computer programming technique, this is called divide and conquer and is key to the design of many important algorithms. Divide and conquer serves as a top-down approach to problem solving, where problems are solved by solving smaller and smaller instances. A contrary approach is dynamic programming. This approach serves as a bottom-up approach, where problems are solved by solving larger and larger instances, until the desired size is reached.

A classic example of recursion is the definition of the factorial function, given here in Python code:

def factorial(n):
    if n > 0:
        return n * factorial(n - 1)
    else:
        return 1

The function calls itself recursively on a smaller version of the input (n - 1) and multiplies the result of the recursive call by n, until reaching the base case, analogously to the mathematical definition of factorial.

Recursion in computer programming is exemplified when a function is defined in terms of simpler, often smaller versions of itself. The solution to the problem is then devised by combining the solutions obtained from the simpler versions of the problem. One example application of recursion is in parsers for programming languages. The great advantage of recursion is that an infinite set of possible sentences, designs or other data can be defined, parsed or produced by a finite computer program.

Recurrence relations are equations which define one or more sequences recursively. Some specific kinds of recurrence relation can be "solved" to obtain a non-recursive definition (e.g., a closed-form expression).

Use of recursion in an algorithm has both advantages and disadvantages. The main advantage is usually the simplicity of instructions. The main disadvantage is that the memory usage of recursive algorithms may grow very quickly, rendering them impractical for larger instances.

In biology

Shapes that seem to have been created by recursive processes sometimes appear in plants and animals, such as in branching structures in which one large part branches out into two or more similar smaller parts. One example is Romanesco broccoli.

In the social sciences

Authors use the concept of recursivity to foreground the situation in which specifically social scientists find themselves when producing knowledge about the world they are always already part of. According to Audrey Alejandro, “as social scientists, the recursivity of our condition deals with the fact that we are both subjects (as discourses are the medium through which we analyse) and objects of the academic discourses we produce (as we are social agents belonging to the world we analyse).” From this basis, she identifies in recursivity a fundamental challenge in the production of emancipatory knowledge which calls for the exercise of reflexive efforts:

we are socialised into discourses and dispositions produced by the socio-political order we aim to challenge, a socio-political order that we may, therefore, reproduce unconsciously while aiming to do the contrary. The recursivity of our situation as scholars – and, more precisely, the fact that the dispositional tools we use to produce knowledge about the world are themselves produced by this world – both evinces the vital necessity of implementing reflexivity in practice and poses the main challenge in doing so.

— Audrey Alejandro, Alejandro (2021)

In business

Further information: Management cybernetics

Recursion is sometimes referred to in management science as the process of iterating through levels of abstraction in large business entities. A common example is the recursive nature of management hierarchies, ranging from line management to senior management via middle management. It also encompasses the larger issue of capital structure in corporate governance.

In art

Recursive dolls: the original set of Matryoshka dolls by Zvyozdochkin and Malyutin, 1892
Front face of Giotto's Stefaneschi Triptych, 1320, recursively contains an image of itself (held up by the kneeling figure in the central panel).
See also: Mathematics and art and Infinity mirror

The Matryoshka doll is a physical artistic example of the recursive concept.

Recursion has been used in paintings since Giotto's Stefaneschi Triptych, made in 1320. Its central panel contains the kneeling figure of Cardinal Stefaneschi, holding up the triptych itself as an offering. This practice is more generally known as the Droste effect, an example of the Mise en abyme technique.

M. C. Escher's Print Gallery (1956) is a print which depicts a distorted city containing a gallery which recursively contains the picture, and so ad infinitum.

In culture

The film Inception has colloquialized the appending of the suffix -ception to a noun to jokingly indicate the recursion of something.

See also

References

  1. Causey, Robert L. (2006). Logic, sets, and recursion (2nd ed.). Sudbury, Mass.: Jones and Bartlett Publishers. ISBN 0-7637-3784-4. OCLC 62093042.
  2. "Peano axioms | mathematics". Encyclopedia Britannica. Retrieved 2019-10-24.
  3. "Definition of RECURSIVE". www.merriam-webster.com. Retrieved 2019-10-24.
  4. Pinker, Steven (1994). The Language Instinct. William Morrow.
  5. Pinker, Steven; Jackendoff, Ray (2005). "The faculty of language: What's so special about it?". Cognition. 95 (2): 201–236. CiteSeerX 10.1.1.116.7784. doi:10.1016/j.cognition.2004.08.004. PMID 15694646. S2CID 1599505.
  6. Nordquist, Richard. "What Is Recursion in English Grammar?". ThoughtCo. Retrieved 2019-10-24.
  7. Nevins, Andrew; Pesetsky, David; Rodrigues, Cilene (2009). "Evidence and argumentation: A reply to Everett (2009)" (PDF). Language. 85 (3): 671–681. doi:10.1353/lan.0.0140. S2CID 16915455. Archived from the original (PDF) on 2012-01-06.
  8. Drucker, Thomas (4 January 2008). Perspectives on the History of Mathematical Logic. Springer Science & Business Media. p. 110. ISBN 978-0-8176-4768-1.
  9. Barbara Partee and Mats Rooth. 1983. In Rainer Bäuerle et al., Meaning, Use, and Interpretation of Language. Reprinted in Paul Portner and Barbara Partee, eds. 2002. Formal Semantics: The Essential Readings. Blackwell.
  10. Nederhof, Mark-Jan; Satta, Giorgio (2002), "Parsing Non-recursive Context-free Grammars", Proceedings of the 40th Annual Meeting on Association for Computational Linguistics (ACL '02), Stroudsburg, PA, USA: Association for Computational Linguistics, pp. 112–119, doi:10.3115/1073083.1073104.
  11. ^ Hunter, David (2011). Essentials of Discrete Mathematics. Jones and Bartlett. p. 494. ISBN 9781449604424.
  12. Shaffer, Eric. "CS 173:Discrete Structures" (PDF). University of Illinois at Urbana-Champaign. Retrieved 7 July 2023.
  13. "Introduction to Computer Science and Programming in C; Session 8: September 25, 2008" (PDF). Columbia University. Retrieved 7 July 2023.
  14. "recursion - Google Search". www.google.com. Retrieved 2019-10-24.
  15. A. Kanamori, "In Praise of Replacement", pp.50--52. Bulletin of Symbolic Logic, vol. 18, no. 1 (2012). Accessed 21 August 2023.
  16. "Picture of the Day: Fractal Cauliflower". 28 December 2012. Retrieved 19 April 2020.
  17. Bourdieu, Pierre (1992). "Double Bind et Conversion". Pour Une Anthropologie Réflexive. Paris: Le Seuil.
  18. Giddens, Anthony (1987). Social Theory and Modern Sociology. Polity Press.
  19. Alejandro, Audrey (2021). "Reflexive discourse analysis: A methodology for the practice of reflexivity". European Journal of International Relations. 27 (1): 171. doi:10.1177/1354066120969789. ISSN 1354-0661. S2CID 229461433.
  20. Riding, Allan; Haines, George H.; Thomas, Roland (1994). "The Canadian Small Business–Bank Interface: A Recursive Model". Entrepreneurship Theory and Practice. 18 (4). SAGE Journals: 5–24. doi:10.1177/104225879401800401.
  21. Beer, Stafford (1972). Brain Of The Firm. John Wiley & Sons. ISBN 978-0471948391.
  22. Tang, Daisy. "Recursion". Retrieved 24 September 2015. More examples of recursion: Russian Matryoshka dolls. Each doll is made of solid wood or is hollow and contains another Matryoshka doll inside it.
  23. "Giotto di Bondone and assistants: Stefaneschi triptych". The Vatican. Retrieved 16 September 2015.
  24. Svozil, Karl (2018). Physical (A)Causality: Determinism, Randomness and Uncaused Events. Springer. p. 12. ISBN 9783319708157.
  25. Cooper, Jonathan (5 September 2007). "Art and Mathematics". Retrieved 5 July 2020.
  26. "-ception – The Rice University Neologisms Database". Rice University. Archived from the original on July 5, 2017. Retrieved December 23, 2016.

Bibliography

External links

Fractals
Characteristics
Iterated function
system
Strange attractor
L-system
Escape-time
fractals
Rendering techniques
Random fractals
People
Other
Mathematical logic
General
Theorems (list)
 and paradoxes
Logics
Traditional
Propositional
Predicate
Set theory
Types of sets
Maps and cardinality
Set theories
Formal systems (list),
language and syntax
Example axiomatic
systems
 (list)
Proof theory
Model theory
Computability theory
Related
icon Mathematics portal
Categories: