我有一个使用Spring Boot创建的服务器项目,该项目返回带有字符串的ResponseEntity
以发布请求。我希望我的有角度的应用程序可以根据响应状态做出反应。
this.httpClient.post(
'http://localhost:8080/users',
{
"username": username,
"email": email,
"password": password
},
{
observe: 'response'
})
.subscribe(response => {
if (response.status === 200) {
alert('Hello!');
}
});
但是,使用上面的代码,我收到一条错误记录到控制台,通知:
"Http failure during parsing for http://localhost:8080/users"
(status is 200 as expected but alert does not work).
我知道我可以将post的第三个参数更改为
{responseType: 'text'}
并摆脱错误,但是我不知道如何获得这种响应的状态码。
有办法吗?
最佳答案
subscribe
的第一个回调称为next
回调,只要可观察对象发出值,就会调用该回调。如果发生错误,将调用error
回调,该回调可作为subscribe
的第二个参数提供(还有其他替代方法)。不使用alert
时未看到responseType: 'text'
触发的原因是,发生错误时不会调用您提供的回调函数。
正如我已经建议的那样,一种选择是提供错误回调。这是一个例子:
this.httpClient.post(
'http://localhost:8080/users',
{ username, email, password },
{ observe: 'response' })
.subscribe(
response => {
// Only called for success.
...
},
errorResponse => {
// Called when there's an error (e.g. parsing failure).
if (errorResponse.status === 200) {
alert('Hello (for real this time)!');
}
});
在这里重新阅读了原始问题之后,我认为您真正的问题可能只是您没有将
responseType: 'text'
和observe: 'response'
组合在一起。如下所示:this.httpClient.post(
'http://localhost:8080/users',
{ username, email, password },
{ observe: 'response', responseType: 'text' })
.subscribe(response => {
if (response.status === 200) {
alert('Hello!');
}
});