이미지의 크기를 비례 적으로 조정하고 종횡비를 유지하는 방법은 무엇입니까?


167

크기가 상당히 큰 이미지가 있고 비율을 제한하면서 동일한 가로 세로 비율을 유지하면서 jQuery로 이미지를 축소하고 싶습니다.

누군가 나에게 코드를 알려주거나 논리를 설명 할 수 있습니까?


4
jQuery를 사용해야하는 이유를 자세히 설명 할 수 있습니까? CSS의 전용 솔루션 (참조 : 거기에 내 대답을 )의 설정 max-widthmax-height100%.
Dan Dascalescu

9
아무도 모르는 경우를 대비하여 이미지의 한 차원 (폭 또는 높이) 만 설정하면 비례 적으로 크기가 조정됩니다. 웹이 시작된 이래로 이런 방식이었습니다. 예를 들면 :<img src='image.jpg' width=200>
GetFree

2
또한 slimmage.js 와 같은 것을 사용하여 대역폭과 모바일 장치 RAM을 절약 할 수도 있습니다 .
Lilith River

답변:


188

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
죄송합니다. 수학자 논리가 누락되었습니다. 모든 논리를 늘려야 할 때 어떤 일이 일어나나요 (예를 들어, maxHeight를 늘리고 있습니다)?
Ben

4
CSS만으로도 가능합니까? (max-width, height : auto 등?)
Tronathan

11
왜 jQuery가 필요한지 잘 모르겠습니다. 클라이언트에 비례하여 이미지를 축소는 CSS와 함께 할 수 있으며, 사소한 : 단지의 설정 max-widthmax-height100%. jsfiddle.net/9EQ5c
Dan Dascalescu

10
IF STATEMENT로 인해 CSS로이를 수행 할 수 없습니다. 요점은 축소판 이미지를 채우는 것입니다. 이미지가 너무 크면 최대 너비 여야하고 이미지가 너무 넓 으면 최대 높이 여야합니다. CSS max-width, max-height를 수행하면 완전히 채워지지 않고 공백이있는 축소판 그림이 표시됩니다.
ntgCleaner

이 코드는 브라우저에서 문제를 일으키거나 충돌하거나 느려질 수 있습니까?
데자 본드

444

