web-dev-qa-db-ja.com

残りでブール値を返す方法は?

真/偽のブール応答のみを提供するbooleanRESTサービスを提供したい。

ただし、以下は機能しません。どうして?

@RestController
@RequestMapping("/")
public class RestService {
    @RequestMapping(value = "/",
        method = RequestMethod.GET,
        produces = MediaType.APPLICATION_XML_VALUE)
    @ResponseBody
    public Boolean isValid() {
        return true;
    }
}

結果:HTTP 406: The resource identified by this request is only capable of generating responses with characteristics not acceptable according to the request "accept" headers.

12
membersound

@ResponseBodyを削除する必要はありません。MediaTypeを削除しただけかもしれません。

@RequestMapping(value = "/", method = RequestMethod.GET)
@ResponseBody
public Boolean isValid() {
    return true;
}

その場合、デフォルトでapplication/jsonになるため、これも機能します。

@RequestMapping(value = "/", method = RequestMethod.GET, produces = MediaType.APPLICATION_JSON_VALUE)
@ResponseBody
public Boolean isValid() {
    return true;
}

MediaType.APPLICATION_XML_VALUEを指定する場合、応答は実際にXMLにシリアライズ可能でなければなりませんが、trueはシリアライズできません。

また、単純なtrueを応答に含めたい場合、それは実際にはXMLではありませんか?

特にtext/plainが必要な場合は、次のようにすることができます。

@RequestMapping(value = "/", method = RequestMethod.GET, produces = MediaType.TEXT_PLAIN_VALUE)
@ResponseBody
public String isValid() {
    return Boolean.TRUE.toString();
}
13
ci_