Nessun oggetto della modifica
Nessun oggetto della modifica
 
(21 versioni intermedie di uno stesso utente non sono mostrate)
Riga 1: Riga 1:
// ============================================
// ============================================
// 🔧 CommonDashboard.js – versione con modello GPT-4o fisso
// 🔧 CommonDashboard.js – versione GPT-4o + Percorsi corretti
// ============================================
// ============================================


// 🔄 Apri/chiudi i box della dashboard
// 📘 INTRODUZIONE
window.toggleDashboardBox = function (id) {
window.toggleDashboardBox = function (id) {
   const box = document.getElementById(id);
   const box = document.getElementById(id);
   if (box) {
   if (box) {
     box.style.display = (box.style.display === 'block') ? 'none' : 'block';
     box.style.display = box.style.display === "block" ? "none" : "block";
   }
   }
};
};


// ▶️ Funzione per testare la connessione all'API OpenAI
// ⚙️ CONNESSIONE API
window.testAPIConnection = async function () {
window.testAPIConnection = async function () {
   const key = document.getElementById('api-key').value.trim();
   const key = document.getElementById('api-key').value.trim();
   const prompt = document.getElementById('test-prompt').value;
   const prompt = document.getElementById('test-prompt').value;
   const output = document.getElementById('api-result');
   const output = document.getElementById('api-result');
   const model = "gpt-4o-2024-05-13"; // modello fisso
   const model = "gpt-4o-2024-05-13";


   if (!key || !prompt) {
   if (!key || !prompt) {
Riga 43: Riga 44:


     if (data.choices && data.choices.length > 0) {
     if (data.choices && data.choices.length > 0) {
       output.innerText = "✅ Risposta:\n" + data.choices[0].message.content;
       output.innerText = "✅ Risposta:" + data.choices[0].message.content;
       logActivity(`✅ Risposta ricevuta – Modello: <strong>${model}</strong>`);
       logActivity(`✅ Risposta ricevuta – Modello: <strong>${model}</strong>`);
     } else if (data.error) {
     } else if (data.error) {
Riga 57: Riga 58:
};
};


// 💾 Salvataggio simulato di file server
// 📊 STATO PROGETTI
window.saveFileChanges = function () {
  const selectedFile = document.getElementById("file-select").value;
  const newContent = document.getElementById("file-preview").value;
  alert("💾 Modifiche salvate per: " + selectedFile + "\n(contenuto simulato)");
  logActivity(`💾 File salvato: <strong>${selectedFile}</strong>`);
};
 
// 📄 Carica preview del file selezionato
window.loadFilePreview = function (filename) {
  const contentArea = document.getElementById("file-preview");
  const fakeContents = {
    "common.css": "/* Contenuto di esempio per common.css */\nbody { background: #fff; }",
    "common.js": "// Contenuto JS\nconsole.log('JS attivo');",
    "LocalSettings.php": "<?php\n# Impostazioni locali di MediaWiki\n$wgSitename = 'Masticationpedia';"
  };
  contentArea.value = fakeContents[filename] || "Contenuto non disponibile.";
};
 
// ➕ Apri/chiudi dialog per nuovo progetto
window.openProjectDialog = function () {
  document.getElementById("newProjectDialog").style.display = "block";
};
window.closeProjectDialog = function () {
  document.getElementById("newProjectDialog").style.display = "none";
};
 
// 📌 Aggiungi nuovo progetto alla tabella
window.addNewProject = function () {
window.addNewProject = function () {
   const title = document.getElementById("newProjectTitle").value.trim();
   const title = document.getElementById("newProjectTitle").value.trim();
Riga 101: Riga 75:
   window.closeProjectDialog();
   window.closeProjectDialog();
   logActivity(`📌 Progetto aggiunto: <strong>${title}</strong> – ${notes}`);
   logActivity(`📌 Progetto aggiunto: <strong>${title}</strong> – ${notes}`);
  // 🔄 Salva su server
  const payload = {
    title: title,
    notes: notes,
    date: new Date().toLocaleDateString("it-IT")
  };
  fetch("/dashboard/api/write_project.php", {
    method: "POST",
    headers: { "Content-Type": "application/json" },
    body: JSON.stringify(payload)
  })
    .then((res) => res.json())
    .then((data) => {
      if (!data.success) {
        alert("⚠️ Errore salvataggio su server: " + data.error);
        logActivity(`❌ Errore salvataggio progetto: ${data.error}`);
      }
    })
    .catch((err) => {
      alert("❌ Errore rete salvataggio progetto.");
      console.error("Errore invio progetto:", err);
      logActivity("❌ Errore rete durante salvataggio progetto.");
    });
};
};


// 🧪 Console JS per test codice
window.openProjectDialog = function () {
window.runTestCode = function () {
   document.getElementById("newProjectDialog").style.display = "block";
   const code = document.getElementById('codeArea').value;
  const output = document.getElementById('consoleOutput');
  try {
    const result = eval(code);
    output.textContent = "✅ Output:\n" + result;
  } catch (err) {
    output.textContent = "❌ Errore:\n" + err;
  }
};
};


// 🧾 Registro attività – aggiungi messaggio
window.closeProjectDialog = function () {
window.logActivity = function (messaggio) {
   document.getElementById("newProjectDialog").style.display = "none";
   const contenitore = document.getElementById("activityLogContent");
};
  if (!contenitore) return;


   const ora = new Date().toLocaleTimeString("it-IT");
// 📥 Carica prompt.txt
  const paragrafo = document.createElement("p");
window.loadPrompt = function () {
  paragrafo.innerHTML = `<strong>[${ora}]</strong> ${messaggio}`;
   fetch('/dashboard/api/read_file.php?projectName=global&subfolder=&filename=prompt.txt')
  contenitore.appendChild(paragrafo);
    .then(response => {
  contenitore.scrollTop = contenitore.scrollHeight;
      if (!response.ok) throw new Error('Errore nel caricamento del file');
      return response.json();
    })
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("promptArea").value = data.content;
        logActivity("📥 Caricato prompt.txt nella textarea.");
      } else {
        alert("Errore: " + data.error);
        logActivity("❌ Errore nel caricamento: " + data.error);
      }
    })
    .catch(error => {
      alert("Errore nel caricamento: " + error);
      logActivity("❌ Errore nel caricamento di prompt.txt.");
    });
};
};


// 🧹 Pulizia del registro attività
// 💾 Salva prompt.txt
window.clearActivityLog = function () {
window.savePrompt = function () {
   const contenitore = document.getElementById("activityLogContent");
   const content = document.getElementById("promptArea").value;
   contenitore.innerHTML = "<em>Registro svuotato.</em><br>";
   fetch('/dashboard/api/write_prompt.php', {
  logActivity("🧹 Log svuotato manualmente.");
    method: 'POST',
    headers: {
      'Content-Type': 'application/x-www-form-urlencoded',
    },
    body: 'text=' + encodeURIComponent(content)
  })
    .then(response => {
      if (!response.ok) throw new Error('Errore nel salvataggio');
      return response.text();
    })
    .then(msg => {
      logActivity("💾 Salvato prompt.txt dal form.");
      alert("Prompt salvato con successo.");
    })
    .catch(error => {
      alert("Errore nel salvataggio: " + error);
      logActivity("❌ Errore nel salvataggio di prompt.txt.");
    });
};
};


// 🪄 Inizializzazione automatica all'apertura
// 💾 Salva RISPOSTA GPT IN FILE
document.addEventListener("DOMContentLoaded", function () {
window.salvaFileDaTextarea = function () {
   const fileSelect = document.getElementById("fileSelect");
   const content = document.getElementById("gpt-response-area").value;
   if (fileSelect) {
   const filename = document.getElementById("gpt-filename").value.trim();
    fileSelect.addEventListener("change", function () {
  const subfolder = document.getElementById("gpt-subfolder").value;
      const selected = this.value;
  const project = document.getElementById("newProjectTitle").value.trim() || "SSO_LinkedIn";
      window.loadFilePreview(selected);
 
     });
  if (!filename || !content) {
    alert("Inserisci un nome file e assicurati che il contenuto non sia vuoto.");
     return;
   }
   }
});


// ▶ ACCESSO FILE SERVER - LETTURA FILE MEDIAWIKI =============================
  fetch('/dashboard/api/write_file.php', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json'
    },
    body: JSON.stringify({
      projectName: project,
      subfolder: subfolder,
      filename: filename,
      content: content
    })
  })
    .then(response => response.json())
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("gpt-response-area").value = data.content;
        logActivity(`💾 Salvato <strong>${filename}</strong> in progetto <strong>${project}</strong>.`);
        alert("File salvato con successo in:" + data.path);
      } else {
        alert("Errore: " + data.error);
        logActivity(`❌ Errore salvataggio ${filename}: ${data.error}`);
      }
    })
    .catch(error => {
      console.error("❌ Errore:", error);
      alert("Errore durante il salvataggio.");
    });
};


