Use HTML5 para cambiar el tamaño de una imagen antes de subirla

102

He encontrado algunas publicaciones diferentes e incluso preguntas en stackoverflow que responden a esta pregunta. Básicamente estoy implementando lo mismo que esta publicación .

Así que aquí está mi problema. Cuando subo la foto, también necesito enviar el resto del formulario. Aquí está mi html:

<form id="uploadImageForm" enctype="multipart/form-data">
  <input name="imagefile[]" type="file" id="takePictureField" accept="image/*" onchange="uploadPhotos(\'#{imageUploadUrl}\')" />
  <input id="name" value="#{name}" />
  ... a few more inputs ... 
</form>

Anteriormente, no necesitaba cambiar el tamaño de la imagen, por lo que mi javascript se veía así:

window.uploadPhotos = function(url){
    var data = new FormData($("form[id*='uploadImageForm']")[0]);

    $.ajax({
        url: url,
        data: data,
        cache: false,
        contentType: false,
        processData: false,
        type: 'POST',
        success: function(data){
            ... handle error...
            }
        }
    });
};

Todo esto funcionó muy bien ... ahora que necesito cambiar el tamaño de las imágenes ... ¿cómo puedo reemplazar la imagen en el formulario para que se publique la imagen redimensionada y no la imagen cargada?

window.uploadPhotos = function(url){

    var resizedImage;

    // Read in file
    var file = event.target.files[0];

    // Ensure it's an image
    if(file.type.match(/image.*/)) {
        console.log('An image has been loaded');

        // Load the image
        var reader = new FileReader();
        reader.onload = function (readerEvent) {
            var image = new Image();
            image.onload = function (imageEvent) {

                // Resize the image
                var canvas = document.createElement('canvas'),
                    max_size = 1200,
                    width = image.width,
                    height = image.height;
                if (width > height) {
                    if (width > max_size) {
                        height *= max_size / width;
                        width = max_size;
                    }
                } else {
                    if (height > max_size) {
                        width *= max_size / height;
                        height = max_size;
                    }
                }
                canvas.width = width;
                canvas.height = height;
                canvas.getContext('2d').drawImage(image, 0, 0, width, height);
                resizedImage = canvas.toDataURL('image/jpeg');
            }
            image.src = readerEvent.target.result;
        }
        reader.readAsDataURL(file);
    }


   // TODO: Need some logic here to switch out which photo is being posted...

    var data = new FormData($("form[id*='uploadImageForm']")[0]);

    $.ajax({
        url: url,
        data: data,
        cache: false,
        contentType: false,
        processData: false,
        type: 'POST',
        success: function(data){
            ... handle error...
            }
        }
    });
};

He pensado en mover la entrada del archivo fuera del formulario y tener una entrada oculta en el formulario en la que configuré el valor del valor de la imagen redimensionada ... Pero me pregunto si puedo reemplazar la imagen que ya está en el formulario.

ferics2
fuente
¿Está trabajando con algún lenguaje del lado del servidor o solo con html5 y javascript?
luke2012
1
@ luke2012 java server side
ferics2
Tal vez recorte la imagen en el lado del cliente usando algo como jCrop y luego envíe las coordenadas al lado del servidor y recórtela. es decirBufferedImage dest = src.getSubimage(rect.x, rect.y, rect.width, rect.height);
luke2012
4
@ luke2012 el punto es reducir el tamaño de la imagen ANTES de enviarla al servidor.
ferics2
Eche un vistazo a la fuente js de pandamatak.com/people/anand/test/crop parece ser similar ..
luke2012

Respuestas:

160

Esto es lo que terminé haciendo y funcionó muy bien.

Primero moví la entrada del archivo fuera del formulario para que no se envíe:

<input name="imagefile[]" type="file" id="takePictureField" accept="image/*" onchange="uploadPhotos(\'#{imageUploadUrl}\')" />
<form id="uploadImageForm" enctype="multipart/form-data">
    <input id="name" value="#{name}" />
    ... a few more inputs ... 
</form>

Luego cambié la uploadPhotosfunción para manejar solo el cambio de tamaño:

window.uploadPhotos = function(url){
    // Read in file
    var file = event.target.files[0];

    // Ensure it's an image
    if(file.type.match(/image.*/)) {
        console.log('An image has been loaded');

        // Load the image
        var reader = new FileReader();
        reader.onload = function (readerEvent) {
            var image = new Image();
            image.onload = function (imageEvent) {

                // Resize the image
                var canvas = document.createElement('canvas'),
                    max_size = 544,// TODO : pull max size from a site config
                    width = image.width,
                    height = image.height;
                if (width > height) {
                    if (width > max_size) {
                        height *= max_size / width;
                        width = max_size;
                    }
                } else {
                    if (height > max_size) {
                        width *= max_size / height;
                        height = max_size;
                    }
                }
                canvas.width = width;
                canvas.height = height;
                canvas.getContext('2d').drawImage(image, 0, 0, width, height);
                var dataUrl = canvas.toDataURL('image/jpeg');
                var resizedImage = dataURLToBlob(dataUrl);
                $.event.trigger({
                    type: "imageResized",
                    blob: resizedImage,
                    url: dataUrl
                });
            }
            image.src = readerEvent.target.result;
        }
        reader.readAsDataURL(file);
    }
};

Como puede ver, estoy usando canvas.toDataURL('image/jpeg'); para cambiar la imagen redimensionada en un dataUrl y luego llamo a la función dataURLToBlob(dataUrl);para convertir el dataUrl en un blob que luego puedo agregar al formulario. Cuando se crea el blob, desencanto un evento personalizado. Aquí está la función para crear el blob:

/* Utility function to convert a canvas to a BLOB */
var dataURLToBlob = function(dataURL) {
    var BASE64_MARKER = ';base64,';
    if (dataURL.indexOf(BASE64_MARKER) == -1) {
        var parts = dataURL.split(',');
        var contentType = parts[0].split(':')[1];
        var raw = parts[1];

        return new Blob([raw], {type: contentType});
    }

    var parts = dataURL.split(BASE64_MARKER);
    var contentType = parts[0].split(':')[1];
    var raw = window.atob(parts[1]);
    var rawLength = raw.length;

    var uInt8Array = new Uint8Array(rawLength);

    for (var i = 0; i < rawLength; ++i) {
        uInt8Array[i] = raw.charCodeAt(i);
    }

    return new Blob([uInt8Array], {type: contentType});
}
/* End Utility function to convert a canvas to a BLOB      */

Finalmente, aquí está mi controlador de eventos que toma el blob del evento personalizado, agrega el formulario y luego lo envía.

/* Handle image resized events */
$(document).on("imageResized", function (event) {
    var data = new FormData($("form[id*='uploadImageForm']")[0]);
    if (event.blob && event.url) {
        data.append('image_data', event.blob);

        $.ajax({
            url: event.url,
            data: data,
            cache: false,
            contentType: false,
            processData: false,
            type: 'POST',
            success: function(data){
               //handle errors...
            }
        });
    }
});
ferics2
fuente
1
Código maravilloso, después de algunos ajustes y corregir algunos errores (no recuerdo exactamente qué y cuál) lo hice funcionar. Por cierto, creo que cuando escribiste width *= max_size / width;realmente quisiste decir width *= max_size / height;.
user1111929
2
¿Este código funciona en dispositivos móviles? ¿Bajo iOS y Android?
planewalker
4
@planewalker De hecho, escribí el código específicamente para dispositivos móviles. Reducir el uso de datos.
ferics2
2
@planewalker, estaba probando en iOS cuando escribí esto. Espero que funcione para ti.
ferics2
3
¡Bien hecho y gracias por compartir! (El error menor que otros han mencionado pero no identificado está en el activador del evento de cambio de tamaño de la imagen. "Url: url" debería ser "url: dataUrl")
Seoras
44

si hay alguno interesado, hice una versión mecanografiada:

interface IResizeImageOptions {
  maxSize: number;
  file: File;
}
const resizeImage = (settings: IResizeImageOptions) => {
  const file = settings.file;
  const maxSize = settings.maxSize;
  const reader = new FileReader();
  const image = new Image();
  const canvas = document.createElement('canvas');
  const dataURItoBlob = (dataURI: string) => {
    const bytes = dataURI.split(',')[0].indexOf('base64') >= 0 ?
        atob(dataURI.split(',')[1]) :
        unescape(dataURI.split(',')[1]);
    const mime = dataURI.split(',')[0].split(':')[1].split(';')[0];
    const max = bytes.length;
    const ia = new Uint8Array(max);
    for (var i = 0; i < max; i++) ia[i] = bytes.charCodeAt(i);
    return new Blob([ia], {type:mime});
  };
  const resize = () => {
    let width = image.width;
    let height = image.height;

    if (width > height) {
        if (width > maxSize) {
            height *= maxSize / width;
            width = maxSize;
        }
    } else {
        if (height > maxSize) {
            width *= maxSize / height;
            height = maxSize;
        }
    }

    canvas.width = width;
    canvas.height = height;
    canvas.getContext('2d').drawImage(image, 0, 0, width, height);
    let dataUrl = canvas.toDataURL('image/jpeg');
    return dataURItoBlob(dataUrl);
  };

  return new Promise((ok, no) => {
      if (!file.type.match(/image.*/)) {
        no(new Error("Not an image"));
        return;
      }

      reader.onload = (readerEvent: any) => {
        image.onload = () => ok(resize());
        image.src = readerEvent.target.result;
      };
      reader.readAsDataURL(file);
  })    
};

y aquí está el resultado de javascript:

var resizeImage = function (settings) {
    var file = settings.file;
    var maxSize = settings.maxSize;
    var reader = new FileReader();
    var image = new Image();
    var canvas = document.createElement('canvas');
    var dataURItoBlob = function (dataURI) {
        var bytes = dataURI.split(',')[0].indexOf('base64') >= 0 ?
            atob(dataURI.split(',')[1]) :
            unescape(dataURI.split(',')[1]);
        var mime = dataURI.split(',')[0].split(':')[1].split(';')[0];
        var max = bytes.length;
        var ia = new Uint8Array(max);
        for (var i = 0; i < max; i++)
            ia[i] = bytes.charCodeAt(i);
        return new Blob([ia], { type: mime });
    };
    var resize = function () {
        var width = image.width;
        var height = image.height;
        if (width > height) {
            if (width > maxSize) {
                height *= maxSize / width;
                width = maxSize;
            }
        } else {
            if (height > maxSize) {
                width *= maxSize / height;
                height = maxSize;
            }
        }
        canvas.width = width;
        canvas.height = height;
        canvas.getContext('2d').drawImage(image, 0, 0, width, height);
        var dataUrl = canvas.toDataURL('image/jpeg');
        return dataURItoBlob(dataUrl);
    };
    return new Promise(function (ok, no) {
        if (!file.type.match(/image.*/)) {
            no(new Error("Not an image"));
            return;
        }
        reader.onload = function (readerEvent) {
            image.onload = function () { return ok(resize()); };
            image.src = readerEvent.target.result;
        };
        reader.readAsDataURL(file);
    });
};

el uso es como:

resizeImage({
    file: $image.files[0],
    maxSize: 500
}).then(function (resizedImage) {
    console.log("upload resized image")
}).catch(function (err) {
    console.error(err);
});

o ( async/ await):

const config = {
    file: $image.files[0],
    maxSize: 500
};
const resizedImage = await resizeImage(config)
console.log("upload resized image")
Santiago Hernández
fuente
Una solución realmente agradable, se puede agregar una configuración adicional para permitir devolver el resultado como base64 (omitir la llamada dataURIToBlob al final).
Chen
Recibo este error:Uncaught (in promise) TypeError: Cannot read property 'type' of undefined
Owen M
1
Agradable. Tuve que cambiar unescape a (<cualquier> ventana) .unescape También agregué minSize.
robert king
maxSizeestá en bytes o kb?
Jagruti
1
Tu respuesta me ayudó a responder esta pregunta , gracias.
Syed