Come ridimensionare le immagini in modo proporzionale / mantenendo le proporzioni?


167

Ho immagini di dimensioni abbastanza grandi e voglio ridurle con jQuery mantenendo vincolate le proporzioni, ovvero le stesse proporzioni.

Qualcuno può indicarmi un codice o spiegare la logica?


4
Puoi spiegare perché jQuery deve essere usato? C'è una soluzione solo CSS (vedi la mia risposta ): imposta la sua max-widthe max-heightsu 100%.
Dan Dascalescu,

9
Nel caso in cui nessuno lo sappia, se imposti solo una dimensione dell'immagine (larghezza o altezza) viene ridimensionata in modo proporzionale. È stato così fin dagli albori del web. Ad esempio:<img src='image.jpg' width=200>
GetFree,

2
Inoltre, potresti prendere in considerazione l'utilizzo di qualcosa come slimmage.js per risparmiare larghezza di banda e RAM del dispositivo mobile.
Lilith River,

Risposte:


188

Dai un'occhiata a questo pezzo di codice da 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
        }
    });
});

1
Scusa, mi manca qualche logica del matematico ... che succede quando devi aumentare tutto (diciamo, stai aumentando maxHeight)?
Ben

4
Questo può essere fatto solo con CSS? (larghezza massima, altezza: auto, ecc.)
Tronathan,

11
Non so perché jQuery sia necessario per questo. Ridurre l'immagine in modo proporzionale sul client può essere fatto con CSS, ed è banale: basta impostarlo max-widthe max-heightsu 100%. jsfiddle.net/9EQ5c
Dan Dascalescu

10
Questo non può essere fatto con CSS a causa dell'IF STATEMENT. Credo che il punto sia riempire l'immagine in miniatura. Se l'immagine è troppo alta, deve essere la larghezza massima, se l'immagine è troppo ampia, deve essere l'altezza massima. Se esegui CSS max-width, max-height, otterrai miniature con spazi bianchi invece che riempiti completamente
esegui ntgCleaner

Questo codice può causare problemi nei browser, arresti anomali o rallentati ??
Déjà Bond,

445

