Combinando todas as respostas acima, você pode escrever código reutilizável com BaseEntity:
@Data
@NoArgsConstructor
@MappedSuperclass
public abstract class BaseEntity {
@Transient
public static final Sort SORT_BY_CREATED_AT_DESC =
Sort.by(Sort.Direction.DESC, "createdAt");
@Id
private Long id;
private LocalDateTime createdAt;
private LocalDateTime updatedAt;
@PrePersist
void prePersist() {
this.createdAt = LocalDateTime.now();
}
@PreUpdate
void preUpdate() {
this.updatedAt = LocalDateTime.now();
}
}
O objeto DAO sobrecarrega o método findAll - basicamente, ainda usa findAll()
public interface StudentDAO extends CrudRepository<StudentEntity, Long> {
Iterable<StudentEntity> findAll(Sort sort);
}
StudentEntity
estende BaseEntity
que contém campos repetíveis (talvez você também queira classificar por ID)
@Getter
@Setter
@FieldDefaults(level = AccessLevel.PRIVATE)
@Entity
class StudentEntity extends BaseEntity {
String firstName;
String surname;
}
Finalmente, o serviço e uso dos SORT_BY_CREATED_AT_DESC
quais provavelmente serão usados não apenas no StudentService
.
@Service
class StudentService {
@Autowired
StudentDAO studentDao;
Iterable<StudentEntity> findStudents() {
return this.studentDao.findAll(SORT_BY_CREATED_AT_DESC);
}
}
List<StudentEntity> findAllByOrderByIdAsc();
. Adicionando um tipo de retorno e remover o modificador público redundante também é uma boa idéia;)