在express控制器内进行axios调用时,如何返回状态?

s71maibg  于 2021-09-13  发布在  Java
关注(0)|答案(1)|浏览(443)

我不确定我是否正在设置express控制器以正确返回正确的响应。当端点被命中时,我想用axios调用地址服务并返回数据,或者在出错时返回响应。但是,如果找不到,则当前返回默认错误400,但响应状态仍为200。
这里是否有我遗漏的默认方法,或者这部分是正确的?
控制器

const getAddressWithPostcode = async (params: Params) => {
  const { postCode, number } = params

  const addressUrl = `${URL}/${postCode}${number
    ? `/${number}?api-key=${API_KEY}`
    : `?api-key=${API_KEY}`}`

  try {
    const { data } = await axios.get(addressUrl)
    return data
  } catch (e) {
    // throw e
    const { response: { status, statusText } } = e
    return {
      service: 'Address service error',
      status,
      statusText,
    }
  }
}

const findAddress = async (req: Request<Params>, res: Response, next: NextFunction) => {
  const { params } = req

  await getAddressWithPostcode(params)
    .then((data) => {
      res.send(data).status(200)
    })
    .catch((e) => {
      console.log('e', e)
      next(e)
    })
}

如果我发送一个不可靠的请求(使用postman),我会得到响应状态200,但返回的数据是具有状态和文本的对象。我希望将此作为默认响应,而不是返回具有这些属性的对象(见下图)。

这里的一些方向是好的,可能是在express中使用async Wait的最佳实践,并且在中使用外部axios调用时返回错误。
... ...
更新:
更新了我的代码,作为对答案的回应,我稍微重构了我的代码。

const getAddressWithPostcode = async (params: Params) => {
  const { postCode, number } = params

  const addressUrl = `${URL}/${postCode}${number
    ? `/${number}?api-keey=${API_KEY}`
    : `?api-key=${API_KEY}`}`

  try {
    const { data } = await axios.get(addressUrl)
    return data
  } catch (e) {
    // throw e
    const { response } = e
    return response
  }

}

const findAddress = async (req: Request<Params>, res: Response, next: NextFunction) => {
  const { params } = req

  await getAddressWithPostcode(params)
    .then((data) => {
      console.log('data', data)
      if (data.status !== 200) res.sendStatus(data.status)
      else {
        res.send(data)
      }
    })
    .catch(err => {
      console.log('err', err)
      next(err)
    })
}
oyjwcjzk

oyjwcjzk1#

如果您想发送与从axios调用中获得的相同的http响应代码,只需在控制器中更改一行代码以下的代码即可。

// Every time send same http status code 200
res.send(data).status(200)

// Send same http status code as returned by axios request
res.send(data).status(data.status)

相关问题