Click here to Skip to main content
15,867,686 members
Articles / Artificial Intelligence

Recursive methods using C#

Rate me:
Please Sign up or sign in to vote.
4.43/5 (74 votes)
23 Apr 2013CPOL4 min read 900.1K   2.9K   91   126
For beginners, Recursive introduction, Examples, Benefits and Defects. A part of Data structure.

What is Recursive Function/Method?

A Method can call another methods but it can also call itself. When a mathod calls itself, it'll be named recursive method.
A Recursive usuallly, has the two specifications:

  1. Recursive method calls itself so many times until being satisfied.
  2. Recursive method has parameter(s) and calls itself with new parameter values.

So, what is recursive function? There is no difference between function and method except that functions are not utilizable outside of their classes. In C# we had only method but anonymous function has been added to C#, since .NET Framework 3.5. (more information)

So, it's better to say Recursive method instead of Recursive function and I say Recursive in this artcile.

Why, when and how to use Recursive in our application?

"Any program that can be written using assignment, the if-then-else statement and the while statement can also be written using assignment, if-then-else and Recursion". (Fundamentals of Data Structure in C by Ellis Horowitz)

Recursive solution is a powerful and simple approach for complicated developments, but it can worsen performance because of using call stack again and again (sometimes scandal performance).

Look at the Diagram:

Image 1

Call Stack Diagram

I'm going to give examples for a better conseption of its risks and rewards:

1. The Factorial

We know that the factorial (!) of a positive integer number is the product of all positive integers less than or equal to the number.

0! = 1
1! = 1
2! = 2 * 1! = 2
3! = 3 * 2! = 6
... 
n! = n * (n - 1)!

The following code is a method to compute the Factorial (no recursive):

C#
public long Factorial(int n)
{
    if (n == 0)
        return 1;
    long value = 1;
    for (int i = n; i > 0; i--)
    {
        value *= i;
    }
    return value;
}

Computing the Factorial by a recursive method. Shorter and clearer than previous code :

C#
public long Factorial(int n)
{
    if (n == 0)//The condition that limites the method for calling itself
        return 1;
    return n * Factorial(n - 1);
}

You know, the factorial of n is actually the factorial of (n-1) mutiplied by n, if n > 0.

Or:

Factorial(n) returns Factorial(n-1) * n

That is the returned value of the method; and before that, we need a condition:

If n = 0 Then Return 1

I think, the program logic is now clear and we can understand it.

2. The Fibonacci Numbers

The Fibonacci numbers are the numbers in the following sequence:

0,1,1,2,3,5,8,13,21,34,55,…

If F0 = 0 and F1= 1 then:

Fn = Fn-1 + Fn-2

The following code is a method to compute F<sub>n</sub> (no recursive and high performance):

C#
public long Fib(int n)
{
    if (n < 2)
        return n;
    long[] f = new long[n+1];
    f[0] = 0;
    f[1] = 1;
    
    for (int i = 2; i <= n; i++)
    {
        f[i] = f[i - 1] + f[i - 2];
    }
    return f[n];
}

If we use recursive method, our code will be more simple, but a very poor performance:

C#
public long Fib(int n)
{
    if (n == 0 || n == 1)//satisfaction condition
        return n;
    return Fib(k - 2) + Fib(k - 1);
}

3. Boolean Compositions

Sometimes solving the problem is more complicated than the Fibonacci. For example, we want to show all possible compositions for n Boolean variables. In other words, if n = 3, then we must have the following output:

true, true, true
true, true, false
true, false, true
true, false, false
false, true, true
false, true, false
false, false, true
false, false, false

Solving this problem without a recursive function is not so easy and not simple, when we have quantities for n.

C#
public void CompositionBooleans(string result, int counter)
{
    if (counter == 0)
        return;

    bool[] booleans = new bool[2] { true, false };

    for (int j = 0; j < 2; j++)
    {
        StringBuilder stringBuilder = new StringBuilder(result);
        stringBuilder.Append(string.Format("{0} ", booleans[j].ToString())).ToString();

        if (counter == 1)
            Console.WriteLine(stringBuilder.ToString());

        CompositionBooleans(stringBuilder.ToString(), counter - 1);
    }
}

