编程语言
首页 > 编程语言> > java – Spring REST响应在自定义控制器中是不同的

java – Spring REST响应在自定义控制器中是不同的

作者:互联网

我有几个控制器自动创建REST端点.

@RepositoryRestResource(collectionResourceRel = "books", path = "books")
public interface BooksRepository extends CrudRepository<Books, Integer> {
    public Page<Books> findTopByNameOrderByFilenameDesc(String name);
}

我访问时:http://localhost:8080/Books

我回来了:

{
    "_embedded": {
        "Books": [{
            "id": ,
            "filename": "Test123",
            "name": "test123",
            "_links": {
                "self": {
                    "href": "http://localhost:8080/books/123"
                },
                "Books": {
                    "href": "http://localhost:8080/books/123"
                }
            }
        }]
    },
    "_links": {
        "self": {
            "href": "http://localhost:8080/books"
        },
        "profile": {
            "href": "http://localhost:8080/profile/books"
        },
        "search": {
            "href": "http://localhost:8080/books/search"
        },
        "page": {
            "size": 20,
            "totalElements": 81,
            "totalPages": 5,
            "number": 0
        }
    }
}

当我创建自己的控制器时:

@Controller
@RequestMapping(value = "/CustomBooks")
public class CustomBooksController {
    @Autowired
    public CustomBookService customBookService;

    @RequestMapping("/search")
    @ResponseBody
    public Page<Book> search(@RequestParam(value = "q", required = false) String query,
                                 @PageableDefault(page = 0, size = 20) Pageable pageable) {
        return customBookService.findAll();
    }
}

我会得到一个回复​​,看起来与自动生成的控制器响应完全不同:

{
    "content": [{
        "filename": "Test123",
        "name" : "test123"
    }],
    "totalPages": 5,
    "totalElements": 81,
    "size": 20,
    "number": 0,
}

我需要做些什么才能使我的响应看起来像自动生成的响应?我希望保持一致,所以我不必为不同的响应重写代码.我应该采用不同的方式吗?

编辑:发现:Enable HAL serialization in Spring Boot for custom controller method

但我不明白我需要在我的REST控制器中更改以启用:PersistentEntityResourceAssembler.我在Google上搜索了PersistentEntityResourceAssembler,但是它一直让我回到类似的页面而没有太多的例子(或者这个例子似乎对我不起作用).

解决方法:

正如@chrylis建议你应该用@RepositoryRestController替换你的@Controller注释,以便spring-data-rest调用它的ResourceProcessors来定制给定的资源.

对于您遵循HATEOAS规范的资源(如spring-data-rest BooksRepository),您的方法声明返回类型应该类似于HttpEntity< PagedResources< Resource< Books>>>
将Page对象转换为PagedResources:

>您需要自动装配此对象.

@Autowired
 private PagedResourcesAssembler< Books> bookAssembler;
>你的退货声明应该是这样的

返回新的ResponseEntity<>(bookAssembler.toResource(customBookService.findAll()),HttpStatus.OK);

这些更改应该可以帮助您获得包含“_embedded”和“_links”属性的org.springframework.hateoas.Resources兼容响应.

标签:java,spring,spring-data,spring-data-rest,spring-rest
来源: https://codeday.me/bug/20190608/1198450.html