Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What is the difference between this.setMethod(parameter) and setMethod(parameter) in a constructor? [Java]

I have been trying to learn about classes and objects for the last few days and I realized that using "this.set" and "set" inside a constructor made no apparent difference. To clarify

public Movie(String title,String director, String rating) {
        setTitle(title); 
        setDirector(director);
        setRating(rating);

and

public Movie(String title,String director, String rating) {
        this.setTitle(title); 
        this.setDirector(director);
        this.setRating(rating);

made no difference while running.

What is the difference, if there is any and which one is better practice?

I was expecting there to be some kind of error, but it worked completely the same. In addition, my instructor does not use "this." while putting a setter inside a constructor in his examples.

Thanks.

like image 714
tohli Avatar asked Mar 04 '26 12:03

tohli


1 Answers

There is no need to use this when calling the setter methods in your example (and it's not standard practice to do so). However, it is necessary to use this if you want to set a field with the same name as a variable in the constructor. For example:

public class Movie {
    private final String title;

    public Movie(String title) {
        this.title = title;
    }
}

If you don't specify this.title, it will think you are trying to assign the title variable to itself.

The keyword this is also needed to distinguish different implementations of methods when your class has extended another class (e.g. you can call this.method() or super.method().)

like image 111
ᴇʟᴇvᴀтᴇ Avatar answered Mar 07 '26 02:03

ᴇʟᴇvᴀтᴇ