I am very new to Spring Boot. I have created a repository, which looks like this:
public interface UserRepository extends CrudRepository<User, Long> {
    List<User> findByEmail(String email);
    User findById(long id);
}
user.java
@Entity
public class User {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;
    private String email;
    private String password;
    private boolean verified;
    protected User() {}
    public User(String email, String password, boolean verified) {
        this.email = email;
        this.password = password;
        this.verified = verified;
    }
    public Long getId() {
        return id;
    }
    public void setId(Long id) {
        this.id = id;
    }
    public String getEmail() {
        return email;
    }
    public void setEmail(String email) {
        this.email = email;
    }
    public String getPassword() {
        return password;
    }
    public void setPassword(String password) {
        this.password = password;
    }
    public boolean isVerified() {
        return verified;
    }
    public void setVerified(boolean verified) {
        this.verified = verified;
    }
}
And now I want to inject the repository into my controller. This is how I tried it:
@RestController
public class Register {
    @Autowired
    private UserRepository userRepository;
    @PostMapping("/register")
    public User registerUser() {
        return userRepository.save(new User("test@example.com", "password", true));
    }
}
Is my approach correct? If so, then why do I get a warning on @Autowired that says:
Field injection is not recommended
?
 
    