Comment redimensionner les images proportionnellement / en gardant le rapport d'aspect?

j'ai des images qui seront assez grandes en dimension et je veux les rétrécir avec jQuery tout en gardant les proportions limitées, c'est-à-dire le même rapport d'aspect.

quelqu'un Peut-il m'indiquer un code, ou d'expliquer la logique?

136
demandé sur Moin Zaman 2010-10-19 23:13:11

17 réponses

Regardez ce morceau de code de http://ericjuden.com/2009/07/jquery-image-resize /

$(document).ready(function() {
    $('.story-small img').each(function() {
        var maxWidth = 100; // Max width for the image
        var maxHeight = 100;    // Max height for the image
        var ratio = 0;  // Used for aspect ratio
        var width = $(this).width();    // Current image width
        var height = $(this).height();  // Current image height

        // Check if the current width is larger than the max
        if(width > maxWidth){
            ratio = maxWidth / width;   // get ratio for scaling image
            $(this).css("width", maxWidth); // Set new width
            $(this).css("height", height * ratio);  // Scale height based on ratio
            height = height * ratio;    // Reset height to match scaled image
            width = width * ratio;    // Reset width to match scaled image
        }

        // Check if current height is larger than max
        if(height > maxHeight){
            ratio = maxHeight / height; // get ratio for scaling image
            $(this).css("height", maxHeight);   // Set new height
            $(this).css("width", width * ratio);    // Scale width based on ratio
            width = width * ratio;    // Reset width to match scaled image
            height = height * ratio;    // Reset height to match scaled image
        }
    });
});
162
répondu Moin Zaman 2013-10-01 15:13:55

je pense que c'est vraiment un cool méthode :

 /**
  * Conserve aspect ratio of the original region. Useful when shrinking/enlarging
  * images to fit into a certain area.
  *
  * @param {Number} srcWidth width of source image
  * @param {Number} srcHeight height of source image
  * @param {Number} maxWidth maximum available width
  * @param {Number} maxHeight maximum available height
  * @return {Object} { width, height }
  */
function calculateAspectRatioFit(srcWidth, srcHeight, maxWidth, maxHeight) {

    var ratio = Math.min(maxWidth / srcWidth, maxHeight / srcHeight);

    return { width: srcWidth*ratio, height: srcHeight*ratio };
 }
349
répondu Jason J. Nathan 2018-08-09 01:46:34

si je comprends bien la question, vous n'avez même pas besoin de jQuery pour cela. Rétrécir l'image proportionnellement sur le client peut être fait avec CSS seul: il suffit de mettre ses max-width et max-height à 100% .

<div style="height: 100px">
<img src="http://www.getdigital.de/images/produkte/t4/t4_css_sucks2.jpg"
    style="max-height: 100%; max-width: 100%">
</div>​

voici le violon: http://jsfiddle.net/9EQ5c /

60
répondu Dan Dascalescu 2012-08-31 21:57:55

pour déterminer le rapport d'aspect , vous devez avoir un rapport pour viser.

Height

function getHeight(length, ratio) {
  var height = ((length)/(Math.sqrt((Math.pow(ratio, 2)+1))));
  return Math.round(height);
}

Width

function getWidth(length, ratio) {
  var width = ((length)/(Math.sqrt((1)/(Math.pow(ratio, 2)+1))));
  return Math.round(width);
}

dans cet exemple, j'utilise 16:10 puisque c'est le rapport d'aspect de moniteur typique.

var ratio = (16/10);
var height = getHeight(300,ratio);
var width = getWidth(height,ratio);

console.log(height);
console.log(width);

les résultats ci-dessus seraient 147 et 300

7
répondu Rick 2015-05-27 23:07:57

en fait, je viens de rencontrer ce problème et la solution que j'ai trouvé était étrangement simple et bizarre

$("#someimage").css({height:<some new height>})

et miraculeusement l'image est redimensionnée à la nouvelle hauteur et en conservant le même rapport!

6
répondu WindowsMaker 2012-08-07 16:33:57

est-ce que <img src="/path/to/pic.jpg" style="max-width:XXXpx; max-height:YYYpx;" > aide?

Le navigateur

s'occupera de conserver le format d'image intact.

I. e max-width intervient lorsque la largeur de l'image est supérieure à la hauteur et que sa hauteur sera calculée proportionnellement. De même, max-height sera en vigueur lorsque la hauteur est supérieure à la largeur.

vous n'avez pas besoin de jQuery ou javascript pour cela.

pris en charge par ie7+ et d'autres navigateurs ( http://caniuse.com/minmaxwh ).

4
répondu sojin 2014-04-05 15:22:29