document.querySelector('#readFileBtn')?.addEventListener('click', async () => {
// 📂 Carica File Salvato in Textarea GPT
   const filenameInput = document.querySelector('#readFileName');
window.caricaFileGPT = function () {
   const fileContentDiv = document.querySelector('#readFileResult');
   const filename = document.getElementById("gpt-filename").value.trim();
   const filename = filenameInput.value.trim();
   const subfolder = document.getElementById("gpt-subfolder").value;
   const project = document.getElementById("newProjectTitle").value.trim() || "SSO_LinkedIn";


   if (!filename) {
   if (!filename) {
     fileContentDiv.innerHTML = '<span style="color:red;">⚠️ Inserisci un nome di file.</span>';
     alert("Inserisci il nome del file da caricare.");
    return;
  }
 
  fetch(`/dashboard/api/read_file.php?projectName=${encodeURIComponent(project)}&subfolder=${encodeURIComponent(subfolder)}&filename=${encodeURIComponent(filename)}`)
    .then(res => res.json())
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("gpt-response-area").value = data.content;
        logActivity(`📂 Caricato <strong>${filename}</strong> da progetto <strong>${project}</strong>.`);
      } else {
        alert("Errore: " + data.error);
        logActivity(`❌ Errore nel caricamento di ${filename}: ${data.error}`);
      }
    })
    .catch(err => {
      console.error("Errore:", err);
      alert("Errore durante il caricamento del file.");
    });
};
 
