Spaces:
Sleeping
Sleeping
File size: 7,777 Bytes
e9305ac f9ca61d e9305ac |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 |
document.addEventListener('DOMContentLoaded', () => {
// --- Scroll-triggered Animations ---
const observer = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
entry.target.classList.add('visible');
}
});
}, { threshold: 0.1 });
document.querySelectorAll('.animate-on-scroll').forEach(element => {
observer.observe(element);
});
// --- Form & API Logic ---
const form = document.getElementById('analysis-form');
const analyzeBtn = document.getElementById('analyze-btn');
const loader = document.getElementById('loader');
const resultsContainer = document.getElementById('results-container');
const imageInput = document.getElementById('image-input');
const fileLabelText = document.getElementById('file-label-text');
imageInput.addEventListener('change', () => {
if (imageInput.files.length > 0) {
fileLabelText.textContent = `File selected: ${imageInput.files[0].name}`;
} else {
fileLabelText.textContent = 'Click to Upload an Image';
}
});
form.addEventListener('submit', async (event) => {
event.preventDefault();
const textInput = document.getElementById('text-input').value;
const imageFile = imageInput.files[0];
if (!textInput.trim() && !imageFile) {
alert("Please provide text or an image.");
return;
}
loader.classList.remove('loader-hidden');
resultsContainer.innerHTML = '';
analyzeBtn.disabled = true;
const formData = new FormData();
// Append data only if it exists to avoid sending empty fields
if(textInput.trim()) formData.append('text_input', textInput);
if(imageFile) formData.append('image_file', imageFile);
try {
// FIXED: Use the full, absolute URL for the API endpoint
const response = await fetch('/analyze', {
method: 'POST',
body: formData
});
const result = await response.json();
if (!response.ok) {
throw new Error(result.detail || `HTTP error! Status: ${response.status}`);
}
// FIXED: Directly use the result object as it's the main data
displayResults(result);
} catch (error) {
console.error('Analysis error:', error);
resultsContainer.innerHTML = `<div class="result-card error-card"><p><strong>Error:</strong> ${error.message}</p></div>`;
} finally {
loader.classList.add('loader-hidden');
analyzeBtn.disabled = false;
}
});
// --- Dynamic Result Display Function ---
function displayResults(data) {
resultsContainer.innerHTML = '';
let delay = 0;
// This function creates a new card and adds it to the DOM with a delay
const addCard = (card) => {
if(card) {
resultsContainer.appendChild(card);
setTimeout(() => card.classList.add('visible'), delay);
delay += 200;
}
};
// Handle different report types
if (data.final_verdict) { // Text-only report
addCard(createTextCard(data));
} else { // Image report (which can contain text analysis)
addCard(createImageManipulationCard(data.image_manipulation_report));
addCard(createReverseImageSearchCard(data.reverse_image_search_report));
addCard(createImageContentCard(data.in_image_content_report));
if (data.extracted_text_analysis_report && data.extracted_text_analysis_report.final_verdict) {
addCard(createExtractedTextCard(data.extracted_text_analysis_report));
}
}
}
// --- Helper functions to create HTML for each card ---
function createTextCard(report) {
if (!report) return null;
const card = document.createElement('div');
card.className = 'result-card animate-on-scroll fade-in';
let sourcesHtml = '';
if (report.source && Object.keys(report.source).length > 0) {
sourcesHtml = Object.entries(report.source).map(([source, url]) =>
`<div class="evidence-item"><strong>${source}</strong><br><a href="${url}" target="_blank" rel="noopener noreferrer">${url}</a></div>`
).join('');
}
card.innerHTML = `
<h3><i class="fas fa-file-alt"></i> Text Analysis Report</h3>
<p><strong>Verdict:</strong> <span class="verdict--${report.final_verdict?.toLowerCase()}">${report.final_verdict || 'N/A'}</span></p>
<p><strong>Explanation:</strong> ${report.explanation || 'N/A'}</p>
${sourcesHtml ? `<div class="sources-section"><h4>Sources:</h4>${sourcesHtml}</div>` : ''}
`;
return card;
}
function createImageManipulationCard(report) {
if (!report) return null;
const card = document.createElement('div');
card.className = 'result-card animate-on-scroll fade-in';
// FIXED: Use the correct path for the ELA image
const elaLink = report.ela_image_path ? `<p><strong>ELA Analysis Image:</strong> <a href="/results/${report.ela_image_path}" target="_blank">View ELA Result</a></p>` : '';
card.innerHTML = `
<h3><i class="fas fa-shield-alt"></i> Image Manipulation Analysis</h3>
<p><strong>AI-Generated Score:</strong> ${report.ai_generated_score_percent?.toFixed(2) || '0.00'}%</p>
<p><strong>Classic Edit Score (ELA):</strong> ${report.classic_edit_score_percent?.toFixed(2) || '0.00'}%</p>
${elaLink}
`;
return card;
}
function createImageContentCard(report) {
if (!report) return null;
const card = document.createElement('div');
card.className = 'result-card animate-on-scroll fade-in';
let contentHtml = '';
if (report['Safe Search']) {
const ss = report['Safe Search'];
contentHtml += `<p><strong>Safe Search:</strong> Adult: ${ss.adult}, Violence: ${ss.violence}</p>`;
}
if (report['Identified Entities']) {
contentHtml += `<p><strong>Identified Entities:</strong> ${report['Identified Entities'].join(', ')}</p>`;
}
card.innerHTML = `
<h3><i class="fas fa-search"></i> Image Content Analysis</h3>
${contentHtml || '<p>No specific content detected.</p>'}
`;
return card;
}
function createReverseImageSearchCard(report) {
if (!report) return null;
const card = document.createElement('div');
card.className = 'result-card animate-on-scroll fade-in';
let matchesHtml = '<p>No online matches found.</p>';
if (report['Reverse Image Matches'] && report['Reverse Image Matches'].length > 0) {
matchesHtml = report['Reverse Image Matches'].map(match =>
`<div class="evidence-item"><strong>${match.title}</strong><br><a href="${match.url}" target="_blank" rel="noopener noreferrer">${match.url}</a></div>`
).join('');
}
card.innerHTML = `
<h3><i class="fas fa-globe"></i> Reverse Image Search</h3>
${matchesHtml}
`;
return card;
}
function createExtractedTextCard(report) {
if (!report) return null;
// Re-use the text card creation logic
const card = createTextCard(report);
card.querySelector('h3').innerHTML = `<i class="fas fa-file-text"></i> Extracted Text Analysis`;
return card;
}
});
|