Penso che questo sia un metodo davvero interessante :

 /**
  * 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 };
 }

33
Risposta decisamente superiore! La risposta corretta cade piatta sulla sua faccia se l'altezza E la larghezza sono entrambe maggiori. Davvero, bravi, anche bei baffi.
Starkers,

1
Hai ragione su @sstauross, i pixel decimali possono avere risultati leggermente inaspettati . Nel mio caso d'uso, tuttavia, era trascurabile. Suppongo che Math.floorti aiuterà davvero con un design perfetto per i pixel :-)
Jason J. Nathan

1
Grazie, avevo bisogno di questo "one-liner".
Hernán,

1
Grazie Jason, questa risposta mi ha davvero aiutato.
Ashok Shah,

4
Questo è un modo fantastico di gestire questo problema! L'ho modificato un po 'per gli elementi img + impedendo di ingrandire l'immagine:function imgSizeFit(img, maxWidth, maxHeight){ var ratio = Math.min(1, maxWidth / img.naturalWidth, maxHeight / img.naturalHeight); img.style.width = img.naturalWidth * ratio + 'px'; img.style.height = img.naturalHeight * ratio + 'px'; }
oriadam

70

Se capisco correttamente la domanda, non hai nemmeno bisogno di jQuery per questo. Il restringimento dell'immagine in modo proporzionale sul client può essere fatto solo con CSS: basta impostarlo max-widthe max-heightsu 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>​

Ecco il violino: http://jsfiddle.net/9EQ5c/


2
Questa è una risposta molto più semplice di quanto sopra. Grazie. tra l'altro come hai ottenuto il link "la mia risposta" per scorrere verso il basso fino al tuo post?
SnareChops,

@SnareChops: è semplicemente un ancoraggio HTML .
Dan Dascalescu,

1
@SnareChops: se usi il link indicato dal link "condividi" sotto la risposta, scorrerà anche fino alla risposta.
Flimm,

1
@Flimm Poiché gli span non vengono visualizzati: bloccare per impostazione predefinita. Aggiungi display: block o trasformalo in div.
mahemoff,

1
Nel mio caso l'IMG è stato renderd con WordPress, quindi ha impostato larghezza e altezza del cappello. In CSS ho anche dovuto impostare width: auto; height: auto;per far funzionare il tuo codice :)
lippoliv il

12

Per determinare le proporzioni , è necessario disporre di una proporzione a cui puntare.

Altezza

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

Larghezza

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

In questo esempio uso 16:10da questo le tipiche proporzioni del monitor.

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

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

I risultati di cui sopra sarebbero 147e300


Considerando che 300 = larghezza diagonale = altezza * il rapporto e l'altezza sono uguali a quelli che hai detto
Johny Pie,

6

in realtà ho appena incontrato questo problema e la soluzione che ho trovato era stranamente semplice e bizzarra

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

e miracolosamente l'immagine viene ridimensionata alla nuova altezza e conservando lo stesso rapporto!


1
penso che questo sia utile - ma suppongo che non vincolerà l'immagine se molto molto ampia, ad una larghezza massima ...
stephendwolff,

Questa roba funziona quando non imposti l'altro attributo. (larghezza in questo caso)
NoobishPro

4

Ci sono 4 parametri per questo problema

  1. larghezza attuale dell'immagine iX
  2. altezza attuale dell'immagine iY
  3. larghezza della finestra di destinazione cX
  4. altezza della vista target cY

E ci sono 3 diversi parametri condizionali

  1. cX> cY?
  2. iX> cX?
  3. IY> CY?

soluzione

  1. Trova il lato più piccolo della porta di visualizzazione di destinazione F
  2. Trova il lato più grande della porta di visualizzazione corrente L
  3. Trova il fattore di entrambi F / L = fattore
  4. Moltiplica entrambi i lati della porta corrente per il fattore, ad esempio, fattore fX = iX *; fattore fY = iY *

questo è tutto ciò che devi fare.

//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 ; 

Questo è un forum maturo, non ti sto dando codice :)


2
Pubblicare il metodo dietro questo è fantastico, ma ti segnalo per non aver effettivamente aiutato l'utente pubblicando il codice. Sembra un po 'ostruttivo
Doidgey

6
"Qualcuno può indicarmi un po 'di codice o spiegare la logica?" - Chiaramente, era d'accordo se gli fosse stato spiegato solo il metodo. Personalmente, penso che questo sarebbe il modo migliore per aiutare qualcuno, per aiutarli a capire i metodi piuttosto che farli copiare e incollare il codice.
JessMcintosh,

@JessMcintosh, peccato che le modifiche bazillion alla domanda originale abbiano reso il tuo commento fuori contesto :)
Jason J. Nathan,

4

Does <img src="/path/to/pic.jpg" style="max-width:XXXpx; max-height:YYYpx;" >aiuto?

Il browser si occuperà di mantenere intatte le proporzioni.

cioè max-widthentra in azione quando la larghezza dell'immagine è maggiore dell'altezza e la sua altezza verrà calcolata proporzionalmente. Allo stesso modo max-heightsarà attivo quando l'altezza è maggiore della larghezza.

Non hai bisogno di jQuery o javascript per questo.

Supportato da ie7 + e altri browser ( http://caniuse.com/minmaxwh ).


Ottimo consiglio! Metterei semplicemente il CSS in un file CSS e non direttamente nel codice html.
Segna l'

Penso che il problema sia che non funzionerà quando non sai quale sia la larghezza massima e l'altezza massima fino al caricamento della pagina. Ecco perché è necessaria una soluzione JS. Questo è normalmente il caso di siti responsive.
Jason J. Nathan,

2

Questo dovrebbe funzionare con immagini con tutte le proporzioni possibili

$(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

Ecco una correzione alla risposta di Mehdiway. La nuova larghezza e / o altezza non venivano impostate sul valore massimo. Un buon caso di test è il seguente (1768 x 1075 pixel): http://spacecoastsports.com/wp-content/uploads/2014/06/sportsballs1.png . (Non sono stato in grado di commentare sopra a causa della mancanza di punti reputazione.)

  // 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);
      }
  }

2
$('#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
});

5
Ti preghiamo di considerare di aggiungere una spiegazione, non solo il codice quando rispondi a un post.
Jørgen R,

1

Se l'immagine è proporzionata, questo codice riempirà l'immagine con il wrapper. Se l'immagine non è proporzionata, la larghezza / altezza extra verrà ritagliata.

    <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

Senza ulteriori temp-vars o parentesi.

    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;
      }

Ricorda: ai motori di ricerca non piace, se l'attributo larghezza e altezza non si adatta all'immagine, ma non conoscono JS.


1

Dopo alcune prove ed errori sono arrivato a questa soluzione:

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

Il ridimensionamento può essere ottenuto (mantenendo le proporzioni) utilizzando CSS. Questa è una risposta ulteriormente semplificata ispirata al post di 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

2 passaggi:

Passaggio 1) calcolare il rapporto tra larghezza originale / altezza originale dell'immagine.

Passaggio 2) moltiplicare il rapporto original_width / original_height per la nuova altezza desiderata per ottenere la nuova larghezza corrispondente alla nuova altezza.



0

Ridimensiona per adattarsi al contenitore, ottieni il fattore di scala, riduci il controllo percentuale

 $(function () {
            let ParentHeight = 200;
            let ParentWidth = 300;
            $("#Parent").width(ParentWidth).height(ParentHeight);
            $("#ParentHeight").html(ParentHeight);
            $("#ParentWidth").html(ParentWidth);

            var RatioOfParent = ParentHeight / ParentWidth;
            $("#ParentAspectRatio").html(RatioOfParent);

            let ChildHeight = 2000;
            let ChildWidth = 4000;
            var RatioOfChild = ChildHeight / ChildWidth;
            $("#ChildAspectRatio").html(RatioOfChild);

            let ScaleHeight = ParentHeight / ChildHeight;
            let ScaleWidth = ParentWidth / ChildWidth;
            let Scale = Math.min(ScaleHeight, ScaleWidth);

            $("#ScaleFactor").html(Scale);
            // old scale
            //ChildHeight = ChildHeight * Scale;
            //ChildWidth = ChildWidth * Scale;

            // reduce scale by 10%, you can change the percentage
            let ScaleDownPercentage = 10;
            let CalculatedScaleValue = Scale * (ScaleDownPercentage / 100);
            $("#CalculatedScaleValue").html(CalculatedScaleValue);

            // new scale
            let NewScale = (Scale - CalculatedScaleValue);
            ChildHeight = ChildHeight * NewScale;
            ChildWidth = ChildWidth * NewScale;

            $("#Child").width(ChildWidth).height(ChildHeight);
            $("#ChildHeight").html(ChildHeight);
            $("#ChildWidth").html(ChildWidth);

        });
        #Parent {
            background-color: grey;
        }

        #Child {
            background-color: red;
        }
 
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div id="Parent">
    <div id="Child"></div>
</div>

<table>
    <tr>
        <td>Parent Aspect Ratio</td>
        <td id="ParentAspectRatio"></td>
    </tr>
    <tr>
        <td>Child Aspect Ratio</td>
        <td id="ChildAspectRatio"></td>
    </tr>
    <tr>
        <td>Scale Factor</td>
        <td id="ScaleFactor"></td>
    </tr>
    <tr>
        <td>Calculated Scale Value</td>
        <td id="CalculatedScaleValue"></td>
    </tr>
    <tr>
        <td>Parent Height</td>
        <td id="ParentHeight"></td>
    </tr>
    <tr>
        <td>Parent Width</td>
        <td id="ParentWidth"></td>
    </tr>
    <tr>
        <td>Child Height</td>
        <td id="ChildHeight"></td>
    </tr>
    <tr>
        <td>Child Width</td>
        <td id="ChildWidth"></td>
    </tr>
</table>


-4

Questo ha funzionato totalmente per me per un oggetto trascinabile - aspectRatio: true

.appendTo(divwrapper).resizable({
    aspectRatio: true,
    handles: 'se',
    stop: resizestop 
})
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.