// 🔁 Carica nuovo Progetto (legacy compatibilità)
function addNewProject() {
  const title = document.getElementById("newProjectTitle").value.trim();
  const notes = document.getElementById("newProjectNotes").value.trim();
  if (!title) {
    alert("Inserisci un titolo per il progetto.");
     return;
     return;
   }
   }


   try {
   const payload = {
     const response = await fetch('/wiki/dashboard/api/read_file.php?filename=' + encodeURIComponent(filename));
    title,
     const data = await response.json();
    notes,
    date: new Date().toLocaleDateString("it-IT")
  };
 
  fetch("/dashboard/api/write_project.php", {
    method: "POST",
    headers: { "Content-Type": "application/json" },
    body: JSON.stringify(payload)
  })
    .then((res) => res.json())
     .then((data) => {
      if (data.success) {
        const row = document.createElement("tr");
        row.innerHTML = `<td>${title}</td><td style='color:green;font-weight:bold;'>✅ Completato</td><td>${payload.date}</td><td>${notes}</td>`;
        document.getElementById("projectRows").appendChild(row);
        closeProjectDialog();
      } else {
        alert("Errore salvataggio: " + data.error);
      }
    })
    .catch((err) => {
      console.error("Errore invio progetto:", err);
      alert("Errore di rete durante il salvataggio del progetto.");
    });
}
 
// 🚀 ========= Carica automaticamente tutti i progetti salvati ================
window.loadAllProjects = function () {
  fetch('/dashboard/api/read_all_projects.php')
    .then(response => response.json())
    .then(data => {
      if (!Array.isArray(data)) {
        logActivity("❌ Errore: formato dati inatteso dalla lista progetti.");
        return;
      }
 
      const table = document.getElementById("projectRows");
      table.innerHTML = ''; // Pulisce la tabella prima di caricare
 
      data.forEach(project => {
        const row = document.createElement("tr");
        row.innerHTML = `
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.title}</td>
          <td style="padding:0.5rem; border:1px solid #ccc; color:green; font-weight:bold;">✅ Completato</td>
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.date}</td>
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.notes || '–'}</td>
        `;
        table.appendChild(row);
        logActivity(`📌 Caricato progetto: <strong>${project.title}</strong>`);
      });
    })
    .catch(err => {
      console.error("Errore nel caricamento progetti:", err);
      alert("Errore nel caricamento dei progetti.");
      logActivity("❌ Errore nel caricamento progetti.");
    });
};
 