Now, we can use and call this method:

C#
CompositionBoolean(string.Empty, 3);

For using Recursive, Ian Shlasko suggested this:

C#
public void BooleanCompositions(int count)
{
  BooleanCompositions(count - 1, "true");
  BooleanCompositions(count - 1, "false");
}

private void BooleanCompositions(int counter, string partialOutput)
{
  if (counter <= 0)
    Console.WriteLine(partialOutput);
  else
  {
    BooleanCompositions(counter - 1, partialOutput+ ", true");
    BooleanCompositions(counter - 1, partialOutput+ ", false");
  }
}

4. InnerExceptions

Recursive methods are useful for getting the last innerException:

C#
public Exception GetInnerException(Exception ex)
{
    return (ex.InnerException == null) ? ex : GetInnerException(ex.InnerException);
}

Why the last innerException?! That's beside the point. The subject of our talk is, if you want to get the last innerException, you can count on Recursive method.

This code:

C#
return (ex.InnerException == null) ? ex : GetInnerException(ex.InnerException);

is abridgment of and equivalent to the following code:

C#
if (ex.InnerException == null)//Condition for limiting
    return ex;
return GetInnerException(ex.InnerException);//Calling the method with inner exception parameter

Now, when we have an exception, we can find the last innerException of the exception. For example:

C#
try
{
    throw new Exception("This is the exception",
        new Exception("This is the first inner exception.",
            new Exception("This is the last inner exception.")));
}
catch (Exception ex)
{
    Console.WriteLine(GetInnerException(ex).Message);
}

I decided to write about Anonymous Recurcive Methods, but I could't explain that better this article.

5. Find Files

Image 2

I used Recursive in the sample project that you can download it. It's able to search a path and get all files form the current folder and subfolders.

C#
private Dictionary<string, string> errors = new Dictionary<string, string>();
private List<string> result = new List<string>();

private void SearchForFiles(string path)
{
   try
   {
      foreach (string fileName in Directory.GetFiles(path))//Gets all files in the current path
      {
          result.Add(fileName);
      }

      foreach (string directory in Directory.GetDirectories(path))//Gets all folders in the current path
      {
         SearchForFiles(directory);//The methods calls itself with a new parameter, here!
      }
   }
   catch (System.Exception ex)
   {
      errors.Add(path, ex.Message);//Stores Error Messages in a dictionary with path in key
   }
}

The method seems not to have any satisfy condition because it will be satisfied in each directory automatically, if it iterates all files and doesn't find any subfolder there.

Consequently

We can use iterative algorithms instead of recursive and have a better performance but we may also have time expense and None-Recursive Function. The point is we have to choose the best approach which depends on situations.

Dr. James McCaffrey believes that don't use Recursive unless necessary. Read his article.

I prefer to:
A) Avoid using Recursive when the performance is a very-very important critical subject.
B) Avoid of using Recursive, when the iterative is not very "complicated".
C) Do not procrastinate about using Recursive, if (!A && !B)

For example:

Section 1 (Factorial): The iterative is not complicated then avoid recursion.

Section 2 (Fibonacci): Recursive like that is not recommended.

Of course it doesn't reduce the value of Recursive; I can remind Minimax algorithm (an important chapter in Artificial Intelligence) that Recursive is its all.

But if you decided to use a recursive method, it's better to try optimizing it with Memoization.

Good luck!

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
Iran (Islamic Republic of) Iran (Islamic Republic of)
Microsoft Certified Technology Specialist (MCTS)


"شاهین خورشیدنیا"


Nobody is perfect and neither am I, but I am trying to be more professional. In my humble opinion, you have to develop your skills, as long as you are responsible for developing even a tiny part of a sustainable software. That makes this job so special to me.

