Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Java overload confusion

java is not able to call any overload method as shown below :-

class LspTest{

    public void add(int a, float b){
    System.out.println("First add");
}

public void add(float a, int b){
    System.out.println("second add");
}

public static void main(String [] a){
    LspTest test = new LspTest();
    test.add(1,1);
   }
}

Please explain i am confused in this.

like image 558
Testg Avatar asked Dec 19 '22 07:12

Testg


2 Answers

In your methods you are having parameters (int, float) and (float, int) but when calling the method you are passing both the int (1,1) values. The Java complier can auto type cast float to int whenever needed. But in this case compiler cannot decide auto type cast which int to float. Therefore it shows ambiguity.

You need to call it test.add(1f, 1); or test.add(1,1f); i.e. specify which value is int and which value is float.

P.S. To specify a value to be float you can write f with it.

like image 68
gprathour Avatar answered Jan 10 '23 05:01

gprathour


When you initialise with literal values, in this case, compiler won't be able to infer the exact type. Therefore, it does not know which overload to call and returns the error that the reference to add is ambiguous. You can fix this by casting the arguments to the appropriate type, or even better, creating typed local variables initialised with 1 and passing the variables as parameters, like so:

int a = 1;
float b = 1;
LspTest test = new LspTest();
test.add(a,b);
like image 34
shree.pat18 Avatar answered Jan 10 '23 06:01

shree.pat18