// ✅ Avvia caricamento al load della Dashboard
if (typeof window.onload === 'function') {
  const oldOnLoad = window.onload;
  window.onload = function () {
    oldOnLoad();
     loadAllProjects();
  };
} else {
  window.onload = function () {
    loadAllProjects();
  };
}
 
// ✅ AL CARICAMENTO PAGINA: Carica tutti i progetti visibili nella tabella
window.onload = function () {
  loadAllProjects();
};
 
 
// 🧾 REGISTRO ATTIVITÀ
window.logActivity = function (messaggio) {
  const contenitore = document.getElementById("activityLogContent") || document.getElementById("activityLog");
  if (!contenitore) return;
 
  const ora = new Date().toLocaleTimeString("it-IT");
  const entry = document.createElement("div");
  entry.innerHTML = `<span style="color:gray;">[${ora}]</span> ${messaggio}`;
  contenitore.prepend(entry);
};


    if (data.status === 'success') {
window.clearActivityLog = function () {
      fileContentDiv.innerHTML = `<pre style="background:#f4f4f4;border:1px solid #ccc;padding:8px;max-height:400px;overflow:auto;font-size:14px;">${data.content}</pre>`;
  const contenitore = document.getElementById("activityLogContent");
    } else {
   if (contenitore) {
      fileContentDiv.innerHTML = `<span style="color:red;">❌ Errore: ${data.message}</span>`;
     contenitore.innerHTML = "<em>Registro svuotato.</em><br>";
    }
     logActivity("🧹 Log svuotato manualmente.");
   } catch (error) {
     fileContentDiv.innerHTML = `<span style="color:red;">❌ Errore di connessione.</span>`;
     console.error('Errore JS:', error);
   }
   }
});
};

Versione attuale delle 17:22, 2 ago 2025

// ============================================
// 🔧 CommonDashboard.js – versione GPT-4o + Percorsi corretti
// ============================================

// 📘 INTRODUZIONE
window.toggleDashboardBox = function (id) {
  const box = document.getElementById(id);
  if (box) {
    box.style.display = box.style.display === "block" ? "none" : "block";
  }
};

// ⚙️ CONNESSIONE API
window.testAPIConnection = async function () {
  const key = document.getElementById('api-key').value.trim();
  const prompt = document.getElementById('test-prompt').value;
  const output = document.getElementById('api-result');
  const model = "gpt-4o-2024-05-13";

  if (!key || !prompt) {
    output.innerText = '⚠️ Inserisci una chiave valida e un prompt.';
    return;
  }

  output.innerText = '⏳ Attendere risposta da OpenAI...';
  logActivity(`🚀 Test API avviato – Modello: <strong>${model}</strong>`);

  try {
    const response = await fetch("https://api.openai.com/v1/chat/completions", {
      method: "POST",
      headers: {
        "Content-Type": "application/json",
        "Authorization": "Bearer " + key
      },
      body: JSON.stringify({
        model: model,
        messages: [{ role: "user", content: prompt }],
        temperature: 0.7
      })
    });

    const data = await response.json();

    if (data.choices && data.choices.length > 0) {
      output.innerText = "✅ Risposta:" + data.choices[0].message.content;
      logActivity(`✅ Risposta ricevuta – Modello: <strong>${model}</strong>`);
    } else if (data.error) {
      output.innerText = "❌ Errore: " + data.error.message;
      logActivity(`❌ Errore API: ${data.error.message}`);
    } else {
      output.innerText = "❌ Nessuna risposta ricevuta.";
    }
  } catch (e) {
    output.innerText = "🚫 Errore di rete o sintassi: " + e.message;
    logActivity(`❌ Errore di connessione: ${e.message}`);
  }
};

