我在实体之间拥有简单的关系:
class Product {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private long id;
private String name;
private double calories;
@ManyToOne(fetch = FetchType.EAGER)
@JoinColumn
private Category category;
}
class Category {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Long id;
@Column(unique = true)
private String name;
Category(String name) {
this.name = name;
}
}
我正在使用以下存储库
interface ProductRepository extends Repository<Product, Long> {
Product save(Product product);
Page<Product> findAll(Pageable pageable);
Page<Product> findByCategory(Pageable pageable, Category category);
void delete(Product product);
}
在facade
中这样调用的
public Page<ProductDTO> getProductsByCategory(Pageable pageable, String categoryName) {
return productRepository.findByCategory(pageable, dtoConverter.toCategory(categoryName))
.map(Product::toDTO);
}
和dtoConverter
Category toCategory(String categoryName) {
return new Category(categoryName);
}
最终将我们引向Controller
@GetMapping("/findCategory")
Page<ProductDTO> getProductsByCategory(Pageable pageable, @RequestParam String categoryName) {
return productFacade.getProductsByCategory(pageable, categoryName);
}
我有非常相似的获取和创建新产品的方法,它可以工作,但是一旦我尝试按照上述方法按类别查找产品,我就得到了
{
"timestamp": "2018-11-30T22:57:29.660+0000",
"status": 404,
"error": "Not Found",
"message": "No message available",
"path": "/products/findCategory=fruit"
}
即使我确定数据库中也存储了该类别的产品(我发现它们直接使用mysql并使用findAll端点查看)。任何人都可以向我解释这是怎么回事?
答案 0 :(得分:1)
以下代码段有问题。
Category toCategory(String categoryName) {
return new Category(categoryName);
}
您不能只创建一个新对象。您需要返回一个引用数据库表的对象。因此,首先需要从数据库中检索类别对象,然后将其返回。
因此您将创建一个CategoryRepository:
public interface CategoryRepository extends Repository<Category,Long> {
Category findByName(String name);
}
然后在您的方法中:
Category toCategory(String categoryName) {
return categoryRepository.findByName(categoryName);
}
附带说明:您可以扩展JpaRepository而不是Repository,这将提供一些方便的方法。
答案 1 :(得分:0)
由于类别名称是唯一的,因此可以将存储库方法更改为
interface ProductRepository extends Repository<Product, Long> {
Product save(Product product);
Page<Product> findAll(Pageable pageable);
Page<Product> findByCategory_Name(Pageable pageable, String categoryName);
void delete(Product product);
}
并在您的getProductsByCategory方法中使用它
public Page<ProductDTO> getProductsByCategory(Pageable pageable, String categoryName)
{
return productRepository.findByCategory_Name(pageable, categoryName))
.map(Product::toDTO);
}