programing

가로 세로 비율을 유지하면서 비례적으로 이미지 크기를 조정하는 방법은 무엇입니까?

oldcodes 2023. 8. 12. 10:41
반응형

가로 세로 비율을 유지하면서 비례적으로 이미지 크기를 조정하는 방법은 무엇입니까?

치수가 상당히 큰 이미지가 있으므로 비율을 제한하면서 jQuery로 축소하고 싶습니다. 즉, 동일한 가로 세로 비율입니다.

누가 코드를 가리키거나 논리를 설명해 줄 수 있습니까?

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

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

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

제가 질문을 제대로 이해했다면, 당신은 이것을 위해 jQuery도 필요하지 않습니다.를 비례적으로 축소하는 할 수 : CSS를 하십시오.max-width그리고.max-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/

가로 세로 비율을 결정하려면 목표로 삼을 비율이 있어야 합니다.

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

에서는 이예서사니다합용는에다니를 합니다.16:10이것이 일반적인 모니터 가로 세로 비율이기 때문입니다.

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

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

위의 결과는 다음과 같습니다.147그리고.300

이 문제에는 4개의 매개 변수가 있습니다.

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

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

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

해결책

  1. 대상 뷰 포트의 작은 쪽 찾기 F
  2. 현재 뷰 포트의 더 큰 쪽 찾기 L
  3. 두 F/L = 요인 모두 찾기
  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 ; 

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

사실 나는 방금 이 문제에 부딪혔고 내가 찾은 해결책은 이상하게 간단하고 이상했습니다.

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

그리고 기적적으로 이미지의 크기가 새로운 높이로 조정되고 동일한 비율이 유지됩니다!

있습니까?<img src="/path/to/pic.jpg" style="max-width:XXXpx; max-height:YYYpx;" >도와드릴까요?

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

max-width이미지 너비가 높이보다 크면 시작되며 높이가 비례적으로 계산됩니다. 유하게사▁similarlymax-height높이가 너비보다 클 때 적용됩니다.

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

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

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

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

추가적인 온도 바 또는 브래킷 없음.

    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를 알지 못합니다.

가능한 모든 비율의 이미지에 적용됩니다.

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

여기 메흐디웨이의 대답에 대한 수정이 있습니다.새 너비 및/또는 높이가 최대값으로 설정되지 않았습니다.좋은 테스트 사례는 다음과 같습니다(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);
      }
  }
$('#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단계:

1단계) 이미지의 원래 너비/원래 높이 비율을 계산합니다.

2단계) original_width/original_height 비율에 새 원하는 높이를 곱하여 새 높이에 해당하는 새 너비를 얻습니다.

시행착오 끝에 이 솔루션에 도달했습니다.

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

크기 조정은 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"/>

이 문제는 CSS로 해결할 수 있습니다.

.image{
 max-width:*px;
}

용기에 맞게 크기 조정, 축척 계수 가져오기, 축척 비율 제어

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

이미지 크기를 특정 비율로 조정

// scale can be 0.40, 0.80, etc.
function imageScaler(originalHeight, originalWidth, scale) {
  const scaledWidth = originalWidth * scale;
  const scaledHeight = (originalHeight / originalWidth) * scaledWidth;
  return [scaledHeight, scaledWidth];
}

특정 가로 세로 비율을 원할 경우 너비 높이를 결정할 수 있습니다. 3264×2448 사진 가로 세로 비율은 => 2448 ÷ 3264 = 0.75 이제 나눗셈에 0.75를 나타내는 숫자만 확인하면 됩니다.동일: 16:9 => 9⁄16 = 0.5625 (0.75가 아닐 경우) 이제 4:3 => 3⁄4 = 0입니다.75 (알겠습니다) 그래서 원래 가로 세로 비율은 4:3입니다. 이미지 크기를 조정하려면 가로 = 3264 µ/× 4 높이 = 2448 µ/× 3 µ를 줄여야 합니다. 여러분은 이해하고 코드화할 수 있습니다. 왜냐하면 우리는 매우 간단한 나눗셈이나 곱셈만 하면 되기 때문입니다.제가 틀렸다면 알려주세요.

이것은 드래그 가능한 아이템에 완전히 효과가 있었습니다 - aspectRatio: true.

.appendTo(divwrapper).resizable({
    aspectRatio: true,
    handles: 'se',
    stop: resizestop 
})

언급URL : https://stackoverflow.com/questions/3971841/how-to-resize-images-proportionally-keeping-the-aspect-ratio

반응형