il y a 4 paramètres pour ce problème

  1. largeur actuelle de l'image iX
  2. hauteur actuelle de l'image iY
  3. fenêtre cible largeur cX
  4. point de vue cible hauteur cY

et il y a 3 paramètres conditionnels différents

  1. cX > cY ?
  2. iX > cX ?
  3. iY > cY ?

solution

  1. trouver le plus petit côté du port de visée F
  2. trouver le plus grand côté de la vue actuelle l
  3. trouver le facteur F / L = facteur
  4. multiplier les deux côtés du port actuel avec le facteur ie, fX = iX * facteur; fY = iY * facteur

c'est tout ce que vous avez à faire.

//Pseudo code


iX;//current width of image in the client
iY;//current height of image in the client
cX;//configured width
cY;//configured height
fX;//final width
fY;//final height

1. check if iX,iY,cX,cY values are >0 and all values are not empty or not junk

2. lE = iX > iY ? iX: iY; //long edge

3. if ( cX < cY )
   then
4.      factor = cX/lE;     
   else
5.      factor = cY/lE;

6. fX = iX * factor ; fY = iY * factor ; 

C'est une mature forum, je ne suis pas vous donner le code pour qu' :)

3
répondu PRASANTH KOLLAIKAL 2013-07-13 15:55:56

cela devrait fonctionner pour les images avec toutes les proportions possibles

$(document).ready(function() {
    $('.list img').each(function() {
        var maxWidth = 100;
        var maxHeight = 100;
        var width = $(this).width();
        var height = $(this).height();
        var ratioW = maxWidth / width;  // Width ratio
        var ratioH = maxHeight / height;  // Height ratio

        // If height ratio is bigger then we need to scale height
        if(ratioH > ratioW){
            $(this).css("width", maxWidth);
            $(this).css("height", height * ratioW);  // Scale height according to width ratio
        }
        else{ // otherwise we scale width
            $(this).css("height", maxHeight);
            $(this).css("width", height * ratioH);  // according to height ratio
        }
    });
});
2
répondu Ajjaah 2015-07-22 16:02:33
$('#productThumb img').each(function() {
    var maxWidth = 140; // Max width for the image
    var maxHeight = 140;    // Max height for the image
    var ratio = 0;  // Used for aspect ratio
    var width = $(this).width();    // Current image width
    var height = $(this).height();  // Current image height
    // Check if the current width is larger than the max
    if(width > height){
        height = ( height / width ) * maxHeight;

    } else if(height > width){
        maxWidth = (width/height)* maxWidth;
    }
    $(this).css("width", maxWidth); // Set new width
    $(this).css("height", maxHeight);  // Scale height based on ratio
});
2
répondu khalid khan 2018-08-09 01:50:34

si l'image est proportionnée alors ce code remplira l'emballage avec l'image. Si l'image n'est pas en proportion, alors la largeur/hauteur supplémentaire sera coupée.

    <script type="text/javascript">
        $(function(){
            $('#slider img').each(function(){
                var ReqWidth = 1000; // Max width for the image
                var ReqHeight = 300; // Max height for the image
                var width = $(this).width(); // Current image width
                var height = $(this).height(); // Current image height
                // Check if the current width is larger than the max
                if (width > height && height < ReqHeight) {

                    $(this).css("min-height", ReqHeight); // Set new height
                }
                else 
                    if (width > height && width < ReqWidth) {

                        $(this).css("min-width", ReqWidth); // Set new width
                    }
                    else 
                        if (width > height && width > ReqWidth) {

                            $(this).css("max-width", ReqWidth); // Set new width
                        }
                        else 
                            (height > width && width < ReqWidth)
                {

                    $(this).css("min-width", ReqWidth); // Set new width
                }
            });
        });
    </script>
1
répondu Anu 2011-12-13 09:47:40

sans barres ou crochets supplémentaires.

    var width= $(this).width(), height= $(this).height()
      , maxWidth=100, maxHeight= 100;

    if(width > maxWidth){
      height = Math.floor( maxWidth * height / width );
      width = maxWidth
      }
    if(height > maxHeight){
      width = Math.floor( maxHeight * width / height );
      height = maxHeight;
      }

gardez à l'Esprit: Les moteurs de recherche ne l'aiment pas, si l'attribut largeur et hauteur ne correspond pas à l'image, mais ils ne savent pas JS.

1
répondu B.F. 2014-01-08 16:32:59

après quelques essais et erreurs je suis venu à cette solution:

