Тип возвращаемого значения репозитория JPA - метод getOne(id)

У меня есть следующее Spring boot сервис для объекта типа Report -

    @Service
    public class ReportService {

        @Autowired
        private ReportRepository reportRepository;

        @Autowired
        private UserRepository userRepository;

        /*get all reports */
        public List<Report> getAllReports(){
            return reportRepository.findAll();
        }

        /*get a single report */
        public Report getReport(Long id){
            return reportRepository.getOne(id);
        }
        //other similar methods....
    }

Проблема возникает при получении одного отчета. Если отправляется идентификатор отчета, который не существует, генерируется следующая ошибка...

DefaultHandlerExceptionResolver : Failed to write HTTP message: 
org.springframework.http.converter.HttpMessageNotWritableException: Could not 
write JSON: Unable to find com.interact.restapis.model.Report with id 16; 
nested exception is com.fasterxml.jackson.databind.JsonMappingException: 
Unable to find com.interact.restapis.model.Report with id 16 (through 
reference chain: 
com.interact.restapis.model.Report_$$_jvst83c_1["fromUserId"])

Ниже приведен код моего отчета Controller

@RestController
public class ReportController {

    @Autowired
    private ReportService reportService;

    //Get all reports
    @GetMapping("/interactions")
    public List<Report> getAllReports() {
        return reportService.getAllReports();
    }

    //Get single report
    @GetMapping("/interactions/{id}")
    public ResponseEntity<Report> getReport(@PathVariable Long id) {
        if(reportService.getReport(id) == null)
            return new ResponseEntity<>(HttpStatus.NOT_FOUND);
        return new ResponseEntity<>(reportService.getReport(id), HttpStatus.OK);
    }

    @PostMapping("/interactions")
    public ResponseEntity<Report> addReport(@RequestBody Report report) {
        Report report1 = reportService.addReport(report);
        if(report1 == null)
            return new ResponseEntity<>(report, HttpStatus.NOT_FOUND);
        return new ResponseEntity<>(report1, HttpStatus.OK);
    }
    //Other request methods...
}

Ниже приведен код для моего класса Report Model -

@Entity
@Table (name = "report")
@EntityListeners(AuditingEntityListener.class)
@JsonIgnoreProperties({"hibernateLazyInitializer", "handler"})
public class Report {

    @Id
    @Column (name = "id")
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;

    @Column(name = "from_user_id")
    private Long fromUserId;

    @Column(name = "to_user_id")
    private Long toUserId;

    @Column(name = "to_user_email")
    private String toUserEmail;

    @Column(name = "from_user_email")
    private String fromUserEmail;

    @Temporal(TemporalType.DATE)
    @JsonFormat(pattern = "dd-MM-yyyy hh:mm:ss")
    @CreatedDate
    private Date createdAt;

    @Column(nullable = false)
    private String observation;

    @Column(nullable = false)
    private String context;

    private String recommendation;

    @Column(nullable = false)
    private String eventName;

    @Temporal(TemporalType.DATE)
    @JsonFormat(pattern = "dd-MM-yyyy hh:mm:ss")
    @Column(nullable = false)
    private Date eventDate;

    private boolean isAnonymous;

    @Temporal(TemporalType.DATE)
    @JsonFormat(pattern = "dd-MM-yyyy hh:mm:ss")
    private Date acknowledgementDate;

    @OneToMany(cascade = CascadeType.ALL, targetEntity = Action.class)
    @JoinColumn(name = "report_id")
    private List<Action> actionList;

    @Value("${some.key:0}")
    private int rating; //Range 0 to 4

    private int type;

    /*
    Getter and setter methods...
     */
}

Я хочу знать, если reportRepository.getOne(Long id) возвращает ноль, так что я действительно могу проверить, не существует ли определенный отчет в базе данных. Если нет, как еще я могу реализовать вышеизложенное?

2 ответа

Решение

JpaRepository.getOne с броском EntityNotFoundException если не удалось найти запись с указанным идентификатором.

Ты можешь использовать CrudRepository.findById (JpaRepository это подкласс CrudRepository) который вернет Optional<Report> который может быть пустым, если для данного идентификатора нет записи. Ты можешь использовать Optional.isPresent() проверить, является ли это Report доступно или нет и принять меры соответственно.

Создайте метод в вашем ReportRepository, Он будет возвращать отчет по совпадающему идентификатору, в противном случае возвращает ноль.

public Optional<Report>  findById(Long id);

Примечание: findById(Long id); должно совпадать с именем свойства в вашем Report юридическое лицо.

Я предполагаю, что ваша сущность отчета выглядит следующим образом:

public class Entity{
private Long id;
...
}
Другие вопросы по тегам