[java] CrudRepository # findOne 메서드 누락

내 프로젝트에서 Spring 5를 사용하고 있습니다. 오늘까지 사용 가능한 방법이있었습니다 CrudRepository#findOne.

하지만 최신 스냅 샷을 다운로드 한 후 갑자기 사라졌습니다! 현재이 방법을 사용할 수 없다는 언급이 있습니까?

내 의존성 목록 :

apply plugin: 'java'
apply plugin: 'org.springframework.boot'
apply plugin: 'io.spring.dependency-management'


repositories {
    mavenCentral()
    maven { url "https://repo.spring.io/snapshot" }
    maven { url "https://repo.spring.io/milestone" }
}

dependencies {
    compile 'org.springframework.boot:spring-boot-starter-data-jpa'

    runtime 'com.h2database:h2:1.4.194'
}

최신 정보:

이 방법이 다음으로 대체 된 것 같습니다. CrudRepository#findById



답변

참조하시기 바랍니다 DATACMNS-944 에 연결되어 이 커밋 다음 이름 바꾸기를 가지고있는

╔═════════════════════╦═══════════════════════╗
║      Old name       ║       New name        ║
╠═════════════════════╬═══════════════════════╣
║ findOne(…)          ║ findById(…)           ║
╠═════════════════════╬═══════════════════════╣
║ save(Iterable)      ║ saveAll(Iterable)     ║
╠═════════════════════╬═══════════════════════╣
║ findAll(Iterable)   ║ findAllById(…)        ║
╠═════════════════════╬═══════════════════════╣
║ delete(ID)          ║ deleteById(ID)        ║
╠═════════════════════╬═══════════════════════╣
║ delete(Iterable)    ║ deleteAll(Iterable)   ║
╠═════════════════════╬═══════════════════════╣
║ exists()            ║ existsById(…)         ║
╚═════════════════════╩═══════════════════════╝


답변

findById에 대한 정확한 대체하지 않습니다는 findOne, 그것은 반환 Optional대신에 null.

새로운 자바에 익숙하지 않아서 알아내는 데 약간의 시간이 걸렸지 만 이것은 findById동작을 findOne하나로 바꿉니다 .

return rep.findById(id).orElse(null);


답변

우리는 이전 findOne()방법을 수백 번 사용했습니다 . 거대한 리팩터링을 시작하는 대신 다음과 같은 중개 인터페이스를 만들고 리포지토리에서 JpaRepository직접 확장하는 대신 확장하도록했습니다.

@NoRepositoryBean
public interface BaseJpaRepository<T, ID> extends JpaRepository<T, ID> {
    default T findOne(ID id) {
        return (T) findById(id).orElse(null);
    }
} 


답변

실용적인 변화

이전 방식 :

Entity aThing = repository.findOne(1L);

새로운 길:

Optional<Entity> aThing = repository.findById(1L);


답변