rsnext/packages/next/client/image.tsx
Steven 61fab923eb
Fix Image srcset to ensure the component's width is the largest possible image (#18236)
There was a bug when the user defines a width on the Image component, but a larger size image is requested.

This is because the browser uses the `srcset` to decide which image size to request and we had the srcset basically hardcoded.

This PR fixes the behavior so that the `srcset` will never be larger than the `width` defined on the component.

It also fixes a bug where the preload srcset did not match the img srcset.

- Related to #18147 
- Related to #18122
2020-10-26 14:29:52 +00:00

439 lines
11 KiB
TypeScript

import React, { ReactElement, useEffect, useRef } from 'react'
import Head from '../next-server/lib/head'
const VALID_LOADING_VALUES = ['lazy', 'eager', undefined] as const
type LoadingValue = typeof VALID_LOADING_VALUES[number]
const loaders = new Map<LoaderKey, (props: LoaderProps) => string>([
['imgix', imgixLoader],
['cloudinary', cloudinaryLoader],
['akamai', akamaiLoader],
['default', defaultLoader],
])
type LoaderKey = 'imgix' | 'cloudinary' | 'akamai' | 'default'
type ImageData = {
sizes: number[]
loader: LoaderKey
path: string
domains?: string[]
}
type ImageProps = Omit<
JSX.IntrinsicElements['img'],
'src' | 'srcSet' | 'ref' | 'width' | 'height' | 'loading'
> & {
src: string
quality?: string
priority?: boolean
loading?: LoadingValue
unoptimized?: boolean
} & (
| { width: number | string; height: number | string; unsized?: false }
| { width?: number | string; height?: number | string; unsized: true }
)
const imageData: ImageData = process.env.__NEXT_IMAGE_OPTS as any
const {
sizes: configSizes,
loader: configLoader,
path: configPath,
domains: configDomains,
} = imageData
configSizes.sort((a, b) => a - b) // smallest to largest
let cachedObserver: IntersectionObserver
const IntersectionObserver =
typeof window !== 'undefined' ? window.IntersectionObserver : null
function getObserver(): IntersectionObserver | undefined {
// Return shared instance of IntersectionObserver if already created
if (cachedObserver) {
return cachedObserver
}
// Only create shared IntersectionObserver if supported in browser
if (!IntersectionObserver) {
return undefined
}
return (cachedObserver = new IntersectionObserver(
(entries) => {
entries.forEach((entry) => {
if (entry.isIntersecting) {
let lazyImage = entry.target as HTMLImageElement
if (lazyImage.dataset.src) {
lazyImage.src = lazyImage.dataset.src
}
if (lazyImage.dataset.srcset) {
lazyImage.srcset = lazyImage.dataset.srcset
}
lazyImage.style.visibility = 'visible'
lazyImage.classList.remove('__lazy')
cachedObserver.unobserve(lazyImage)
}
})
},
{ rootMargin: '200px' }
))
}
function getWidthsFromConfig(width: number | undefined) {
if (typeof width !== 'number') {
return configSizes
}
const widths: number[] = []
for (let size of configSizes) {
widths.push(size)
if (size >= width) {
break
}
}
return widths
}
function computeSrc(
src: string,
unoptimized: boolean,
width: number | undefined,
quality?: string
): string {
if (unoptimized) {
return src
}
const widths = getWidthsFromConfig(width)
const largest = widths[widths.length - 1]
return callLoader({ src, width: largest, quality })
}
type CallLoaderProps = {
src: string
width: number
quality?: string
}
function callLoader(loaderProps: CallLoaderProps) {
const load = loaders.get(configLoader) || defaultLoader
return load({ root: configPath, ...loaderProps })
}
type SrcSetData = {
src: string
unoptimized: boolean
width: number | undefined
quality: string | undefined
}
function generateSrcSet({
src,
unoptimized,
width,
quality,
}: SrcSetData): string | undefined {
// At each breakpoint, generate an image url using the loader, such as:
// ' www.example.com/foo.jpg?w=480 480w, '
if (unoptimized) {
return undefined
}
return getWidthsFromConfig(width)
.map((w) => `${callLoader({ src, width: w, quality })} ${w}w`)
.join(', ')
}
type PreloadData = {
src: string
unoptimized: boolean
width: number | undefined
sizes?: string
quality?: string
}
function generatePreload({
src,
width,
unoptimized = false,
sizes,
quality,
}: PreloadData): ReactElement {
// This function generates an image preload that makes use of the "imagesrcset" and "imagesizes"
// attributes for preloading responsive images. They're still experimental, but fully backward
// compatible, as the link tag includes all necessary attributes, even if the final two are ignored.
// See: https://web.dev/preload-responsive-images/
return (
<Head>
<link
rel="preload"
as="image"
href={computeSrc(src, unoptimized, width, quality)}
// @ts-ignore: imagesrcset and imagesizes not yet in the link element type
imagesrcset={generateSrcSet({ src, unoptimized, width, quality })}
imagesizes={sizes}
/>
</Head>
)
}
function getInt(x: unknown): number | undefined {
if (typeof x === 'number') {
return x
}
if (typeof x === 'string') {
return parseInt(x, 10)
}
return undefined
}
export default function Image({
src,
sizes,
unoptimized = false,
priority = false,
loading,
className,
quality,
width,
height,
unsized,
...rest
}: ImageProps) {
const thisEl = useRef<HTMLImageElement>(null)
if (process.env.NODE_ENV !== 'production') {
if (!src) {
throw new Error(
`Image is missing required "src" property. Make sure you pass "src" in props to the \`next/image\` component. Received: ${JSON.stringify(
{ width, height, quality, unsized }
)}`
)
}
if (!VALID_LOADING_VALUES.includes(loading)) {
throw new Error(
`Image with src "${src}" has invalid "loading" property. Provided "${loading}" should be one of ${VALID_LOADING_VALUES.map(
String
).join(',')}.`
)
}
if (priority && loading === 'lazy') {
throw new Error(
`Image with src "${src}" has both "priority" and "loading=lazy" properties. Only one should be used.`
)
}
}
let lazy = loading === 'lazy'
if (!priority && typeof loading === 'undefined') {
lazy = true
}
useEffect(() => {
const target = thisEl.current
if (target && lazy) {
const observer = getObserver()
if (observer) {
observer.observe(target)
return () => {
observer.unobserve(target)
}
}
}
}, [thisEl, lazy])
let widthInt = getInt(width)
let heightInt = getInt(height)
let divStyle: React.CSSProperties | undefined
let imgStyle: React.CSSProperties | undefined
let wrapperStyle: React.CSSProperties | undefined
if (
typeof widthInt !== 'undefined' &&
typeof heightInt !== 'undefined' &&
!unsized
) {
// <Image src="i.png" width={100} height={100} />
// <Image src="i.png" width="100" height="100" />
const quotient = heightInt / widthInt
const ratio = isNaN(quotient) ? 1 : quotient * 100
wrapperStyle = {
maxWidth: '100%',
width: widthInt,
}
divStyle = {
position: 'relative',
paddingBottom: `${ratio}%`,
}
imgStyle = {
visibility: lazy ? 'hidden' : 'visible',
height: '100%',
left: '0',
position: 'absolute',
top: '0',
width: '100%',
}
} else if (
typeof widthInt === 'undefined' &&
typeof heightInt === 'undefined' &&
unsized
) {
// <Image src="i.png" unsized />
if (process.env.NODE_ENV !== 'production') {
if (priority) {
// <Image src="i.png" unsized priority />
console.warn(
`Image with src "${src}" has both "priority" and "unsized" properties. Only one should be used.`
)
}
}
} else {
// <Image src="i.png" />
if (process.env.NODE_ENV !== 'production') {
throw new Error(
`Image with src "${src}" must use "width" and "height" properties or "unsized" property.`
)
}
}
// Generate attribute values
const imgSrc = computeSrc(src, unoptimized, widthInt, quality)
const imgSrcSet = generateSrcSet({
src,
width: widthInt,
unoptimized,
quality,
})
let imgAttributes:
| {
src: string
srcSet?: string
}
| {
'data-src': string
'data-srcset'?: string
}
if (!lazy) {
imgAttributes = {
src: imgSrc,
}
if (imgSrcSet) {
imgAttributes.srcSet = imgSrcSet
}
} else {
imgAttributes = {
'data-src': imgSrc,
}
if (imgSrcSet) {
imgAttributes['data-srcset'] = imgSrcSet
}
className = className ? className + ' __lazy' : '__lazy'
}
// No need to add preloads on the client side--by the time the application is hydrated,
// it's too late for preloads
const shouldPreload = priority && typeof window === 'undefined'
return (
<div style={wrapperStyle}>
<div style={divStyle}>
{shouldPreload
? generatePreload({
src,
width: widthInt,
unoptimized,
sizes,
quality,
})
: ''}
<img
{...rest}
{...imgAttributes}
className={className}
sizes={sizes}
ref={thisEl}
style={imgStyle}
/>
</div>
</div>
)
}
//BUILT IN LOADERS
type LoaderProps = CallLoaderProps & { root: string }
function normalizeSrc(src: string) {
return src[0] === '/' ? src.slice(1) : src
}
function imgixLoader({ root, src, width, quality }: LoaderProps): string {
const params = ['auto=format', 'w=' + width]
let paramsString = ''
if (quality) {
params.push('q=' + quality)
}
if (params.length) {
paramsString = '?' + params.join('&')
}
return `${root}${normalizeSrc(src)}${paramsString}`
}
function akamaiLoader({ root, src, width }: LoaderProps): string {
return `${root}${normalizeSrc(src)}?imwidth=${width}`
}
function cloudinaryLoader({ root, src, width, quality }: LoaderProps): string {
const params = ['f_auto', 'w_' + width]
let paramsString = ''
if (quality) {
params.push('q_' + quality)
}
if (params.length) {
paramsString = params.join(',') + '/'
}
return `${root}${paramsString}${normalizeSrc(src)}`
}
function defaultLoader({ root, src, width, quality }: LoaderProps): string {
if (process.env.NODE_ENV !== 'production') {
const missingValues = []
// these should always be provided but make sure they are
if (!src) missingValues.push('src')
if (!width) missingValues.push('width')
if (missingValues.length > 0) {
throw new Error(
`Next Image Optimization requires ${missingValues.join(
', '
)} to be provided. Make sure you pass them as props to the \`next/image\` component. Received: ${JSON.stringify(
{ src, width, quality }
)}`
)
}
if (src && !src.startsWith('/') && configDomains) {
let parsedSrc: URL
try {
parsedSrc = new URL(src)
} catch (err) {
console.error(err)
throw new Error(
`Failed to parse "${src}" if using relative image it must start with a leading slash "/" or be an absolute URL`
)
}
if (!configDomains.includes(parsedSrc.hostname)) {
throw new Error(
`Invalid src prop (${src}) on \`next/image\`, hostname is not configured under images in your \`next.config.js\``
)
}
}
}
return `${root}?url=${encodeURIComponent(src)}&w=${width}&q=${
quality || '100'
}`
}