Skip to content
Advertisement

Duplicating objects in Java

I learned that when you modify a variable in Java it doesn’t change the variable it was based on

JavaScript

I assumed a similar thing for objects. Consider this class.

JavaScript

After I tried this code I got confused.

JavaScript

Please explain to me why changing any of the objects affects the other one. I understand that the value of variable text is stored in the same place in memory for both of the objects.

Why the values for variables are independent but correlated for objects?

Also, how to duplicate SomeObject, if simple assignment does not do the job?

Advertisement

Answer

Every variable in Java is a reference. So when you do

JavaScript

you just point s2 to the same object as s1 points to. You are actually assigning the value of the reference s1 (which points to an instance of SomeClass) to s2. If you modify s1, s2 will be modified as well (because it points to the same object).

There is an exception, primitive types: int, double, float, boolean, char, byte, short, long. They are stored by value. So when using =, you only assign the value, but they can not point to the same object (because they are not references). This means that

JavaScript

only sets the value of b to the value of a. If you change a, b will not change.

At the end of the day, everything is assignment by value, it’s just the value of the reference and not the value of the object (with the exception of primitive types as mentioned above).

So in your case, if you want to make a copy of s1, you can do it like this:

JavaScript

Alternatively, you can add a copy constructor to SomeClass that takes an instance as argument and copies it into its own instance.

JavaScript

With this you can copy an object pretty easily:

JavaScript
User contributions licensed under: CC BY-SA
7 People found this is helpful
Advertisement