JavaScript로 이미지 클라이언트 측의 크기를 조정하는 방법을 찾고 있습니다 (폭과 높이 만 변경하는 것이 아니라 실제로 크기 조정).
플래시에서 할 수 있다는 것을 알고 있지만 가능하면 피하고 싶습니다.
웹 어딘가에 오픈 소스 알고리즘이 있습니까?
JavaScript로 이미지 클라이언트 측의 크기를 조정하는 방법을 찾고 있습니다 (폭과 높이 만 변경하는 것이 아니라 실제로 크기 조정).
플래시에서 할 수 있다는 것을 알고 있지만 가능하면 피하고 싶습니다.
웹 어딘가에 오픈 소스 알고리즘이 있습니까?
답변:
다음은이 수행하는 요지는 다음과 같습니다 https://gist.github.com/dcollien/312bce1270a5f511bf4a
(es6 버전 및 스크립트 태그에 포함될 수있는 .js 버전)
다음과 같이 사용할 수 있습니다.
<input type="file" id="select">
<img id="preview">
<script>
document.getElementById('select').onchange = function(evt) {
ImageTools.resize(this.files[0], {
width: 320, // maximum width
height: 240 // maximum height
}, function(blob, didItResize) {
// didItResize will be true if it managed to resize it, otherwise false (and will return the original file as 'blob')
document.getElementById('preview').src = window.URL.createObjectURL(blob);
// you can also now upload this blob using an XHR.
});
};
</script>
그것은 내가 지원 할 수있는 한 많은 브라우저에서 작동하도록 많은 지원 감지 및 polyfill을 포함합니다.
(또한 애니메이션 이미지 인 경우 GIF 이미지는 무시합니다)
imageSmoothingEnabled
TRUE '같은과 imageSmoothingQuality
에를 high
. 타입 스크립트에서 블록은 다음과 같습니다 : const ctx = canvas.getContext('2d'); ctx.imageSmoothingEnabled = true; (ctx as any).imageSmoothingQuality = 'high'; ctx.drawImage(image, 0, 0, width, height);
이에 대한 대답은 예입니다. HTML 5에서는 canvas 요소를 사용하여 클라이언트 쪽 이미지의 크기를 조정할 수 있습니다. 새 데이터를 가져 와서 서버로 보낼 수도 있습니다. 이 튜토리얼을 참조하십시오 :
http://hacks.mozilla.org/2011/01/how-to-develop-a-html5-image-uploader/
업로드하기 전에 크기를 조정 한 경우 http://www.plupload.com/을 발견했습니다 .
상상할 수있는 방법으로 모든 마법을 수행합니다.
불행히도 HTML5 크기 조정은 Mozilla 브라우저에서만 지원되지만 다른 브라우저를 Flash 및 Silverlight로 리디렉션 할 수 있습니다.
방금 시도해 보았고 안드로이드로 작동했습니다!
플래시에서 http://swfupload.org/ 를 사용 하고 있었지만 작업이 잘 수행되지만 크기 조정 크기는 매우 작습니다. (한도를 기억할 수 없음) 플래시를 사용할 수없는 경우 html4로 돌아 가지 않습니다.
http://nodeca.github.io/pica/demo/
최신 브라우저에서는 캔버스를 사용하여 이미지 데이터를로드 / 저장할 수 있습니다. 그러나 클라이언트에서 이미지 크기를 조정하는 경우 몇 가지 사항을 명심해야합니다.
이미지를 서버에 업로드하기 전에 클라이언트 측 이미지 처리에 자바 스크립트 이미지 처리 프레임 워크를 사용할 수 있습니다.
아래에서 MarvinJ 를 사용하여 다음 페이지의 예제를 기반으로 실행 가능한 코드를 만들었습니다. "이미지를 서버에 업로드하기 전에 클라이언트 측에서 이미지 처리"
기본적으로 Marvin.scale (...) 메서드 를 사용하여 이미지 크기를 조정합니다. 그런 다음 image.toBlob () 메소드를 사용하여 이미지를 blob으로 업로드합니다 . 서버는 수신 된 이미지의 URL을 제공하여 응답합니다.
/***********************************************
* GLOBAL VARS
**********************************************/
var image = new MarvinImage();
/***********************************************
* FILE CHOOSER AND UPLOAD
**********************************************/
$('#fileUpload').change(function (event) {
form = new FormData();
form.append('name', event.target.files[0].name);
reader = new FileReader();
reader.readAsDataURL(event.target.files[0]);
reader.onload = function(){
image.load(reader.result, imageLoaded);
};
});
function resizeAndSendToServer(){
$("#divServerResponse").html("uploading...");
$.ajax({
method: 'POST',
url: 'https://www.marvinj.org/backoffice/imageUpload.php',
data: form,
enctype: 'multipart/form-data',
contentType: false,
processData: false,
success: function (resp) {
$("#divServerResponse").html("SERVER RESPONSE (NEW IMAGE):<br/><img src='"+resp+"' style='max-width:400px'></img>");
},
error: function (data) {
console.log("error:"+error);
console.log(data);
},
});
};
/***********************************************
* IMAGE MANIPULATION
**********************************************/
function imageLoaded(){
Marvin.scale(image.clone(), image, 120);
form.append("blob", image.toBlob());
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<script src="https://www.marvinj.org/releases/marvinj-0.8.js"></script>
<form id="form" action='/backoffice/imageUpload.php' style='margin:auto;' method='post' enctype='multipart/form-data'>
<input type='file' id='fileUpload' class='upload' name='userfile'/>
</form><br/>
<button type="button" onclick="resizeAndSendToServer()">Resize and Send to Server</button><br/><br/>
<div id="divServerResponse">
</div>
예, 최신 브라우저에서는 완전히 가능합니다. 캔버스를 여러 번 변경하여 파일을 바이너리 파일로 업로드하는 시점까지 가능합니다.
(이 답변은 여기 에서 허용되는 답변의 개선입니다 )
PHP에서 다음과 유사한 결과 제출 프로세스를 잡는 것을 명심하십시오.
//File destination
$destination = "/folder/cropped_image.png";
//Get uploaded image file it's temporary name
$image_tmp_name = $_FILES["cropped_image"]["tmp_name"][0];
//Move temporary file to final destination
move_uploaded_file($image_tmp_name, $destination);
Vitaly의 요점이 걱정된다면 작동하는 jfiddle에서 자르기 및 크기 조정을 시도해 볼 수 있습니다.
내 경험에 따르면이 예제는 크기가 조정 된 사진을 업로드하는 가장 좋은 솔루션입니다. https://zocada.com/compress-resize-images-javascript-browser/
HTML5 Canvas 기능을 사용합니다.
코드는 다음과 같이 '단순'합니다.
compress(e) {
const fileName = e.target.files[0].name;
const reader = new FileReader();
reader.readAsDataURL(e.target.files[0]);
reader.onload = event => {
const img = new Image();
img.src = event.target.result;
img.onload = () => {
const elem = document.createElement('canvas');
const width = Math.min(800, img.width);
const scaleFactor = width / img.width;
elem.width = width;
elem.height = img.height * scaleFactor;
const ctx = elem.getContext('2d');
// img.width and img.height will contain the original dimensions
ctx.drawImage(img, 0, 0, width, img.height * scaleFactor);
ctx.canvas.toBlob((blob) => {
const file = new File([blob], fileName, {
type: 'image/jpeg',
lastModified: Date.now()
});
}, 'image/jpeg', 1);
},
reader.onerror = error => console.log(error);
};
}
이 옵션에는 단점이 하나 있으며 EXIF 데이터를 무시하기 때문에 이미지 회전과 관련이 있습니다. 내가 지금하고있는 중입니다. 완료되면 업데이트됩니다.
또 다른 단점은 IE / Edge 지원이 부족하다는 것입니다. 위의 링크에 정보가 있지만. 두 가지 문제 모두.