Combinando todas las respuestas anteriores, puede escribir código reutilizable con 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();
}
}
El objeto DAO sobrecarga el método findAll - básicamente, todavía usa findAll()
public interface StudentDAO extends CrudRepository<StudentEntity, Long> {
Iterable<StudentEntity> findAll(Sort sort);
}
StudentEntity
se extiende, BaseEntity
que contiene campos repetibles (tal vez también desee ordenar por ID)
@Getter
@Setter
@FieldDefaults(level = AccessLevel.PRIVATE)
@Entity
class StudentEntity extends BaseEntity {
String firstName;
String surname;
}
Finalmente, el servicio y el uso de los SORT_BY_CREATED_AT_DESC
cuales probablemente se utilizarán no solo en el StudentService
.
@Service
class StudentService {
@Autowired
StudentDAO studentDao;
Iterable<StudentEntity> findStudents() {
return this.studentDao.findAll(SORT_BY_CREATED_AT_DESC);
}
}
List<StudentEntity> findAllByOrderByIdAsc();
. Agregar un tipo de retorno y eliminar el modificador público redundante también es una buena idea;)