// 📊 STATO PROGETTI
window.addNewProject = function () {
  const title = document.getElementById("newProjectTitle").value.trim();
  const notes = document.getElementById("newProjectNotes").value.trim();
  if (!title) return;

  const table = document.getElementById("projectRows");
  const newRow = document.createElement("tr");
  newRow.innerHTML = `
    <td style="padding:0.5rem; border:1px solid #ccc;">${title}</td>
    <td style="padding:0.5rem; border:1px solid #ccc; color:green; font-weight:bold;">✅ Completato</td>
    <td style="padding:0.5rem; border:1px solid #ccc;">${new Date().toLocaleDateString("it-IT")}</td>
    <td style="padding:0.5rem; border:1px solid #ccc;">${notes || '–'}</td>
  `;
  table.appendChild(newRow);
  window.closeProjectDialog();
  logActivity(`📌 Progetto aggiunto: <strong>${title}</strong> – ${notes}`);

  // 🔄 Salva su server
  const payload = {
    title: title,
    notes: notes,
    date: new Date().toLocaleDateString("it-IT")
  };

  fetch("/dashboard/api/write_project.php", {
    method: "POST",
    headers: { "Content-Type": "application/json" },
    body: JSON.stringify(payload)
  })
    .then((res) => res.json())
    .then((data) => {
      if (!data.success) {
        alert("⚠️ Errore salvataggio su server: " + data.error);
        logActivity(`❌ Errore salvataggio progetto: ${data.error}`);
      }
    })
    .catch((err) => {
      alert("❌ Errore rete salvataggio progetto.");
      console.error("Errore invio progetto:", err);
      logActivity("❌ Errore rete durante salvataggio progetto.");
    });
};

window.openProjectDialog = function () {
  document.getElementById("newProjectDialog").style.display = "block";
};

window.closeProjectDialog = function () {
  document.getElementById("newProjectDialog").style.display = "none";
};

// 📥 Carica prompt.txt
window.loadPrompt = function () {
  fetch('/dashboard/api/read_file.php?projectName=global&subfolder=&filename=prompt.txt')
    .then(response => {
      if (!response.ok) throw new Error('Errore nel caricamento del file');
      return response.json();
    })
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("promptArea").value = data.content;
        logActivity("📥 Caricato prompt.txt nella textarea.");
      } else {
        alert("Errore: " + data.error);
        logActivity("❌ Errore nel caricamento: " + data.error);
      }
    })
    .catch(error => {
      alert("Errore nel caricamento: " + error);
      logActivity("❌ Errore nel caricamento di prompt.txt.");
    });
};

// 💾 Salva prompt.txt
window.savePrompt = function () {
  const content = document.getElementById("promptArea").value;
  fetch('/dashboard/api/write_prompt.php', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/x-www-form-urlencoded',
    },
    body: 'text=' + encodeURIComponent(content)
  })
    .then(response => {
      if (!response.ok) throw new Error('Errore nel salvataggio');
      return response.text();
    })
    .then(msg => {
      logActivity("💾 Salvato prompt.txt dal form.");
      alert("Prompt salvato con successo.");
    })
    .catch(error => {
      alert("Errore nel salvataggio: " + error);
      logActivity("❌ Errore nel salvataggio di prompt.txt.");
    });
};

// 💾 Salva RISPOSTA GPT IN FILE
window.salvaFileDaTextarea = function () {
  const content = document.getElementById("gpt-response-area").value;
  const filename = document.getElementById("gpt-filename").value.trim();
  const subfolder = document.getElementById("gpt-subfolder").value;
  const project = document.getElementById("newProjectTitle").value.trim() || "SSO_LinkedIn";

  if (!filename || !content) {
    alert("Inserisci un nome file e assicurati che il contenuto non sia vuoto.");
    return;
  }

  fetch('/dashboard/api/write_file.php', {
    method: 'POST',
    headers: {
      'Content-Type': 'application/json'
    },
    body: JSON.stringify({
      projectName: project,
      subfolder: subfolder,
      filename: filename,
      content: content
    })
  })
    .then(response => response.json())
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("gpt-response-area").value = data.content;
        logActivity(`💾 Salvato <strong>${filename}</strong> in progetto <strong>${project}</strong>.`);
        alert("File salvato con successo in:" + data.path);
      } else {
        alert("Errore: " + data.error);
        logActivity(`❌ Errore salvataggio ${filename}: ${data.error}`);
      }
    })
    .catch(error => {
      console.error("❌ Errore:", error);
      alert("Errore durante il salvataggio.");
    });
};

