[CODICE] Base64 in JavaScript
Esempi pratici JavaScript per la codifica e decodifica Base64 con API dei browser moderni.
// CODIFICA E DECODIFICA BASE
JavaScript fornisce funzioni integrate per le operazioni Base64. Le funzioni btoa() e atob() gestiscono codifica e decodifica di base:
Queste funzioni funzionano bene per il testo ASCII, ma richiedono gestione speciale per i caratteri Unicode.
// Codifica Base64 di base
const text = 'Ciao Mondo';
const encoded = btoa(text);
console.log(encoded); // Q2lhbyBNb25kbw==
// Decodifica Base64 di base
const decoded = atob(encoded);
console.log(decoded); // Ciao Mondo
// Controlla se la stringa รจ Base64 valido
function isValidBase64(str) {
try {
return btoa(atob(str)) === str;
} catch (err) {
return false;
}
}
// SUPPORTO UNICODE
Per le stringhe Unicode, dobbiamo prima convertire in byte UTF-8. I browser moderni forniscono le API TextEncoder e TextDecoder:
Questo approccio gestisce correttamente emoji, caratteri internazionali e altro contenuto Unicode.
// Codifica Base64 sicura per Unicode
function encodeBase64(str) {
const encoder = new TextEncoder();
const bytes = encoder.encode(str);
const binary = String.fromCharCode(...bytes);
return btoa(binary);
}
// Decodifica Base64 sicura per Unicode
function decodeBase64(base64) {
const binary = atob(base64);
const bytes = new Uint8Array(binary.length);
for (let i = 0; i < binary.length; i++) {
bytes[i] = binary.charCodeAt(i);
}
const decoder = new TextDecoder();
return decoder.decode(bytes);
}
// Esempio con emoji
const emoji = 'Ciao ๐ Mondo ๐';
const encoded = encodeBase64(emoji);
const decoded = decodeBase64(encoded);
console.log(decoded); // Ciao ๐ Mondo ๐
// GESTIONE FILE
Convertire file in Base64 รจ comune per upload e data URI. Usa l'API FileReader per l'elaborazione file lato client:
Questo crea data URI che possono essere incorporati direttamente in HTML o inviati alle API.
// Converti file in data URI Base64
function fileToBase64(file) {
return new Promise((resolve, reject) => {
const reader = new FileReader();
reader.onload = () => resolve(reader.result);
reader.onerror = error => reject(error);
reader.readAsDataURL(file);
});
}
// Uso con input file
document.getElementById('fileInput').addEventListener('change', async (e) => {
const file = e.target.files[0];
if (file) {
try {
const base64 = await fileToBase64(file);
console.log(base64);
// Risultato: data:image/png;base64,iVBORw0KGgoAAAA...
} catch (error) {
console.error('Errore:', error);
}
}
});
// BASE64 SICURO PER URL
Il Base64 standard usa i caratteri + e / che richiedono codifica URL. Il Base64 sicuro per URL li sostituisce con - e _:
Questo รจ essenziale per token, ID e altri dati trasmessi via URL.
// Converti in Base64 sicuro per URL
function toUrlSafeBase64(base64) {
return base64
.replace(/\+/g, '-')
.replace(/\//g, '_')
.replace(/=/g, '');
}
// Converti da Base64 sicuro per URL
function fromUrlSafeBase64(urlSafeBase64) {
let base64 = urlSafeBase64
.replace(/-/g, '+')
.replace(/_/g, '/');
// Aggiungi padding se necessario
const padding = 4 - (base64.length % 4);
if (padding !== 4) {
base64 += '='.repeat(padding);
}
return base64;
}
// Esempio
const text = 'Test codifica sicura per URL';
const encoded = btoa(text);
const urlSafe = toUrlSafeBase64(encoded);
console.log(urlSafe); // VGVzdCBjb2RpZmljYSBzaWN1cmEgcGVyIFVSTA
// STREAMING DATI GRANDI
Per file grandi o flussi di dati, elabora in blocchi per evitare problemi di memoria:
Questo approccio previene il congelamento del browser e gestisce efficacemente set di dati grandi.
// Codifica Base64 basata su streaming
class Base64Encoder {
constructor() {
this.buffer = '';
}
encode(chunk) {
this.buffer += chunk;
const completeBytes = Math.floor(this.buffer.length / 3) * 3;
const toEncode = this.buffer.slice(0, completeBytes);
this.buffer = this.buffer.slice(completeBytes);
return btoa(toEncode);
}
flush() {
if (this.buffer.length > 0) {
const result = btoa(this.buffer);
this.buffer = '';
return result;
}
return '';
}
}
// Utilizzo
const encoder = new Base64Encoder();
let result = '';
result += encoder.encode('Primo blocco');
result += encoder.encode(' Secondo blocco');
result += encoder.flush();
console.log(result);
// GESTIONE ERRORI
Implementa sempre una gestione errori appropriata per le operazioni Base64:
Una robusta gestione errori previene crash dell'applicazione e fornisce una migliore esperienza utente.
// Operazioni Base64 sicure con gestione errori
function safeEncode(input) {
try {
if (typeof input !== 'string') {
throw new Error('L\'input deve essere una stringa');
}
return btoa(input);
} catch (error) {
console.error('Errore di codifica:', error.message);
return null;
}
}
function safeDecode(base64) {
try {
// Valida formato Base64
if (!/^[A-Za-z0-9+/]*={0,2}$/.test(base64)) {
throw new Error('Formato Base64 non valido');
}
return atob(base64);
} catch (error) {
console.error('Errore di decodifica:', error.message);
return null;
}
}
// Utilizzo
const encoded = safeEncode('Ciao Mondo');
const decoded = safeDecode(encoded);
if (encoded && decoded) {
console.log('Successo:', decoded);
}