Я только что научился делать Pageable с репозиторием Java (у меня есть B BDD MySQL). Я в основном использую DAO с моей моделью (pregunta) и преобразую свою модель в DTO (preguntaDTO).
public Page<PreguntaDTO> getAllPreguntasPorPagina(Pageable pageable){
return preguntaRepository.findAll(pageable).map(PreguntaDTO::fromEntity);
}
Мой контроллер получает параметры для нумерации страниц.
@GetMapping("/listadoPreguntasPaginadas")
public ResponseEntity<Page<PreguntaDTO>> listadoPreguntasPaginadas(
@RequestParam(defaultValue = "0") int page,
@RequestParam(defaultValue = "10") int size,
@RequestParam(defaultValue = "pregunta") String order,
@RequestParam(defaultValue = "true") boolean asc
) {
Page<PreguntaDTO> preguntaDTOpaginada= preguntaService.listadoPreguntasPageables(PageRequest.of(page, size, Sort.by(order)));
return new ResponseEntity<Page<PreguntaDTO>>(preguntaDTOpaginada, HttpStatus.OK);
}
Но Теперь мне нужно использовать параметры в моем JQUERY (текст и идентификатор). Я постараюсь объяснить это лучше. Моя модель:
@Entity
@Table (name="preguntas")
@EntityListeners(AuditingEntityListener.class) // sin esto no genera fecha automatica
@Getter
@Setter
public class Pregunta implements Serializable {
private static final long serialVersionUID = 5191280932150590610L;
@Id // definimos clave primaria
@GeneratedValue(strategy=GenerationType.AUTO) // que se genere de forma automatica y crezca
private Long id;
@Temporal(TemporalType.TIMESTAMP)
@LastModifiedDate
private Date createAt;
@NotBlank // que no este campo en blanco, validar documento
@NotNull(message = "Nombre no puede ser nulo")
private String pregunta;
private Boolean activa=true;
private Long deEnfermedadById;//ID de Enfermedad
private Long createdById;//ID de usuario
private Boolean denunciado=false;
private String aux="Campo auxiliar sin usar";
}
Мой поиск, помимо того, что он должен быть отображаемым на странице, должен возвращать все мои вопросы (pregunta), которые имеют:
- в поле deEnfermedadById с идентификатором (deEnfermedadById) : number) и,
- текста (cadena: string) в поле pregunta (тип, pregunta: string)
Я знаю, как искать этот вид списка с помощью Entity Management , Но здесь я не знаю, использовать pageable.
выше вы можете увидеть, как я это сделал.
public List<Pregunta> listadoPreguntasByIdEnfermedad(Long idEnf, String cadena) {
List<Pregunta> lista = new ArrayList<>();
String sql = "select * from sanihelp.preguntas where "
+ "de_enfermedad_by_id = ?";
if (cadena != null) {
sql = sql.concat(" and pregunta like ? ");
};
try {
Query query = em.createNativeQuery(sql);
int indice=1;
query.setParameter(indice , idEnf);
if (cadena != null) {
query.setParameter(++indice, "%" + cadena + "%");
}
for (Object o : query.getResultList()) {
Object[] objeto = (Object[]) o;
Pregunta modelo = new Pregunta();
modelo.setId(((BigInteger) objeto[0]).longValue()); modelo.setActiva(Boolean.getBoolean(String.valueOf(objeto[1])));
modelo.setAux(String.valueOf(objeto[2]));
modelo.setCreateAt((java.util.Date)objeto[3]);
modelo.setCreatedById(((BigInteger) objeto[4]).longValue());
modelo.setDeEnfermedadById(((BigInteger) objeto[5]).longValue()); modelo.setDenunciado(Boolean.getBoolean(String.valueOf(objeto[6])));
modelo.setPregunta(String.valueOf(objeto[7]));
lista.add(modelo);
}
} catch (Exception e) {
System.out.println("excepcion lanzada" + e);
}
return lista;
}
Как видите, я немного застрял. С Entity Management я не могу сделать нумерацию страниц, а с репозиторием Java я не знаю, как добавить в свой метод просмотра страниц некоторые параметры (идентификатор и текст)
Спасибо за вашу помощь.
: -)
Выше некоторой дополнительной информации об интерфейсе.
package com.uned.project.sanitaUned.repository;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
import com.uned.project.sanitaUned.model.Pregunta;
@Repository
public interface PreguntaRepository extends JpaRepository<Pregunta, Long> {
}
, которая распространяется на:
*/
@NoRepositoryBean
public interface JpaRepository<T, ID> extends PagingAndSortingRepository<T, ID>, QueryByExampleExecutor<T> {
и которая распространяется на доступный для просмотра
@NoRepositoryBean
public interface PagingAndSortingRepository<T, ID> extends CrudRepository<T, ID> {
/**
* Returns all entities sorted by the given options.
*
* @param sort
* @return all entities sorted by the given options
*/
Iterable<T> findAll(Sort sort);
/**
* Returns a {@link Page} of entities meeting the paging restriction provided in the {@code Pageable} object.
*
* @param pageable
* @return a page of entities
*/
Page<T> findAll(Pageable pageable);
}
Я пытался сделать:
@Repository
public interface PreguntaRepository extends JpaRepository<Pregunta, Long> {
/* */
@Query ("select * from sanihelp.preguntas where de_enfermedad_by_id = :de_enfermedad_by_id")
Page <Pregunta> findAllWithFields(Pageable pageable , @Param ("de_enfermedad_by_id") long de_enfermedad_by_id );
}
Но это не сработало, это не удалось на сервере, когда я начал со следующей ошибкой.
Error starting ApplicationContext. To display the conditions report re-run your application with 'debug' enabled.
2020-04-07 18:16:44.091 ERROR 8424 --- [ restartedMain] o.s.boot.SpringApplication : Application run failed
org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'preguntaController': Unsatisfied dependency expressed through field 'preguntaService'; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'preguntaService': Unsatisfied dependency expressed through field 'preguntaDAO'; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'preguntaDAO': Unsatisfied dependency expressed through field 'preguntaRepository'; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'preguntaRepository': Invocation of init method failed; nested exception is java.lang.IllegalArgumentException: Validation failed for query for method public abstract org.springframework.data.domain.Page com.uned.project.sanitaUned.repository.PreguntaRepository.findAllWithFields(org.springframework.data.domain.Pageable,long)!
at org.springframework.beans.factory.annotation.AutowiredAnnotationBeanPostProcessor$AutowiredFieldElement.inject(AutowiredAnnotationBeanPostProcessor.java:596) ~[spring-beans-5.1.9.RELEASE.jar:5.1.9.RELEASE]
at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:90) ~[spring-beans-5.1.9.RELEASE.jar:5.1.9.RELEASE]