Spaces:
Running
Running
File size: 11,034 Bytes
42c9fe2 |
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 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 |
// Main JavaScript for Deployr Landing Page
// Initialize when DOM is loaded
document.addEventListener('DOMContentLoaded', function() {
initializeAnimations();
initializeScrollEffects();
initializeParallax();
initializeParticles();
initializeTypingEffect();
initializeCountUp();
initializeModalHandlers();
});
// Initialize animations
function initializeAnimations() {
// Intersection Observer for fade-in animations
const observerOptions = {
threshold: 0.1,
rootMargin: '0px 0px -50px 0px'
};
const observer = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
entry.target.classList.add('animate-fade-in-up');
observer.unobserve(entry.target);
}
});
}, observerOptions);
// Observe all service cards and sections
document.querySelectorAll('.service-card, section > div').forEach(el => {
observer.observe(el);
});
}
// Scroll effects
function initializeScrollEffects() {
let lastScrollY = window.scrollY;
let ticking = false;
function updateScrollEffects() {
const scrollY = window.scrollY;
const navbar = document.querySelector('nav');
// Navbar background on scroll
if (scrollY > 50) {
navbar.classList.add('bg-dark/95', 'backdrop-blur-lg', 'shadow-lg');
} else {
navbar.classList.remove('bg-dark/95', 'backdrop-blur-lg', 'shadow-lg');
}
lastScrollY = scrollY;
ticking = false;
}
function requestTick() {
if (!ticking) {
window.requestAnimationFrame(updateScrollEffects);
ticking = true;
}
}
window.addEventListener('scroll', requestTick);
}
// Parallax effect
function initializeParallax() {
const parallaxElements = document.querySelectorAll('[data-parallax]');
function updateParallax() {
const scrolled = window.pageYOffset;
parallaxElements.forEach(element => {
const speed = element.dataset.speed || 0.5;
const yPos = -(scrolled * speed);
element.style.transform = `translateY(${yPos}px)`;
});
}
window.addEventListener('scroll', updateParallax);
}
// Particle effects
function initializeParticles() {
const particleContainer = document.createElement('div');
particleContainer.className = 'fixed inset-0 pointer-events-none z-0';
document.body.appendChild(particleContainer);
for (let i = 0; i < 20; i++) {
setTimeout(() => {
const particle = document.createElement('div');
particle.className = 'particle';
particle.style.left = Math.random() * 100 + '%';
particle.style.animationDelay = Math.random() * 10 + 's';
particle.style.animationDuration = (10 + Math.random() * 10) + 's';
particleContainer.appendChild(particle);
}, i * 200);
}
}
// Typing effect
function initializeTypingEffect() {
const typingElement = document.querySelector('[data-typing]');
if (!typingElement) return;
const text = typingElement.getAttribute('data-typing');
let index = 0;
function type() {
if (index < text.length) {
typingElement.textContent += text.charAt(index);
index++;
setTimeout(type, 100);
}
}
type();
}
// Count up animation
function initializeCountUp() {
const countElements = document.querySelectorAll('[data-count]');
const countObserver = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
const target = parseInt(entry.target.getAttribute('data-count'));
const duration = 2000;
const increment = target / (duration / 16);
let current = 0;
const updateCount = () => {
if (current < target) {
current += increment;
entry.target.textContent = Math.floor(current);
requestAnimationFrame(updateCount);
} else {
entry.target.textContent = target;
}
};
updateCount();
countObserver.unobserve(entry.target);
}
});
});
countElements.forEach(el => countObserver.observe(el));
}
// Modal handlers
function initializeModalHandlers() {
// Open modal buttons
document.querySelectorAll('[data-modal]').forEach(button => {
button.addEventListener('click', () => {
const modalId = button.getAttribute('data-modal');
const modal = document.getElementById(modalId);
if (modal) {
modal.classList.remove('hidden');
document.body.style.overflow = 'hidden';
}
});
});
// Close modal buttons
document.querySelectorAll('[data-close-modal]').forEach(button => {
button.addEventListener('click', () => {
const modal = button.closest('.modal');
if (modal) {
modal.classList.add('hidden');
document.body.style.overflow = 'auto';
}
});
});
// Close modal on backdrop click
document.querySelectorAll('.modal').forEach(modal => {
modal.addEventListener('click', (e) => {
if (e.target === modal) {
modal.classList.add('hidden');
document.body.style.overflow = 'auto';
}
});
});
}
// Smooth scroll for anchor links
document.querySelectorAll('a[href^="#"]').forEach(anchor => {
anchor.addEventListener('click', function(e) {
e.preventDefault();
const target = document.querySelector(this.getAttribute('href'));
if (target) {
target.scrollIntoView({
behavior: 'smooth',
block: 'start'
});
}
});
});
// Form validation
function validateForm(formId) {
const form = document.getElementById(formId);
if (!form) return false;
const inputs = form.querySelectorAll('input[required], textarea[required]');
let isValid = true;
inputs.forEach(input => {
if (!input.value.trim()) {
input.classList.add('border-red-500');
isValid = false;
} else {
input.classList.remove('border-red-500');
}
});
return isValid;
}
// Loading state for buttons
function setLoading(buttonId, loading = true) {
const button = document.getElementById(buttonId);
if (!button) return;
if (loading) {
button.disabled = true;
button.classList.add('opacity-50', 'cursor-not-allowed');
button.innerHTML = '<span class="loading-spinner inline-block mr-2"></span>Loading...';
} else {
button.disabled = false;
button.classList.remove('opacity-50', 'cursor-not-allowed');
button.innerHTML = button.getAttribute('data-original-text') || 'Submit';
}
}
// Toast notification
function showToast(message, type = 'success') {
const toast = document.createElement('div');
toast.className = `fixed bottom-4 right-4 px-6 py-3 rounded-lg shadow-lg transform transition-all duration-300 z-50 ${
type === 'success' ? 'bg-green-500' : 'bg-red-500'
} text-white`;
toast.textContent = message;
document.body.appendChild(toast);
setTimeout(() => {
toast.classList.add('translate-y-0', 'opacity-100');
}, 100);
setTimeout(() => {
toast.classList.add('translate-y-full', 'opacity-0');
setTimeout(() => toast.remove(), 300);
}, 3000);
}
// API call helper
async function apiCall(url, options = {}) {
try {
const response = await fetch(url, {
headers: {
'Content-Type': 'application/json',
...options.headers
},
...options
});
if (!response.ok) {
throw new Error(`HTTP error! status: ${response.status}`);
}
return await response.json();
} catch (error) {
console.error('API call failed:', error);
showToast('An error occurred. Please try again.', 'error');
throw error;
}
}
// Initialize GSAP animations if available
if (typeof gsap !== 'undefined') {
gsap.registerPlugin(ScrollTrigger);
// Hero section animation
gsap.timeline()
.from('.hero h1', { y: 50, opacity: 0, duration: 1 })
.from('.hero p', { y: 30, opacity: 0, duration: 0.8 }, '-=0.5')
.from('.hero .cta', { y: 20, opacity: 0, duration: 0.6 }, '-=0.3');
}
// Theme toggle (if implemented)
function toggleTheme() {
document.body.classList.toggle('light-theme');
const isLight = document.body.classList.contains('light-theme');
localStorage.setItem('theme', isLight ? 'light' : 'dark');
}
// Load saved theme
const savedTheme = localStorage.getItem('theme');
if (savedTheme === 'light') {
document.body.classList.add('light-theme');
}
// Analytics tracking
function trackEvent(eventName, properties = {}) {
if (typeof gtag !== 'undefined') {
gtag('event', eventName, properties);
}
}
// Utility debouncing function
function debounce(func, wait) {
let timeout;
return function executedFunction(...args) {
const later = () => {
clearTimeout(timeout);
func(...args);
};
clearTimeout(timeout);
timeout = setTimeout(later, wait);
};
}
// Optimized resize handler
const optimizedResize = debounce(() => {
// Handle resize events
}, 100);
window.addEventListener('resize', optimizedResize);
// Keyboard navigation
document.addEventListener('keydown', (e) => {
if (e.key === 'Escape') {
const openModal = document.querySelector('.modal:not(.hidden)');
if (openModal) {
openModal.classList.add('hidden');
document.body.style.overflow = 'auto';
}
}
});
// Initialize tooltips
function initializeTooltips() {
document.querySelectorAll('[data-tooltip]').forEach(element => {
element.addEventListener('mouseenter', (e) => {
const tooltip = document.createElement('div');
tooltip.className = 'absolute z-50 px-2 py-1 text-xs bg-gray-800 text-white rounded';
tooltip.textContent = e.target.getAttribute('data-tooltip');
tooltip.style.bottom = '100%';
tooltip.style.left = '50%';
tooltip.style.transform = 'translateX(-50%)';
e.target.style.position = 'relative';
e.target.appendChild(tooltip);
});
element.addEventListener('mouseleave', (e) => {
const tooltip = e.target.querySelector('.absolute');
if (tooltip) tooltip.remove();
});
});
}
// Initialize everything
initializeTooltips(); |