I have read that " a variable is shadowed if there is another variable with the same name that is closer in scope". I found this Point class with a constructor as an example:
public class Point {
public int x = 0;
public int y = 0;
public Point(int x, int y) {
x = x;
y = y;
}
}
Then I created an object of the Point class in the CreateObjectDemo class below and printed the value of the variable x.
public class CreateObjectDemo {
public static void main(String[] args) {
Point originOne = new Point(23, 94);
System.out.println(originOne.x);
}
}
After running the compiler, it prints 0. But why doesn't it print 23? I thought that "x = x" in the constructor would be like "23 = 23". Did I misunderstand the definition of shadowing variables?
Within the constructor, the meaning of the simple name
x
is always just the parameter. So the assignmentx = x
in the constructor takes the value of thex
parameter and assigning it to thex
parameter as well. The instance variable is never touched. (It's not clear what you mean by23 = 23;
, so I can't tell whether or not that's accurate.) Basically, this is a no-op and some IDEs will give you a warning about it.To force it to copy to the instance variable, you want:
(And likewise for
y
, of course.)0
is the default value forint
type variables, and as the warning says, you're shadowing the variables in the constructor so the object variable is never assigned to.You need to use
this
keyword to refer to the object variablesx
andy
instead of the local variables: