traductor online imagen decodificar codificacion btoa atob javascript base64

online - ¿Cómo puedes codificar una cadena a Base64 en JavaScript?



decodificar imagen base64 javascript (22)

Tengo un script PHP que puede codificar una imagen PNG en una cadena Base64.

Me gustaría hacer lo mismo usando JavaScript. ¿Sé cómo abrir archivos, pero no estoy seguro de cómo hacer la codificación? No estoy acostumbrado a trabajar con datos binarios.


Internet Explorer 10+

// Define the string var string = ''Hello World!''; // Encode the String var encodedString = btoa(string); console.log(encodedString); // Outputs: "SGVsbG8gV29ybGQh" // Decode the String var decodedString = atob(encodedString); console.log(decodedString); // Outputs: "Hello World!"

Navegador cruzado

// Create Base64 Object var Base64={_keyStr:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=",encode:function(e){var t="";var n,r,i,s,o,u,a;var f=0;e=Base64._utf8_encode(e);while(f<e.length){n=e.charCodeAt(f++);r=e.charCodeAt(f++);i=e.charCodeAt(f++);s=n>>2;o=(n&3)<<4|r>>4;u=(r&15)<<2|i>>6;a=i&63;if(isNaN(r)){u=a=64}else if(isNaN(i)){a=64}t=t+this._keyStr.charAt(s)+this._keyStr.charAt(o)+this._keyStr.charAt(u)+this._keyStr.charAt(a)}return t},decode:function(e){var t="";var n,r,i;var s,o,u,a;var f=0;e=e.replace(/[^A-Za-z0-9/+///=]/g,"");while(f<e.length){s=this._keyStr.indexOf(e.charAt(f++));o=this._keyStr.indexOf(e.charAt(f++));u=this._keyStr.indexOf(e.charAt(f++));a=this._keyStr.indexOf(e.charAt(f++));n=s<<2|o>>4;r=(o&15)<<4|u>>2;i=(u&3)<<6|a;t=t+String.fromCharCode(n);if(u!=64){t=t+String.fromCharCode(r)}if(a!=64){t=t+String.fromCharCode(i)}}t=Base64._utf8_decode(t);return t},_utf8_encode:function(e){e=e.replace(//r/n/g,"/n");var t="";for(var n=0;n<e.length;n++){var r=e.charCodeAt(n);if(r<128){t+=String.fromCharCode(r)}else if(r>127&&r<2048){t+=String.fromCharCode(r>>6|192);t+=String.fromCharCode(r&63|128)}else{t+=String.fromCharCode(r>>12|224);t+=String.fromCharCode(r>>6&63|128);t+=String.fromCharCode(r&63|128)}}return t},_utf8_decode:function(e){var t="";var n=0;var r=c1=c2=0;while(n<e.length){r=e.charCodeAt(n);if(r<128){t+=String.fromCharCode(r);n++}else if(r>191&&r<224){c2=e.charCodeAt(n+1);t+=String.fromCharCode((r&31)<<6|c2&63);n+=2}else{c2=e.charCodeAt(n+1);c3=e.charCodeAt(n+2);t+=String.fromCharCode((r&15)<<12|(c2&63)<<6|c3&63);n+=3}}return t}} // Define the string var string = ''Hello World!''; // Encode the String var encodedString = Base64.encode(string); console.log(encodedString); // Outputs: "SGVsbG8gV29ybGQh" // Decode the String var decodedString = Base64.decode(encodedString); console.log(decodedString); // Outputs: "Hello World!"

jsFiddle

con Node.js

Aquí es cómo codificar el texto normal a base64 en Node.js:

//Buffer() requires a number, array or string as the first parameter, and an optional encoding type as the second parameter. // Default is utf8, possible encoding types are ascii, utf8, ucs2, base64, binary, and hex var b = new Buffer(''JavaScript''); // If we don''t use toString(), JavaScript assumes we want to convert the object to utf8. // We can make it convert to other formats by passing the encoding type to toString(). var s = b.toString(''base64'');

Y aquí es cómo decodificar cadenas codificadas en base64:

var b = new Buffer(''SmF2YVNjcmlwdA=='', ''base64'') var s = b.toString();

con Dojo.js

Para codificar una matriz de bytes utilizando dojox.encoding.base64:

var str = dojox.encoding.base64.encode(myByteArray);

Para decodificar una cadena codificada en base64:

var bytes = dojox.encoding.base64.decode(str)

Bower instalar angular-base64

<script src="bower_components/angular-base64/angular-base64.js"></script> angular .module(''myApp'', [''base64'']) .controller(''myController'', [ ''$base64'', ''$scope'', function($base64, $scope) { $scope.encoded = $base64.encode(''a string''); $scope.decoded = $base64.decode(''YSBzdHJpbmc=''); }]);


A partir de los comentarios (por SET y Stefan Steiger) debajo de la respuesta aceptada, aquí hay un breve resumen de cómo codificar / decodificar una cadena a / desde base64 sin necesidad de una biblioteca.

str = "The quick brown fox jumps over the lazy dog"; b64 = btoa(unescape(encodeURIComponent(str))); str = decodeURIComponent(escape(window.atob(b64)));

Manifestación

(usa la biblioteca jQuery, pero no para codificar / decodificar)

str = "The quick brown fox jumps over the lazy dog"; $(''input'').val(str); $(''#btnConv'').click(function(){ var txt = $(''input'').val(); var b64 = btoa(unescape(encodeURIComponent(txt))); $(''input'').val(b64); $(''#btnDeConv'').show(); }); $(''#btnDeConv'').click(function(){ var b64 = $(''input'').val(); var txt = decodeURIComponent(escape(window.atob(b64))); $(''input'').val(txt); });

#btnDeConv{display:none;}

<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <input type="text" /> <button id="btnConv">Convert</button> <button id="btnDeConv">DeConvert</button>


Aquí hay una versión de AngularJS Factory de @ user850789:

''use strict''; var ProjectNameBase64Factory = angular.module(''project_name.factories.base64'', []); ProjectNameBase64Factory.factory(''Base64'', function () { var Base64 = { // private property _keyStr: "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=", // public method for encoding encode: function (input) { var output = ""; var chr1, chr2, chr3, enc1, enc2, enc3, enc4; var i = 0; input = Base64._utf8_encode(input); while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); enc1 = chr1 >> 2; enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); enc3 = ((chr2 & 15) << 2) | (chr3 >> 6); enc4 = chr3 & 63; if (isNaN(chr2)) { enc3 = enc4 = 64; } else if (isNaN(chr3)) { enc4 = 64; } output = output + Base64._keyStr.charAt(enc1) + Base64._keyStr.charAt(enc2) + Base64._keyStr.charAt(enc3) + Base64._keyStr.charAt(enc4); } return output; }, // public method for decoding decode: function (input) { var output = ""; var chr1, chr2, chr3; var enc1, enc2, enc3, enc4; var i = 0; input = input.replace(/[^A-Za-z0-9/+///=]/g, ""); while (i < input.length) { enc1 = Base64._keyStr.indexOf(input.charAt(i++)); enc2 = Base64._keyStr.indexOf(input.charAt(i++)); enc3 = Base64._keyStr.indexOf(input.charAt(i++)); enc4 = Base64._keyStr.indexOf(input.charAt(i++)); chr1 = (enc1 << 2) | (enc2 >> 4); chr2 = ((enc2 & 15) << 4) | (enc3 >> 2); chr3 = ((enc3 & 3) << 6) | enc4; output = output + String.fromCharCode(chr1); if (enc3 != 64) { output = output + String.fromCharCode(chr2); } if (enc4 != 64) { output = output + String.fromCharCode(chr3); } } output = Base64._utf8_decode(output); return output; }, // private method for UTF-8 encoding _utf8_encode: function (string) { string = string.replace(//r/n/g, "/n"); var utftext = ""; for (var n = 0; n < string.length; n++) { var c = string.charCodeAt(n); if (c < 128) { utftext += String.fromCharCode(c); } else if ((c > 127) && (c < 2048)) { utftext += String.fromCharCode((c >> 6) | 192); utftext += String.fromCharCode((c & 63) | 128); } else { utftext += String.fromCharCode((c >> 12) | 224); utftext += String.fromCharCode(((c >> 6) & 63) | 128); utftext += String.fromCharCode((c & 63) | 128); } } return utftext; }, // private method for UTF-8 decoding _utf8_decode: function (utftext) { var string = ""; var i = 0; var c = 0, c2 = 0, c3 = 0; while (i < utftext.length) { c = utftext.charCodeAt(i); if (c < 128) { string += String.fromCharCode(c); i++; } else if ((c > 191) && (c < 224)) { c2 = utftext.charCodeAt(i + 1); string += String.fromCharCode(((c & 31) << 6) | (c2 & 63)); i += 2; } else { c2 = utftext.charCodeAt(i + 1); c3 = utftext.charCodeAt(i + 2); string += String.fromCharCode(((c & 15) << 12) | ((c2 & 63) << 6) | (c3 & 63)); i += 3; } } return string; } }; return Base64; });


Contribuyendo con un polyfill minificado para window.atob + window.btoa que estoy usando actualmente.

(function(){function t(t){this.message=t}var e="undefined"!=typeof exports?exports:this,r="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";t.prototype=Error(),t.prototype.name="InvalidCharacterError",e.btoa||(e.btoa=function(e){for(var o,n,a=0,i=r,c="";e.charAt(0|a)||(i="=",a%1);c+=i.charAt(63&o>>8-8*(a%1))){if(n=e.charCodeAt(a+=.75),n>255)throw new t("''btoa'' failed: The string to be encoded contains characters outside of the Latin1 range.");o=o<<8|n}return c}),e.atob||(e.atob=function(e){if(e=e.replace(/=+$/,""),1==e.length%4)throw new t("''atob'' failed: The string to be decoded is not correctly encoded.");for(var o,n,a=0,i=0,c="";n=e.charAt(i++);~n&&(o=a%4?64*o+n:n,a++%4)?c+=String.fromCharCode(255&o>>(6&-2*a)):0)n=r.indexOf(n);return c})})();


El código de Sunny es excelente, excepto que se rompe en IE7 debido a las referencias a "esto". Se corrigió reemplazando dichas referencias con "Base64":

var Base64 = { // private property _keyStr : "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=", // public method for encoding encode : function (input) { var output = ""; var chr1, chr2, chr3, enc1, enc2, enc3, enc4; var i = 0; input = Base64._utf8_encode(input); while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); enc1 = chr1 >> 2; enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); enc3 = ((chr2 & 15) << 2) | (chr3 >> 6); enc4 = chr3 & 63; if (isNaN(chr2)) { enc3 = enc4 = 64; } else if (isNaN(chr3)) { enc4 = 64; } output = output + Base64._keyStr.charAt(enc1) + Base64._keyStr.charAt(enc2) + Base64._keyStr.charAt(enc3) + Base64._keyStr.charAt(enc4); } return output; }, // public method for decoding decode : function (input) { var output = ""; var chr1, chr2, chr3; var enc1, enc2, enc3, enc4; var i = 0; input = input.replace(/[^A-Za-z0-9/+///=]/g, ""); while (i < input.length) { enc1 = Base64._keyStr.indexOf(input.charAt(i++)); enc2 = Base64._keyStr.indexOf(input.charAt(i++)); enc3 = Base64._keyStr.indexOf(input.charAt(i++)); enc4 = Base64._keyStr.indexOf(input.charAt(i++)); chr1 = (enc1 << 2) | (enc2 >> 4); chr2 = ((enc2 & 15) << 4) | (enc3 >> 2); chr3 = ((enc3 & 3) << 6) | enc4; output = output + String.fromCharCode(chr1); if (enc3 != 64) { output = output + String.fromCharCode(chr2); } if (enc4 != 64) { output = output + String.fromCharCode(chr3); } } output = Base64._utf8_decode(output); return output; }, // private method for UTF-8 encoding _utf8_encode : function (string) { string = string.replace(//r/n/g,"/n"); var utftext = ""; for (var n = 0; n < string.length; n++) { var c = string.charCodeAt(n); if (c < 128) { utftext += String.fromCharCode(c); } else if((c > 127) && (c < 2048)) { utftext += String.fromCharCode((c >> 6) | 192); utftext += String.fromCharCode((c & 63) | 128); } else { utftext += String.fromCharCode((c >> 12) | 224); utftext += String.fromCharCode(((c >> 6) & 63) | 128); utftext += String.fromCharCode((c & 63) | 128); } } return utftext; }, // private method for UTF-8 decoding _utf8_decode : function (utftext) { var string = ""; var i = 0; var c = c1 = c2 = 0; while ( i < utftext.length ) { c = utftext.charCodeAt(i); if (c < 128) { string += String.fromCharCode(c); i++; } else if((c > 191) && (c < 224)) { c2 = utftext.charCodeAt(i+1); string += String.fromCharCode(((c & 31) << 6) | (c2 & 63)); i += 2; } else { c2 = utftext.charCodeAt(i+1); c3 = utftext.charCodeAt(i+2); string += String.fromCharCode(((c & 15) << 12) | ((c2 & 63) << 6) | (c3 & 63)); i += 3; } } return string; } }


Esta pregunta y sus respuestas me indicaron la dirección correcta.
Especialmente con unicode, atob y btoa no pueden usarse "vainilla" y en estos días TODO es unicode.

Directamente desde Mozilla, dos funciones agradables para este propósito (probadas con etiquetas Unicode y HTML en su interior)

function b64EncodeUnicode(str) { return btoa(encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function(match, p1) { return String.fromCharCode(''0x'' + p1); })); } b64EncodeUnicode(''✓ à la mode''); // "4pyTIMOgIGxhIG1vZGU=" b64EncodeUnicode(''/n''); // "Cg==" function b64DecodeUnicode(str) { return decodeURIComponent(Array.prototype.map.call(atob(str), function(c) { return ''%'' + (''00'' + c.charCodeAt(0).toString(16)).slice(-2); }).join('''')); } b64DecodeUnicode(''4pyTIMOgIGxhIG1vZGU=''); // "✓ à la mode" b64DecodeUnicode(''Cg==''); // "/n"

Estas funciones funcionarán a la velocidad del rayo en comparación con la decodificación en bruto de base64 utilizando una función javascript personalizada, ya que btoa y atob se ejecutan fuera del intérprete.

Si puede ignorar el IE antiguo y los teléfonos móviles viejos (como el iPhone 3?), Esta debería ser una buena solución.


Hay un par de errores en ambas implementaciones de _utf8_decode . c1 y c2 se asignan como variables globales debido al uso interrumpido de la sentencia var , y c3 no se inicializa ni se declara en absoluto.

Funciona, pero estas variables sobrescribirán las existentes con el mismo nombre fuera de esta función.

Aquí hay una versión que no hará esto:

// private method for UTF-8 decoding _utf8_decode : function (utftext) { var string = ""; var i = 0; var c = 0, c1 = 0, c2 = 0; while ( i < utftext.length ) { c = utftext.charCodeAt(i); if (c < 128) { string += String.fromCharCode(c); i++; } else if((c > 191) && (c < 224)) { c1 = utftext.charCodeAt(i+1); string += String.fromCharCode(((c & 31) << 6) | (c1 & 63)); i += 2; } else { c1 = utftext.charCodeAt(i+1); c2 = utftext.charCodeAt(i+2); string += String.fromCharCode(((c & 15) << 12) | ((c1 & 63) << 6) | (c2 & 63)); i += 3; } } return string; }


He reescrito a mano, estos métodos de codificación y decodificación con la excepción del hexadecimal en un formato modular para la compatibilidad multiplataforma / navegador y también con alcance privado real, y utiliza btoa y atob si existen debido a la velocidad y no que utilizar su propia codificación:

https://gist.github.com/Nijikokun/5192472

Uso:

base64.encode(/* String */); base64.decode(/* String */); utf8.encode(/* String */); utf8.decode(/* String */);


Le respondí a la respuesta de Sunny, pero quería contribuir con algunos cambios que hice para mi propio proyecto en caso de que alguien lo encuentre útil. Básicamente, acabo de limpiar un poco el código original para que JSLint no se queje tanto, e hice que los métodos marcados como privados en los comentarios fueran realmente privados. También agregué dos métodos que necesitaba en mi propio proyecto, a saber, decodeToHex y encodeFromHex .

El código:

var Base64 = (function() { "use strict"; var _keyStr = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="; var _utf8_encode = function (string) { var utftext = "", c, n; string = string.replace(//r/n/g,"/n"); for (n = 0; n < string.length; n++) { c = string.charCodeAt(n); if (c < 128) { utftext += String.fromCharCode(c); } else if((c > 127) && (c < 2048)) { utftext += String.fromCharCode((c >> 6) | 192); utftext += String.fromCharCode((c & 63) | 128); } else { utftext += String.fromCharCode((c >> 12) | 224); utftext += String.fromCharCode(((c >> 6) & 63) | 128); utftext += String.fromCharCode((c & 63) | 128); } } return utftext; }; var _utf8_decode = function (utftext) { var string = "", i = 0, c = 0, c1 = 0, c2 = 0; while ( i < utftext.length ) { c = utftext.charCodeAt(i); if (c < 128) { string += String.fromCharCode(c); i++; } else if((c > 191) && (c < 224)) { c1 = utftext.charCodeAt(i+1); string += String.fromCharCode(((c & 31) << 6) | (c1 & 63)); i += 2; } else { c1 = utftext.charCodeAt(i+1); c2 = utftext.charCodeAt(i+2); string += String.fromCharCode(((c & 15) << 12) | ((c1 & 63) << 6) | (c2 & 63)); i += 3; } } return string; }; var _hexEncode = function(input) { var output = '''', i; for(i = 0; i < input.length; i++) { output += input.charCodeAt(i).toString(16); } return output; }; var _hexDecode = function(input) { var output = '''', i; if(input.length % 2 > 0) { input = ''0'' + input; } for(i = 0; i < input.length; i = i + 2) { output += String.fromCharCode(parseInt(input.charAt(i) + input.charAt(i + 1), 16)); } return output; }; var encode = function (input) { var output = "", chr1, chr2, chr3, enc1, enc2, enc3, enc4, i = 0; input = _utf8_encode(input); while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); enc1 = chr1 >> 2; enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); enc3 = ((chr2 & 15) << 2) | (chr3 >> 6); enc4 = chr3 & 63; if (isNaN(chr2)) { enc3 = enc4 = 64; } else if (isNaN(chr3)) { enc4 = 64; } output += _keyStr.charAt(enc1); output += _keyStr.charAt(enc2); output += _keyStr.charAt(enc3); output += _keyStr.charAt(enc4); } return output; }; var decode = function (input) { var output = "", chr1, chr2, chr3, enc1, enc2, enc3, enc4, i = 0; input = input.replace(/[^A-Za-z0-9/+///=]/g, ""); while (i < input.length) { enc1 = _keyStr.indexOf(input.charAt(i++)); enc2 = _keyStr.indexOf(input.charAt(i++)); enc3 = _keyStr.indexOf(input.charAt(i++)); enc4 = _keyStr.indexOf(input.charAt(i++)); chr1 = (enc1 << 2) | (enc2 >> 4); chr2 = ((enc2 & 15) << 4) | (enc3 >> 2); chr3 = ((enc3 & 3) << 6) | enc4; output += String.fromCharCode(chr1); if (enc3 !== 64) { output += String.fromCharCode(chr2); } if (enc4 !== 64) { output += String.fromCharCode(chr3); } } return _utf8_decode(output); }; var decodeToHex = function(input) { return _hexEncode(decode(input)); }; var encodeFromHex = function(input) { return encode(_hexDecode(input)); }; return { ''encode'': encode, ''decode'': decode, ''decodeToHex'': decodeToHex, ''encodeFromHex'': encodeFromHex }; }());


Necesitaba la codificación de una cadena UTF-8 como base64 para un proyecto mío. La mayoría de las respuestas aquí no parecen manejar adecuadamente los pares sustitutos de UTF-16 cuando se convierten a UTF-8, así que, para completar, publicaré mi solución:

function strToUTF8Base64(str) { function decodeSurrogatePair(hi, lo) { var resultChar = 0x010000; resultChar += lo - 0xDC00; resultChar += (hi - 0xD800) << 10; return resultChar; } var bytes = [0, 0, 0]; var byteIndex = 0; var result = []; function output(s) { result.push(s); } function emitBase64() { var digits = ''ABCDEFGHIJKLMNOPQRSTUVWXYZ'' + ''abcdefghijklmnopqrstuvwxyz'' + ''0123456789+/''; function toDigit(value) { return digits[value]; } // --Byte 0-- --Byte 1-- --Byte 2-- // 1111 1122 2222 3333 3344 4444 var d1 = toDigit(bytes[0] >> 2); var d2 = toDigit( ((bytes[0] & 0x03) << 4) | (bytes[1] >> 4)); var d3 = toDigit( ((bytes[1] & 0x0F) << 2) | (bytes[2] >> 6)); var d4 = toDigit( bytes[2] & 0x3F); if (byteIndex === 1) { output(d1 + d2 + ''==''); } else if (byteIndex === 2) { output(d1 + d2 + d3 + ''=''); } else { output(d1 + d2 + d3 + d4); } } function emit(chr) { bytes[byteIndex++] = chr; if (byteIndex == 3) { emitBase64(); bytes[0] = 0; bytes[1] = 0; bytes[2] = 0; byteIndex = 0; } } function emitLast() { if (byteIndex > 0) { emitBase64(); } } // Converts the string to UTF8: var i, chr; var hi, lo; for (i = 0; i < str.length; i++) { chr = str.charCodeAt(i); // Test and decode surrogate pairs in the string if (chr >= 0xD800 && chr <= 0xDBFF) { hi = chr; lo = str.charCodeAt(i + 1); if (lo >= 0xDC00 && lo <= 0xDFFF) { chr = decodeSurrogatePair(hi, lo); i++; } } // Encode the character as UTF-8. if (chr < 0x80) { emit(chr); } else if (chr < 0x0800) { emit((chr >> 6) | 0xC0); emit(((chr >> 0) & 0x3F) | 0x80); } else if (chr < 0x10000) { emit((chr >> 12) | 0xE0); emit(((chr >> 6) & 0x3F) | 0x80); emit(((chr >> 0) & 0x3F) | 0x80); } else if (chr < 0x110000) { emit((chr >> 18) | 0xF0); emit(((chr >> 12) & 0x3F) | 0x80); emit(((chr >> 6) & 0x3F) | 0x80); emit(((chr >> 0) & 0x3F) | 0x80); } } emitLast(); return result.join(''''); }

Tenga en cuenta que el código no está completamente probado.Probé algunas entradas, incluyendo cosas como strToUTF8Base64(''衠衢蠩蠨'')y comparadas con la salida de una herramienta de codificación en línea ( https://www.base64encode.org/ ).


Para hacer que una URL de cadena codificada en Base64 sea amigable, en JavaScript puedes hacer algo como esto:

// if this is your Base64 encoded string var str = ''VGhpcyBpcyBhbiBhd2Vzb21lIHNjcmlwdA==''; // make URL friendly: str = str.replace(//+/g, ''-'').replace(////g, ''_'').replace(//=+$/, ''''); // reverse to original encoding str = (str + ''==='').slice(0, str.length + (str.length % 4)); str = str.replace(/-/g, ''+'').replace(/_/g, ''/'');

Vea también este Fiddle: http://jsfiddle.net/magikMaker/7bjaT/


Prefiero usar los métodos de codificación / decodificación CryptoJS de CryptoJS , la biblioteca más popular para algoritmos criptográficos estándar y seguros implementados en JavaScript utilizando las mejores prácticas y patrones.


Puede usar btoa (a base-64) y atob (desde base-64).

Para IE 9 y versiones anteriores, pruebe el complemento jquery-base64 :

$.base64.encode("this is a test"); $.base64.decode("dGhpcyBpcyBhIHRlc3Q=");


Si necesita codificar un objeto de imagen HTML, puede escribir una función simple como:

function getBase64Image(img) { var canvas = document.createElement("canvas"); canvas.width = img.width; canvas.height = img.height; var ctx = canvas.getContext("2d"); ctx.drawImage(img, 0, 0); var dataURL = canvas.toDataURL("image/png"); // escape data:image prefix return dataURL.replace(/^data:image//(png|jpg);base64,/, ""); // or just return dataURL // return dataURL }

Para obtener base64 de imagen por id:

function getBase64ImageById(id){ return getBase64Image(document.getElementById(id)); }

más here


Tenga en cuenta que esto no es adecuado para cadenas de Unicode en bruto. Ver la sección de Unicode here .

Sintaxis para la codificación

var encodedData = window.btoa(stringToEncode);

Sintaxis para decodificar

var decodedData = window.atob(encodedData);


Desde aqui

/** * * Base64 encode / decode * http://www.webtoolkit.info/ * **/ var Base64 = { // private property _keyStr : "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=", // public method for encoding encode : function (input) { var output = ""; var chr1, chr2, chr3, enc1, enc2, enc3, enc4; var i = 0; input = Base64._utf8_encode(input); while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); enc1 = chr1 >> 2; enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); enc3 = ((chr2 & 15) << 2) | (chr3 >> 6); enc4 = chr3 & 63; if (isNaN(chr2)) { enc3 = enc4 = 64; } else if (isNaN(chr3)) { enc4 = 64; } output = output + this._keyStr.charAt(enc1) + this._keyStr.charAt(enc2) + this._keyStr.charAt(enc3) + this._keyStr.charAt(enc4); } return output; }, // public method for decoding decode : function (input) { var output = ""; var chr1, chr2, chr3; var enc1, enc2, enc3, enc4; var i = 0; input = input.replace(/[^A-Za-z0-9/+///=]/g, ""); while (i < input.length) { enc1 = this._keyStr.indexOf(input.charAt(i++)); enc2 = this._keyStr.indexOf(input.charAt(i++)); enc3 = this._keyStr.indexOf(input.charAt(i++)); enc4 = this._keyStr.indexOf(input.charAt(i++)); chr1 = (enc1 << 2) | (enc2 >> 4); chr2 = ((enc2 & 15) << 4) | (enc3 >> 2); chr3 = ((enc3 & 3) << 6) | enc4; output = output + String.fromCharCode(chr1); if (enc3 != 64) { output = output + String.fromCharCode(chr2); } if (enc4 != 64) { output = output + String.fromCharCode(chr3); } } output = Base64._utf8_decode(output); return output; }, // private method for UTF-8 encoding _utf8_encode : function (string) { string = string.replace(//r/n/g,"/n"); var utftext = ""; for (var n = 0; n < string.length; n++) { var c = string.charCodeAt(n); if (c < 128) { utftext += String.fromCharCode(c); } else if((c > 127) && (c < 2048)) { utftext += String.fromCharCode((c >> 6) | 192); utftext += String.fromCharCode((c & 63) | 128); } else { utftext += String.fromCharCode((c >> 12) | 224); utftext += String.fromCharCode(((c >> 6) & 63) | 128); utftext += String.fromCharCode((c & 63) | 128); } } return utftext; }, // private method for UTF-8 decoding _utf8_decode : function (utftext) { var string = ""; var i = 0; var c = c1 = c2 = 0; while ( i < utftext.length ) { c = utftext.charCodeAt(i); if (c < 128) { string += String.fromCharCode(c); i++; } else if((c > 191) && (c < 224)) { c2 = utftext.charCodeAt(i+1); string += String.fromCharCode(((c & 31) << 6) | (c2 & 63)); i += 2; } else { c2 = utftext.charCodeAt(i+1); c3 = utftext.charCodeAt(i+2); string += String.fromCharCode(((c & 15) << 12) | ((c2 & 63) << 6) | (c3 & 63)); i += 3; } } return string; } }

Además, la búsqueda en "codificación javascript base64" hace que muchas otras opciones, la anterior fue la primera.


Bueno, si está utilizando dojo, nos da una forma directa de codificar o decodificar en base64.

Prueba esto:-

Para codificar una matriz de bytes utilizando dojox.encoding.base64:

var str = dojox.encoding.base64.encode(myByteArray);

Para decodificar una cadena codificada en base64:

var bytes = dojox.encoding.base64.decode(str);


Para mi proyecto todavía necesito ser compatible con IE7 y trabajar con grandes entradas para codificar.

Basado en el código propuesto por Joe Dyndale y como lo sugirió Marius, es posible mejorar el rendimiento con IE7 al construir el resultado con una matriz en lugar de una cadena.

Aquí está el ejemplo para codificar:

var encode = function (input) { var output = [], chr1, chr2, chr3, enc1, enc2, enc3, enc4, i = 0; input = _utf8_encode(input); while (i < input.length) { chr1 = input.charCodeAt(i++); chr2 = input.charCodeAt(i++); chr3 = input.charCodeAt(i++); enc1 = chr1 >> 2; enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); enc3 = ((chr2 & 15) << 2) | (chr3 >> 6); enc4 = chr3 & 63; if (isNaN(chr2)) { enc3 = enc4 = 64; } else if (isNaN(chr3)) { enc4 = 64; } output.push(_keyStr.charAt(enc1)); output.push(_keyStr.charAt(enc2)); output.push(_keyStr.charAt(enc3)); output.push(_keyStr.charAt(enc4)); } return output.join(""); };


Para que los navegadores más nuevos codifiquen Uint8Array a cadena y descodifiquen cadena a Uint8Array.

const base64 = { decode: s => Uint8Array.from(atob(s), c => c.charCodeAt(0)), encode: b => btoa(String.fromCharCode(...new Uint8Array(b))) };

Para Node.js, puede usar lo siguiente para codificar cadena, Buffer o Uint8Array a cadena y decodificar de cadena, Buffer o Uint8Array a Buffer.

const base64 = { decode: s => Buffer.from(s, ''base64''), encode: b => Buffer.from(b).toString(''base64'') };


Puede usar btoa() y atob() para convertir hacia y desde la codificación base64.

Parece haber cierta confusión en los comentarios sobre lo que estas funciones aceptan / devuelven, así que ...

  • btoa() acepta una "cadena" donde cada carácter representa un byte de 8 bits; si pasa una cadena que contiene caracteres que no se pueden representar en 8 bits, probablemente se romperá . Esto no es un problema si en realidad estás tratando la cadena como una matriz de bytes, pero si estás tratando de hacer otra cosa, primero tendrás que codificarla.

  • atob() devuelve una "cadena" donde cada carácter representa un byte de 8 bits, es decir, su valor estará entre 0 y 0xff . Esto no significa que sea ASCII; presumiblemente, si está utilizando esta función, espera trabajar con datos binarios y no con texto.

Ver también:


Si bien es un poco más de trabajo, si desea una solución nativa de alto rendimiento, hay algunas funciones HTML5 que puede usar.

Si puede obtener sus datos en una Blob, entonces puede usar la función FileReader.readAsDataURL() para obtener una data://URL y cortar la parte frontal para obtener los datos de base64.

Puede que tenga que hacer un procesamiento adicional para codificar los datos, ya que no estoy seguro de si los +caracteres se escapan o no de la data://URL, pero esto debería ser bastante trivial.


Puedes usar window.btoay window.atob...

const encoded = window.btoa(''Alireza Dezfoolian''); // encode a string const decoded = window.atob(encoded); // decode the string

Probablemente, usar la forma en que MDN es puede hacer su trabajo lo mejor ... También aceptando Unicode ... usando estas dos funciones simples:

// ucs-2 string to base64 encoded ascii function utoa(str) { return window.btoa(unescape(encodeURIComponent(str))); } // base64 encoded ascii to ucs-2 string function atou(str) { return decodeURIComponent(escape(window.atob(str))); } // Usage: utoa(''✓ à la mode''); // 4pyTIMOgIGxhIG1vZGU= atou(''4pyTIMOgIGxhIG1vZGU=''); // "✓ à la mode" utoa(''I /u2661 Unicode!''); // SSDimaEgVW5pY29kZSE= atou(''SSDimaEgVW5pY29kZSE=''); // "I ♡ Unicode!"