1

我目前正在尝试使用 Axios 下载图像,然后调整结果大小并通过 Node 在 GraphQL 解析器中将其保存在本地。

这是我正在使用的代码块:

axios.get(url)
    .then((response) => {
        const { set, collector_number } = response.data;
        const sourceUrl = response.data.image_uris.border_crop;
        const filename = `${set}/${collector_number}.png`;
        axios.get(sourceUrl, { responseType: 'arraybuffer' })
            .then((res) => {
                console.log(`Resizing Image!`)
                sharp(res)
                    .resize(226, 321)
                    .toFile(`../cardimg/${filename}`)
                    .then(() => {
                        console.log(`Image downloaded and resized!`)
                    })
                    .catch((err) => {
                        console.log(`Couldn't process: ${err}`);
                    })
            })
    })

当我执行代码(通过 GraphQL Mutation)时,它会抛出一个错误,指出:Input file is missing.

不确定是滥用 Axios,还是我对 Sharp 做错了什么。

有什么建议么?我最初担心我需要弄乱来自 HTTP 请求的响应格式,但据我所知,我做得正确。

提前致谢!

我使用了 console.log 来确保它确实在抓取图像并且 URL 是正确的,因此已经过测试,所以 sourceUrl 确实在抓取图像,我只是不确定如何正确地做任何事情 -with-我正在抓取的数据。

4

1 回答 1

4

axios返回完整的响应正文,如status, headers, config. 响应主体是.data关键。所以在你的情况下,它将是:

axios.get(..).then((res) => { sharp(res.data)})

此外,Promise 中的 Promise 被认为是反模式,您可以轻松地将其链接起来。

let fileName;
axios.get(url)
  .then((response) => {
    const { set, collector_number } = response.data;
    const sourceUrl = response.data.image_uris.border_crop;
    filename = `${set}/${collector_number}.png`;
    return axios.get(sourceUrl, { responseType: 'arraybuffer' })
  })
  .then((res) => {
    console.log(`Resizing Image!`)
    return sharp(res.data)
      .resize(226, 321)
      .toFile(`../cardimg/${filename}`)
  })
  .then(() => {
    console.log(`Image downloaded and resized!`)
  })
  .catch((err) => {
    console.log(`Couldn't process: ${err}`);
  })
于 2019-07-05T04:10:12.720 回答