El enfoque
Creo que el mejor enfoque es crear un tamaño de imagen "sobre la marcha", justo antes de cambiar el tamaño de las imágenes.
Puede hacerlo usando el 'intermediate_image_sizes_advanced'
gancho de filtro. Eso le permite editar el tamaño que se generará, pero teniendo en cuenta el tamaño de la imagen actual, que se almacena en la matriz que $metadata
pasa el filtro como segundo argumento.
Las matemáticas
En primer lugar, escriba una clase que devuelva los tamaños más grandes para una relación específica.
class ImageRatio {
private $ratio;
function __construct($ratioW = 4, $ratioH = 3) {
$this->ratio = array($ratioW, $ratioH);
}
function getLargestSize($imgW, $imgH) {
$inverse = false;
// let's try to keep width and calculate new height
$newSize = round(($this->ratio[1] * $imgW) / $this->ratio[0]);
if ($newSize > $imgH) {
$inverse = true;
// if the calculated height is bigger than actual size
// let's keep current height and calculate new width
$newSize = round(($this->ratio[0] * $imgH) / $this->ratio[1]);
}
return $inverse ? array( $newSize, $imgH ) : array( $imgW, $newSize );
}
}
Uso de la clase
El uso de la clase es bastante fácil:
$ratio = new ImageRatio(4, 3)
$ratio->getLargestSize(1000, 500); // return: array(667, 500)
$ratio->getLargestSize(1000, 800); // return: array(1000, 750)
En acción
En este punto, podemos hacer uso de la clase para calcular sobre la marcha un nuevo tamaño de imágenes, en función de la imagen que se está cargando
add_filter( 'intermediate_image_sizes_advanced', function( $sizes, $metadata ) {
if (! empty( $metadata['width'] ) && ! empty( $metadata['height'] ) ) {
// calculate the max width and height for the ratio
$ratio = new ImageRatio( 4, 3 );
list($width, $height) = $ratio->getLargestSize(
$metadata['width'],
$metadata['height']
);
// let's add our custom size
$sizes['biggest-4-3'] = array(
'width' => $width,
'height' => $height,
'crop' => true
);
}
return $sizes;
}, 10, 2 );
Usando el nuevo tamaño
$image = wp_get_attachment_image( $attachment_id, 'biggest-4-3' );
Nota
Por supuesto, esto funciona para todas las imágenes que cargue después de que el código esté en su lugar. Para las imágenes más antiguas, debe volver a generar las miniaturas, sobre la marcha cuando se utilizan, o en bloque utilizando uno de los complementos disponibles en la web.