Comments and Discussions

 
GeneralMy vote of 5 Pin
MHMDD4-Jan-11 11:58
MHMDD4-Jan-11 11:58 
GeneralMy vote of 1 Pin
fjdiewornncalwe4-Jan-11 11:33
professionalfjdiewornncalwe4-Jan-11 11:33 
QuestionArticle or Tip/Trick? Pin
Manfred Rudolf Bihy4-Jan-11 9:17
professionalManfred Rudolf Bihy4-Jan-11 9:17 
AnswerRe: Article or Tip/Trick? Pin
Shahin Khorshidnia4-Jan-11 9:49
professionalShahin Khorshidnia4-Jan-11 9:49 
GeneralRe: Article or Tip/Trick? [modified] Pin
Manfred Rudolf Bihy4-Jan-11 9:55
professionalManfred Rudolf Bihy4-Jan-11 9:55 
GeneralRe: Article or Tip/Trick? Pin
Manfred Rudolf Bihy4-Jan-11 10:30
professionalManfred Rudolf Bihy4-Jan-11 10:30 
GeneralRe: Article or Tip/Trick? Pin
Shahin Khorshidnia4-Jan-11 10:32
professionalShahin Khorshidnia4-Jan-11 10:32 
GeneralRe: Article or Tip/Trick? Pin
Manfred Rudolf Bihy4-Jan-11 10:48
professionalManfred Rudolf Bihy4-Jan-11 10:48 
GeneralRe: Article or Tip/Trick? Pin
Keith Barrow4-Jan-11 11:14
professionalKeith Barrow4-Jan-11 11:14 
GeneralRe: Article or Tip/Trick? Pin
AspDotNetDev4-Jan-11 11:21
protectorAspDotNetDev4-Jan-11 11:21 
GeneralRe: Article or Tip/Trick? Pin
Keith Barrow4-Jan-11 11:30
professionalKeith Barrow4-Jan-11 11:30 
GeneralTitle / Word Pin
AspDotNetDev4-Jan-11 8:39
protectorAspDotNetDev4-Jan-11 8:39 
GeneralRe: Title / Word [modified] Pin
Shahin Khorshidnia4-Jan-11 9:42
professionalShahin Khorshidnia4-Jan-11 9:42 
GeneralRe: Title / Word [modified] Pin
Manfred Rudolf Bihy4-Jan-11 10:00
professionalManfred Rudolf Bihy4-Jan-11 10:00 
GeneralRe: Title / Word Pin
Shahin Khorshidnia4-Jan-11 10:30
professionalShahin Khorshidnia4-Jan-11 10:30 
GeneralRe: Title / Word [modified] Pin
Manfred Rudolf Bihy4-Jan-11 10:37
professionalManfred Rudolf Bihy4-Jan-11 10:37 
GeneralRe: Title / Word Pin
AspDotNetDev4-Jan-11 11:14
protectorAspDotNetDev4-Jan-11 11:14 
GeneralRe: Title / Word Pin
Shahin Khorshidnia4-Jan-11 11:40
professionalShahin Khorshidnia4-Jan-11 11:40 
GeneralRe: Title / Word Pin
AspDotNetDev4-Jan-11 12:06
protectorAspDotNetDev4-Jan-11 12:06 
GeneralMy vote of 2 PinPopular
Rob Philpott4-Jan-11 6:34
Rob Philpott4-Jan-11 6:34 
General[My vote of 2] My Vote of 2 PinPopular
Remi BOURGAREL4-Jan-11 1:49
Remi BOURGAREL4-Jan-11 1:49 
GeneralRe: [My vote of 2] My Vote of 2 Pin
Remi BOURGAREL4-Jan-11 4:14
Remi BOURGAREL4-Jan-11 4:14 
GeneralRe: [My vote of 2] My Vote of 2 Pin
Shahin Khorshidnia4-Jan-11 4:22
professionalShahin Khorshidnia4-Jan-11 4:22 
GeneralRe: [My vote of 2] My Vote of 2 Pin
Remi BOURGAREL4-Jan-11 4:46
Remi BOURGAREL4-Jan-11 4:46 
GeneralRe: [My vote of 2] My Vote of 2 Pin
Paulo Zemek4-Jan-11 6:18
mvaPaulo Zemek4-Jan-11 6:18 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.