3

我想gatsby-image有条件地渲染我的:我想为移动和桌面提供不同的图像。所以我需要把它们换掉。

现在我正在这样做:

<Desktop>
  {heroImage && (
      <MyGatsbyImage
        img={heroImage}
      />
  )}
</Desktop>
<Mobile>
  {heroImageXS && (
      <MyGatsbyImage
        img={heroImageXS}
      />
  )}
</Mobile>

其中<Desktop>&<Mobile>是具有display: block / display:none取决于视口的媒体查询的样式组件。

但是:这是这里最有效的解决方案吗?我的解决方案是否总是在后台加载两个图像?

没有gatsby-image,我会这样做:

<picture>
   <source 
      media="(min-width: 650px)"
      srcset="images/img1.png">
   <source 
      media="(min-width: 465px)"
      srcset="images/img2.png">
   <img src="images/img-default.png" 
   alt="a cute kitten">
</picture>

...但这意味着不要gatsby-image在这里使用-我确实想使用。

4

1 回答 1

10

你所指的是艺术指导。在您的问题中使用该方法可能会导致浏览器同时下载这两个图像。

gatsby-image支持艺术指导,并在文档中举例说明如何应用它:

import React from "react"
import { graphql } from "gatsby"
import Img from "gatsby-image"

export default ({ data }) => {
  // Set up the array of image data and `media` keys.
  // You can have as many entries as you'd like.
  const sources = [
    data.mobileImage.childImageSharp.fluid,
    {
      ...data.desktopImage.childImageSharp.fluid,
      media: `(min-width: 768px)`,
    },
  ]

  return (
    <div>
      <h1>Hello art-directed gatsby-image</h1>
      <Img fluid={sources} />
    </div>
  )
}

export const query = graphql`
  query {
    mobileImage: file(relativePath: { eq: "blog/avatars/kyle-mathews.jpeg" }) {
      childImageSharp {
        fluid(maxWidth: 1000, quality: 100) {
          ...GatsbyImageSharpFluid
        }
      }
    }
    desktopImage: file(
      relativePath: { eq: "blog/avatars/kyle-mathews-desktop.jpeg" }
    ) {
      childImageSharp {
        fluid(maxWidth: 2000, quality: 100) {
          ...GatsbyImageSharpFluid
        }
      }
    }
  }
`
于 2020-03-19T06:48:49.660 回答