Spring Boot - разбиение на страницы для отношений «многие ко многим» с дополнительной колонкой - PullRequest
1 голос
/ 18 марта 2019

Я не могу найти простой и понятный способ разбиения на страницы при использовании отношения «многие ко многим» с дополнительным столбцом.

Моя модель выглядит так:

У меня есть пользователь и модель продукта.Каждый пользователь может потреблять n продуктов.Каждое потребление будет сохранено в дополнительной таблице, потому что я хочу хранить дополнительную информацию, такую ​​как дата и т. Д. Я реализовал модель следующим образом, и она работает, но я хочу получить потребление пользователя как Pageable, а не извлекатьполный набор.Как лучше всего это реализовать?

@Entity
public class User {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private Long id;

    @OneToMany(
            mappedBy = "user",
            cascade = CascadeType.ALL,
            orphanRemoval = true
    )
    private List<Consumption> consumptionList = new ArrayList<>(); // never set this attribute

    public List<Consumption> getConsumptionList() {
        return consumptionList;
    }


    public void addConsumption(Product product) {
        Consumption consumption = new Consumption(this, product);
        consumptionList.add(consumption);
        product.getConsumptionList().add(consumption);
    }

    public void removeConsumption(Consumption consumption) {
        consumption.getProduct().getConsumptionList().remove(consumption);
        consumptionList.remove(consumption);
        consumption.setUser(null);
        consumption.setProduct(null);
    }
}

-

@Entity
@NaturalIdCache
@org.hibernate.annotations.Cache(usage = CacheConcurrencyStrategy.READ_WRITE)
public class Product {

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

    @OneToMany(
            mappedBy = "product",
            cascade = CascadeType.ALL,
            orphanRemoval = true
    )
    private List<Consumption> consumptionList = new ArrayList<>();

    public List<Consumption> getConsumptionList() {
        return consumptionList;
    }
}

Это мой класс для хранения потребления.

@Entity
public class Consumption {

    @EmbeddedId
    private UserProductId id;

    @ManyToOne(fetch = FetchType.LAZY)
    @MapsId("userId")
    private User user;

    @ManyToOne(fetch = FetchType.LAZY)
    @MapsId("productId")
    private Product product;

    public Consumption(User user, Product product) {
        this.user = user;
        this.product = product;
        this.id = new UserProductId(user.getId(), product.getId());
    }

}

И этомой составной первичный ключ, который.

@Embeddable
public class UserProductId implements Serializable {

    @Column(name = "user_id")
    private Long userId;

    @Column(name = "product_id")
    private Long productId;

    private UserProductId() {
    }

    public UserProductId(Long userId, Long productId) {
        this.userId = userId;
        this.productId = productId;
    }

}

Я хотел бы иметь возможность вызывать такой метод, как "getConsumpList (Page page)", который затем возвращает Pageable.

Надеюсь, вы мне поможете!

Заранее спасибо!

Ответы [ 2 ]

0 голосов
/ 18 марта 2019

Хорошо, если вы используете Spring Boot, вы можете использовать репозиторий:

@Repository
public interface ConsumptionRepo extends JpaRepository<Consumption, Long>{
    List<Consumption> findByUser(User user, Pageable pageable);
}

Тогда вы можете просто назвать это

ConsumptionRepo.findByUser(user, PageRequest.of(page, size);
0 голосов
/ 18 марта 2019

Я наконец-то нашел решение своей проблемы благодаря идее @mtshaikh:

Просто внедрите службу пагинации:

public Page<Consumption> getConsumptionListPaginated(Pageable pageable) {
        int pageSize = pageable.getPageSize();
        int currentPage = pageable.getPageNumber();
        int startItem = currentPage * pageSize;

        List<Consumption> list;

        if (consumptionList.size() < startItem) {
            list = Collections.emptyList();
        } else {
            int toIndex = Math.min(startItem + pageSize, consumptionList.size());
            list = consumptionList.subList(startItem, toIndex);
        }

        return new PageImpl<>(list, PageRequest.of(currentPage, pageSize), consumptionList.size());

    }
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...