Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Function Overloading

Tags:

c#

.net

Let us suppose i have these three methods defined:

int F1(int, int);
int F1(float, float);
Float F1(int, int);

and i am calling method F1 here:

Console.writeline(F1(5,6).ToString()));

Which method it will call and why?

like image 268
Sanju Avatar asked Apr 16 '10 07:04

Sanju


2 Answers

The first and third function will not compile in the same namespace.

This is because function signatures are differentiated by type and number of parameters, and these are the same. Return types are not considered as part of the method signature.

If you only had the first and second (or second and third) in the name space, the most appropriate one would be called (the one with integer types passed in, as you are passing in integers).

Eric Lippert has some great blog entries about the subtleties of C#.

like image 190
Oded Avatar answered Sep 22 '22 16:09

Oded


class Program
{
    static void Main(string[] args)
    {

        Add(3, 4,3);
    }
    public static void Add(int FN, int SN)
    {
        Console.WriteLine("Total is {0}", FN + SN);
    }
    public static void Add(int FN, int SN, int TN)
    {
        Console.WriteLine("Total is {0}", FN + SN + TN); 
    }
}

Method overloading and Function overloading terms are used interchangeably. Method overloading allows a class to have multiple methods with the same name. But with different signature. C# functions can be overloaded based on the number, type(int, float etc) and kind(Value, ref or out) of parameters. Signature of the method does not include return type and params modifier. So, It is not possible to overload a function based on return type and params modifier.

like image 40
Gagan Avatar answered Sep 25 '22 16:09

Gagan