function center(img) {
    var div = img.parentNode;
    var divW = parseInt(div.style.width);
    var divH = parseInt(div.style.height);
    var srcW = img.width;
    var srcH = img.height;
    var ratio = Math.min(divW/srcW, divH/srcH);
    var newW = img.width * ratio;
    var newH = img.height * ratio;
    img.style.width  = newW + "px";
    img.style.height = newH + "px";
    img.style.marginTop = (divH-newH)/2 + "px";
    img.style.marginLeft = (divW-newW)/2 + "px";
}
1
répondu Roland Hentschel 2014-07-15 17:36:42

le redimensionnement peut être obtenu(maintien du rapport d'aspect) en utilisant CSS. C'est une réponse simplifiée inspirée du billet de Dan Dascalescu.

http://jsbin.com/viqare

img{
     max-width:200px;
 /*Or define max-height*/
  }
<img src="http://e1.365dm.com/13/07/4-3/20/alastair-cook-ashes-profile_2967773.jpg"  alt="Alastair Cook" />

<img src="http://e1.365dm.com/13/07/4-3/20/usman-khawaja-australia-profile_2974601.jpg" alt="Usman Khawaja"/>
1
répondu rush dee 2016-08-10 09:04:52

voici une correction à la réponse de Mehdiway. La nouvelle largeur et / ou hauteur n'étaient pas réglées à la valeur max. Un bon cas de test est le suivant (1768 x 1075 pixels): http://spacecoastsports.com/wp-content/uploads/2014/06/sportsballs1.png . (Je n'ai pas pu le commenter ci-dessus en raison du manque de points de réputation.)

  // Make sure image doesn't exceed 100x100 pixels
  // note: takes jQuery img object not HTML: so width is a function
  // not a property.
  function resize_image (image) {
      var maxWidth = 100;           // Max width for the image
      var maxHeight = 100;          // Max height for the image
      var ratio = 0;                // Used for aspect ratio

      // Get current dimensions
      var width = image.width()
      var height = image.height(); 
      console.log("dimensions: " + width + "x" + height);

      // If the current width is larger than the max, scale height
      // to ratio of max width to current and then set width to max.
      if (width > maxWidth) {
          console.log("Shrinking width (and scaling height)")
          ratio = maxWidth / width;
          height = height * ratio;
          width = maxWidth;
          image.css("width", width);
          image.css("height", height);
          console.log("new dimensions: " + width + "x" + height);
      }

      // If the current height is larger than the max, scale width
      // to ratio of max height to current and then set height to max.
      if (height > maxHeight) {
          console.log("Shrinking height (and scaling width)")
          ratio = maxHeight / height;
          width = width * ratio;
          height = maxHeight;
          image.css("width", width);
          image.css("height", height);
          console.log("new dimensions: " + width + "x" + height);
      }
  }
1
répondu Tom O'Hara 2017-08-26 11:15:19

Regardez cette pièce...

/**
 * @param {Number} width
 * @param {Number} height
 * @param {Number} destWidth
 * @param {Number} destHeight
 * 
 * @return {width: Number, height:Number}
 */
function resizeKeepingRatio(width, height, destWidth, destHeight)
{
    if (!width || !height || width <= 0 || height <= 0)
    {
        throw "Params error";
    }
    var ratioW = width / destWidth;
    var ratioH = height / destHeight;
    if (ratioW <= 1 && ratioH <= 1)
    {
        var ratio = 1 / ((ratioW > ratioH) ? ratioW : ratioH);
        width *= ratio;
        height *= ratio;
    }
    else if (ratioW > 1 && ratioH <= 1)
    {
        var ratio = 1 / ratioW;
        width *= ratio;
        height *= ratio;
    }
    else if (ratioW <= 1 && ratioH > 1)
    {
        var ratio = 1 / ratioH;
        width *= ratio;
        height *= ratio;
    }
    else if (ratioW >= 1 && ratioH >= 1)
    {
        var ratio = 1 / ((ratioW > ratioH) ? ratioW : ratioH);
        width *= ratio;
        height *= ratio;
    }
    return {
        width : width,
        height : height
    };
}
0
répondu noopmk 2016-03-14 09:43:16

2 étapes:

Étape 1) Calculez le rapport entre la largeur originale et la hauteur originale de l'Image.

Étape 2) multiplier le rapport original_width/original_height par la nouvelle hauteur désirée pour obtenir la nouvelle largeur correspondant à la nouvelle hauteur.

0
répondu Hitesh Ranaut 2018-08-13 18:15:50

cela a totalement fonctionné pour moi pour un article draggable-indicatio: true

.appendTo(divwrapper).resizable({
    aspectRatio: true,
    handles: 'se',
    stop: resizestop 
})
-4
répondu Catherine 2013-08-19 00:10:03