나는 이것이 정말 멋진 방법 이라고 생각합니다 .

 /**
  * 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
대단한 답변! 높이와 너비가 모두 더 크면 정답이 얼굴에 평평하게 떨어집니다. 정말 좋고 좋은 수염도 있습니다.
Starkers

1
당신은 @sstauross에 대해 맞습니다. 소수 픽셀은 약간의 예기치 않은 결과를 가질 수 있습니다 . 그러나 내 유스 케이스에서는 무시할 만했다. 나는 픽셀 완벽한 디자인에 Math.floor정말로 도움이 될 것이라고 생각합니다 :-)
Jason J. Nathan

1
고마워, 나는 거의 "한 줄짜리"가 필요했습니다.
Hernán

1
고마워 Jason,이 답변은 정말 도움이되었습니다.
Ashok Shah

4
이것은이 문제를 처리하는 환상적인 방법입니다! 이미지를 확대하지 못하도록 img 요소를 약간 조정했습니다.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

질문을 올바르게 이해하면 jQuery가 필요하지 않습니다. 클라이언트에 비례하여 이미지를 축소 혼자 CSS로 수행 할 수 있습니다 단지의 설정 max-widthmax-height100%.

<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>​

바이올린은 다음과 같습니다. http://jsfiddle.net/9EQ5c/


2
이것은 위보다 훨씬 쉬운 대답입니다. 감사. btw 게시물로 스크롤 할 수있는 "나의 답변"링크를 어떻게 얻었습니까?
SnareChops

@SnareChops : 단순히 HTML 앵커 입니다.
Dan Dascalescu

1
@SnareChops : 답변 아래 "공유"링크가 제공하는 링크를 사용하면 답변으로 스크롤됩니다.
Flimm

1
@Flimm 범위가 표시되지 않으므로 기본적으로 block입니다. display : block을 추가하거나 div로 만드십시오.
mahemoff 2016 년

1
필자의 경우 IMG는 WordPress로 렌더링되어 너비와 높이가 설정되었습니다. CSS에서 나는 또한 width: auto; height: auto;코드를 실행 하도록 설정해야했다 :)
lippoliv

12

가로 세로 비율 을 결정하려면 목표 비율을 가져야합니다.

신장

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

폭

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

이 예에서는 이것이 16:10전형적인 모니터 종횡비이므로 사용 합니다.

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

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

위의 결과가 될 것입니다 147300


고려하면, 300 = 대각선 폭 = 높이 * 비율과 높이는 말한 것과 같습니다
Johny Pie

6

실제로 나는이 문제에 부딪 쳤고 내가 찾은 해결책은 이상하게 간단하고 이상했다.

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

기적적으로 이미지는 새로운 높이로 크기가 조정되고 동일한 비율을 유지합니다!


1
나는 이것이 유용하다고 생각하지만, 그것이 매우 넓다면 최대 너비로 이미지를 제한하지 않을 것이라고 생각합니다 ...
stephendwolff

이 속성은 다른 속성을 설정하지 않으면 작동합니다. (이 경우 너비)
NoobishPro

4

이 문제에는 4 가지 파라미터가 있습니다

  1. 현재 이미지 너비 iX
  2. 현재 이미지 높이 iY
  3. 대상 뷰포트 너비 cX
  4. 대상 뷰포트 높이 cY

그리고 3 가지 조건부 매개 변수가 있습니다

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

해결책

  1. 대상 뷰 포트 F의 작은 쪽을 찾으십시오
  2. 현재 뷰 포트 L의 큰 쪽을 찾으십시오.
  3. F / L = factor의 인수를 모두 구합니다
  4. 현재 포트의 양쪽에 계수 즉, fX = iX * 계수를 곱하십시오. fY = iY * 계수

그게 당신이해야 할 전부입니다.

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

이것은 성숙한 포럼입니다, 나는 당신에게 그 코드를주지 않습니다 :)


2
이 뒤에 방법을 게시하는 것은 좋지만 실제로 코드를 게시하여 사용자를 돕는 것이 아니라고 표시합니다. 조금 방해하는 것 같습니다
Doidgey

6
"누군가가 나에게 어떤 코드를 지적하거나 논리를 설명 할 수 있습니까?" -분명히 그에게 설명 된 방법 만 있으면 괜찮습니다. 개인적으로 나는 이것이 코드를 복사하여 붙여 넣는 것보다 방법을 이해하도록 돕기 위해 누군가를 돕는 더 좋은 방법이라고 생각합니다.
JessMcintosh 2014

@JessMcintosh, 독창적 인 질문에 대한 bazillion 편집은 귀하의 의견을 문맥에서 벗어났습니다 :)
Jason J. Nathan

4

합니까의 <img src="/path/to/pic.jpg" style="max-width:XXXpx; max-height:YYYpx;" >도움?

브라우저는 가로 세로 비율을 그대로 유지합니다.

max-width, 이미지 너비가 높이보다 클 때 시작되고 높이가 비례 적으로 계산됩니다. max-height높이가 너비보다 큰 경우에도 마찬가지 입니다.

이를 위해 jQuery 또는 javascript가 필요하지 않습니다.

ie7 + 및 기타 브라우저 ( http://caniuse.com/minmaxwh )에서 지원됩니다 .


좋은 팁! CSS를 CSS 파일에 넣고 html 코드에 직접 넣지 마십시오.
Mark

문제는 페이지가로드 될 때까지 최대 너비와 최대 높이가 무엇인지 모르면 작동하지 않는다는 것입니다. 이것이 바로 JS 솔루션이 필요한 이유입니다. 일반적으로 반응 형 사이트의 경우입니다.
Jason J. Nathan

2

가능한 모든 비율의 이미지에서 작동합니다.

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

Mehdiway의 답변에 대한 수정 사항이 있습니다. 새 너비 및 / 또는 높이가 최대 값으로 설정되지 않았습니다. 좋은 테스트 사례는 다음과 같습니다 (1768 x 1075 픽셀) : http://spacecoastsports.com/wp-content/uploads/2014/06/sportsballs1.png . (평판 포인트가 부족하여 위에 언급 할 수 없었습니다.)

  // 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
게시물에 답변 할 때 코드뿐만 아니라 설명을 추가해보세요.
Jørgen R

1

이미지가 비례하면이 코드는 래퍼를 이미지로 채 웁니다. 이미지가 비례하지 않으면 추가 너비 / 높이가 잘립니다.

    <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

추가 온도 바 또는 괄호없이.

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

마음 속으로 유지 : 너비와 높이 속성이 이미지에 맞지 않지만 검색 엔진은 JS를 모르는 경우 검색 엔진이 마음에 들지 않습니다.


1

시행 착오 후에이 솔루션에 왔습니다.

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

CSS를 사용하여 크기를 조정할 수 있습니다 (가로 세로 비율 유지). 이것은 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 단계 :

1 단계) 이미지의 원래 너비 / 원래 높이의 비율을 계산하십시오.

2 단계) 새 높이에 해당하는 새 너비를 얻으려면 original_width / original_height 비율에 원하는 새 높이를 곱하십시오.



-4

이것은 드래그 가능한 항목에 대해 완전히 효과가 있습니다-aspectRatio : true

.appendTo(divwrapper).resizable({
    aspectRatio: true,
    handles: 'se',
    stop: resizestop 
})
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.