// 📂 Carica File Salvato in Textarea GPT
window.caricaFileGPT = function () {
  const filename = document.getElementById("gpt-filename").value.trim();
  const subfolder = document.getElementById("gpt-subfolder").value;
  const project = document.getElementById("newProjectTitle").value.trim() || "SSO_LinkedIn";

  if (!filename) {
    alert("Inserisci il nome del file da caricare.");
    return;
  }

  fetch(`/dashboard/api/read_file.php?projectName=${encodeURIComponent(project)}&subfolder=${encodeURIComponent(subfolder)}&filename=${encodeURIComponent(filename)}`)
    .then(res => res.json())
    .then(data => {
      if (data.status === "ok") {
        document.getElementById("gpt-response-area").value = data.content;
        logActivity(`📂 Caricato <strong>${filename}</strong> da progetto <strong>${project}</strong>.`);
      } else {
        alert("Errore: " + data.error);
        logActivity(`❌ Errore nel caricamento di ${filename}: ${data.error}`);
      }
    })
    .catch(err => {
      console.error("Errore:", err);
      alert("Errore durante il caricamento del file.");
    });
};

// 🔁 Carica nuovo Progetto (legacy compatibilità)
function addNewProject() {
  const title = document.getElementById("newProjectTitle").value.trim();
  const notes = document.getElementById("newProjectNotes").value.trim();
  if (!title) {
    alert("Inserisci un titolo per il progetto.");
    return;
  }

  const payload = {
    title,
    notes,
    date: new Date().toLocaleDateString("it-IT")
  };

  fetch("/dashboard/api/write_project.php", {
    method: "POST",
    headers: { "Content-Type": "application/json" },
    body: JSON.stringify(payload)
  })
    .then((res) => res.json())
    .then((data) => {
      if (data.success) {
        const row = document.createElement("tr");
        row.innerHTML = `<td>${title}</td><td style='color:green;font-weight:bold;'>✅ Completato</td><td>${payload.date}</td><td>${notes}</td>`;
        document.getElementById("projectRows").appendChild(row);
        closeProjectDialog();
      } else {
        alert("Errore salvataggio: " + data.error);
      }
    })
    .catch((err) => {
      console.error("Errore invio progetto:", err);
      alert("Errore di rete durante il salvataggio del progetto.");
    });
}

// 🚀 ========= Carica automaticamente tutti i progetti salvati ================
window.loadAllProjects = function () {
  fetch('/dashboard/api/read_all_projects.php')
    .then(response => response.json())
    .then(data => {
      if (!Array.isArray(data)) {
        logActivity("❌ Errore: formato dati inatteso dalla lista progetti.");
        return;
      }

      const table = document.getElementById("projectRows");
      table.innerHTML = ''; // Pulisce la tabella prima di caricare

      data.forEach(project => {
        const row = document.createElement("tr");
        row.innerHTML = `
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.title}</td>
          <td style="padding:0.5rem; border:1px solid #ccc; color:green; font-weight:bold;">✅ Completato</td>
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.date}</td>
          <td style="padding:0.5rem; border:1px solid #ccc;">${project.notes || '–'}</td>
        `;
        table.appendChild(row);
        logActivity(`📌 Caricato progetto: <strong>${project.title}</strong>`);
      });
    })
    .catch(err => {
      console.error("Errore nel caricamento progetti:", err);
      alert("Errore nel caricamento dei progetti.");
      logActivity("❌ Errore nel caricamento progetti.");
    });
};

// ✅ Avvia caricamento al load della Dashboard
if (typeof window.onload === 'function') {
  const oldOnLoad = window.onload;
  window.onload = function () {
    oldOnLoad();
    loadAllProjects();
  };
} else {
  window.onload = function () {
    loadAllProjects();
  };
}

// ✅ AL CARICAMENTO PAGINA: Carica tutti i progetti visibili nella tabella
window.onload = function () {
  loadAllProjects();
};


// 🧾 REGISTRO ATTIVITÀ
window.logActivity = function (messaggio) {
  const contenitore = document.getElementById("activityLogContent") || document.getElementById("activityLog");
  if (!contenitore) return;

  const ora = new Date().toLocaleTimeString("it-IT");
  const entry = document.createElement("div");
  entry.innerHTML = `<span style="color:gray;">[${ora}]</span> ${messaggio}`;
  contenitore.prepend(entry);
};

window.clearActivityLog = function () {
  const contenitore = document.getElementById("activityLogContent");
  if (contenitore) {
    contenitore.innerHTML = "<em>Registro svuotato.</em><br>";
    logActivity("🧹 Log svuotato manualmente.");
  }
};