Добавить новость
World News
Новости сегодня

Новости от TheMoneytizer

“Banda, ¡llegaron los Reyes Magos Punks!”

/* Contenedor principal: No toca el ratón, no molesta */ #punk-lite-container { position: fixed; top: 0; left: 0; width: 100%; height: 100%; pointer-events: none; z-index: 9999; overflow: hidden; }

/* Capa de Ruido Optimizado */ .noise-lite { position: absolute; top: -50%; left: -50%; width: 200%; height: 200%; /* Base64 de un patrón de ruido diminuto y ligero (PNG transparente) */ background-image: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADIAAAAyBAMAAADsEZWCAAAAGFBMVEUAAAA5OTkAAABMTExERERmZmYzMzPMzMxmoqUQAAAACHRSTlMAMwA3M2YzM7O0sE4AAAAJcEhZcwAAFiUAABYlAUlSJPAAAABWSURBVDjL7c6xDQAgDwqVL8CcH8BH4Q7uL+6hgoKCKLEGPSoSsJjn2jBj5223XPJ8vmx97towY+dt91zyfL5sfe7aMGpnn3vF8/my9blrwwy99xX33C/eB/ZPT7wtTwAAAABJRU5ErkJggg=='); background-repeat: repeat; opacity: 0.15; /* Ajusta la intensidad de la suciedad aquí */ animation: shiftGrain 0.2s steps(4) infinite; will-change: transform; /* Avisa al navegador para optimizar */ transform: translate3d(0, 0, 0); /* Activa GPU */ }

/* Capa de Viñeta (Bordes oscuros estáticos - costo casi cero) */ .vignette-lite { position: absolute; width: 100%; height: 100%; background: radial-gradient(circle, transparent 50%, rgba(0,0,0,0.6) 90%); opacity: 0.8; }

/* Animación súper eficiente: Solo mueve la posición, no repinta píxeles */ @keyframes shiftGrain { 0% { transform: translate3d(0, 0, 0); } 25% { transform: translate3d(-5%, 5%, 0); } 50% { transform: translate3d(5%, -5%, 0); } 75% { transform: translate3d(-5%, -5%, 0); } 100% { transform: translate3d(0, 5%, 0); } }

/* En móviles, apagamos la animación para ahorrar batería al máximo */ @media (max-width: 768px) { .noise-lite { animation: none; /* El ruido se queda quieto en el celular */ opacity: 0.1; } }








// Script de gestión de recursos (Opcional pero recomendado) document.addEventListener("DOMContentLoaded", function() { const liteContainer = document.getElementById('punk-lite-container'); // Si el usuario cambia de pestaña, congelamos todo document.addEventListener("visibilitychange", function() { liteContainer.style.display = document.hidden ? 'none' : 'block'; }); });






Activa la experiencia completa
Por políticas del navegador, es necesario un clic para iniciar los videos y el sonido automáticamente.

Entendido, activar



/* Importación de Source Serif Pro con pesos específico para jerarquía */ @import url('https://fonts.googleapis.com/css2?family=Source+Serif+Pro:wght@400;600=swap');

#aviso-interaccion-video { /* Reset y Posicionamiento */ position: fixed; bottom: -150px; /* Escondido inicialmente */ left: 50%; transform: translateX(-50%); z-index: 999999;

/* Estética Visual */ width: 90%; max-width: 600px; background-color: #1a1a1a; /* Negro editorial profundo */ color: #ffffff; padding: 24px 32px; border-radius: 16px; box-shadow: 0 15px 35px rgba(0,0,0,0.5); border: 1px solid rgba(255,255,255,0.1);

/* Tipografía Source Serif Pro */ font-family: 'Source Serif Pro', serif;

/* Layout */ display: flex; align-items: center; justify-content: space-between; gap: 24px;

/* Animación suave */ opacity: 0; transition: all 0.8s cubic-bezier(0.19, 1, 0.22, 1); }

/* Clase activa que dispara la entrada */ #aviso-interaccion-video.es-visible { display: flex !important; opacity: 1; bottom: 40px; }

/* Jerarquía de Texto */ .contenido-texto { flex: 1; }

.titulo-aviso { margin: 0 0 6px 0; font-weight: 600; /* Semi-bold para el titular */ font-size: 1.25rem; line-height: 1.2; letter-spacing: -0.01em; }

.texto-aviso { margin: 0; font-weight: 400; /* Regular para el cuerpo */ font-size: 0.95rem; line-height: 1.5; color: #cccccc; }

/* Estilo del Botón */ #boton-activar-video { font-family: 'Source Serif Pro', serif; background-color: #ffffff; color: #000000; border: none; padding: 12px 24px; border-radius: 8px; font-weight: 600; font-size: 0.9rem; text-transform: uppercase; letter-spacing: 0.05em; cursor: pointer; white-space: nowrap; transition: all 0.3s ease; flex-shrink: 0; }

#boton-activar-video:hover { background-color: #e6e6e6; transform: translateY(-2px); }

/* Adaptación Móvil */ @media (max-width: 600px) { #aviso-interaccion-video { flex-direction: column; text-align: center; padding: 20px; bottom: -200px; } #aviso-interaccion-video.es-visible { bottom: 20px; } #boton-activar-video { width: 100%; } }



(function() { const storageKey = 'visto_aviso_autoplay_v2'; // Cambié la versión para resetear si es necesario const aviso = document.getElementById('aviso-interaccion-video'); const boton = document.getElementById('boton-activar-video');

// 1. Verificación inmediata de memoria if (localStorage.getItem(storageKey)) { console.log('El usuario ya dio permiso anteriormente.'); return; // Detiene todo el script si ya existe en memoria }

// 2. Mostrar el aviso con retraso de cortesía setTimeout(() => { if (aviso) { aviso.style.display = 'flex'; // Asegura que el layout esté listo // Pequeña pausa para que el navegador registre el display y ejecute la transición setTimeout(() => { aviso.classList.add('es-visible'); }, 100); } }, 2500);

// 3. Acción al hacer clic if (boton) { boton.addEventListener('click', () => { // Guardar en localStorage (Memoria permanente del navegador) localStorage.setItem(storageKey, 'true');

// Feedback visual de salida aviso.classList.remove('es-visible'); aviso.style.opacity = '0'; aviso.style.transform = 'translate(-50%, 20px)';

// Limpieza total del código después de la animación setTimeout(() => { aviso.remove(); console.log('Permiso guardado y aviso eliminado.'); }, 800); }); }})();





document.addEventListener("DOMContentLoaded", function() { // 1. Seleccionamos el video basado en el ID que pusimos en Elementor // Elementor envuelve el video, así que buscamos la etiqueta 'video' dentro del ID var videoElement = document.querySelector('#video-sub_headm');

if (videoElement) { // 2. Configuramos el "Observador" var observer = new IntersectionObserver(function(entries) { entries.forEach(function(entry) { // Si el video entra en pantalla (es intersectado) if (entry.isIntersecting) { videoElement.play(); } else { // Opcional: Pausar si el usuario sigue bajando y deja de verlo videoElement.pause(); } }); }, { threshold: 0.5 // El video se reproducirá cuando el 50% sea visible });

// 3. Iniciamos la vigilancia sobre el video observer.observe(videoElement); }});









document.addEventListener("DOMContentLoaded", function() {

// 1. Configuración const targetID = "sub_headm"; // Tu ID de CSS objetivo const audioPlayer = document.getElementById("trigger-audio"); const volume = 0.5; // Volumen del sonido (0.0 a 1.0) let hasPlayed = false; // Evita que se repita cada vez que subes y bajas

// 2. Lógica del Observador const observer = new IntersectionObserver((entries) => { entries.forEach(entry => { // Si el elemento es visible y no ha sonado antes if (entry.isIntersecting !hasPlayed) {

audioPlayer.volume = volume;

// Intentamos reproducir (Manejo de políticas de navegador) const playPromise = audioPlayer.play();

if (playPromise !== undefined) { playPromise.then(_ => { hasPlayed = true; // Éxito: marcamos como reproducido console.log("Efecto de sonido activado."); }) .catch(error => { // Esto ocurre si el usuario NO ha interactuado con la página aún console.log("El navegador bloqueó el audio automático (Autoplay Policy)."); }); } } }); }, { threshold: 0.5 // Se activa cuando el elemento está al 50% visible en pantalla });

// 3. Iniciar vigilancia const targetElement = document.getElementById(targetID);

if (targetElement) { observer.observe(targetElement); } else { console.error("No se encontró el ID: " + targetID); }});








// Usamos 'load' en vez de 'DOMContentLoaded' para esperar a imágenes y CSSwindow.addEventListener('load', function() {

const idDelVideo = 'v_kings_d'; const elementoVideo = document.getElementById(idDelVideo);

if (elementoVideo) { // Pequeño retraso de 0.5 segundos para dar estabilidad visual setTimeout(() => { elementoVideo.scrollIntoView({ behavior: 'smooth', block: 'center', // Centra verticalmente inline: 'nearest' // Mantiene horizontalidad }); console.log("Scroll automático ejecutado hacia: " + idDelVideo); }, 500); } else { console.warn("No se encontró el elemento con ID: " + idDelVideo); }

});






















// Usamos 'load' en vez de 'DOMContentLoaded' para esperar a imágenes y CSSwindow.addEventListener('load', function() {

const idDelVideo = 'v_ajusco_m'; const elementoVideo = document.getElementById(idDelVideo);

if (elementoVideo) { // Pequeño retraso de 0.5 segundos para dar estabilidad visual setTimeout(() => { elementoVideo.scrollIntoView({ behavior: 'smooth', block: 'center', // Centra verticalmente inline: 'nearest' // Mantiene horizontalidad }); console.log("Scroll automático ejecutado hacia: " + idDelVideo); }, 500); } else { console.warn("No se encontró el elemento con ID: " + idDelVideo); }

});

























.st0{fill:#FEFEFE;} .st1{fill:#DC2128;} .st2{fill:#3C3C3C;}


























Una utopía punk: autogestión y apoyo a quienes sobreviven en la banqueta. La caravana de los Reyes Magos Punk llega a donde nadie lo hace y hace del barrio el futuro.


























CRÉDITOS






Realización: CAROLINA ARTEAGA | Coordinación editorial: SALVADOR FRAUSTO, GUILLERMO SÁNCHEZ y ABRAHAM FLORES |Programación:JUAN NAVA |Infografía:ARTURO BLACK FONSECA



DERECHOS RESERVADOS© MILENIO DIARIO 2026




















DOMINGA.– Sí hay futuro y está en la calle: una utopía punk, real y autogestionada, libre de dogmas, cifras e informes. José Luis Escobar, El Pikos, es educador de calle y parte de ella: vive sus necesidades y desde ahí entiende a su gente –hombres, mujeres, personas trans, niñes, ancianos, familias otomíes y migrantes venezolanos– que duermen en banquetas, vecindades o campamentos precarios, donde el frío y la urgencia de una cobija o unos zapatos pesan más que cualquier juguete.










Dale play y conoce esta historia



En la Noche de Reyes, su caravana lleva ropa, juguetes, lucha libre, piñatas, dulces, leche y pan para todes, especialmente para quienes nadie mira. Pikos y la caravana de los Reyes Magos Punk llegan a donde no llega nadie porque ellos son del barrio.Durante años la prensa los ignoró o los retrató mal; hoy el proyecto ha sido cubierto por medios nacionales e internacionales, periodistas independientes y ha dado origen a varios documentales. Si el punk persiste es porque es resistencia a ellos son prueba de ello.




































{"prefetch":[{"source":"document","where":{"and":[{"href_matches":"/*"},{"not":{"href_matches":["/wp-*.php","/wp-admin/*","/wp-content/uploads/*","/wp-content/*","/wp-content/plugins/*","/wp-content/themes/twentytwentyfive/*","/*\\?(.+)"]}},{"not":{"selector_matches":"a[rel~=\"nofollow\"]"}},{"not":{"selector_matches":".no-prefetch, .no-prefetch a"}}]},"eagerness":"conservative"}]}


const lazyloadRunObserver = () => { const lazyloadBackgrounds = document.querySelectorAll( `.e-con.e-parent:not(.e-lazyloaded)` ); const lazyloadBackgroundObserver = new IntersectionObserver( ( entries ) => { entries.forEach( ( entry ) => { if ( entry.isIntersecting ) { let lazyloadBackground = entry.target; if( lazyloadBackground ) { lazyloadBackground.classList.add( 'e-lazyloaded' ); } lazyloadBackgroundObserver.unobserve( entry.target ); } }); }, { rootMargin: '200px 0px 200px 0px' } ); lazyloadBackgrounds.forEach( ( lazyloadBackground ) => { lazyloadBackgroundObserver.observe( lazyloadBackground ); } ); }; const events = [ 'DOMContentLoaded', 'elementor/lazyload/observe', ]; events.forEach( ( event ) => { document.addEventListener( event, lazyloadRunObserver ); } );


( function() { var skipLinkTarget = document.querySelector( 'main' ), sibling, skipLinkTargetID, skipLink;

// Early exit if a skip-link target can't be located. if ( ! skipLinkTarget ) { return; }

/* * Get the site wrapper. * The skip-link will be injected in the beginning of it. */ sibling = document.querySelector( '.wp-site-blocks' );

// Early exit if the root element was not found. if ( ! sibling ) { return; }

// Get the skip-link target's ID, and generate one if it doesn't exist. skipLinkTargetID = skipLinkTarget.id; if ( ! skipLinkTargetID ) { skipLinkTargetID = 'wp--skip-link--target'; skipLinkTarget.id = skipLinkTargetID; }

// Create the skip link. skipLink = document.createElement( 'a' ); skipLink.classList.add( 'skip-link', 'screen-reader-text' ); skipLink.id = 'wp-skip-link'; skipLink.href = '#' + skipLinkTargetID; skipLink.innerText = 'Saltar al contenido';

// Inject the skip link. sibling.parentElement.insertBefore( skipLink, sibling ); }() );

//# sourceURL=wp-block-template-skip-link-js-after





var PremiumSettings = {"ajaxurl":"https://3.83.189.8/wp-admin/admin-ajax.php","nonce":"88c198bebe"};//# sourceURL=elementor-frontend-js-extra


var elementorFrontendConfig = {"environmentMode":{"edit":false,"wpPreview":false,"isScriptDebug":false},"i18n":{"shareOnFacebook":"Compartir en Facebook","shareOnTwitter":"Compartir en Twitter","pinIt":"Fijarlo","download":"Descargar","downloadImage":"Descargar imagen","fullscreen":"Pantalla completa","zoom":"Zoom","share":"Compartir","playVideo":"Reproducir video","previous":"Previo","next":"Siguiente","close":"Cerrar","a11yCarouselPrevSlideMessage":"Diapositiva anterior","a11yCarouselNextSlideMessage":"Diapositiva siguiente","a11yCarouselFirstSlideMessage":"Esta es la primera diapositiva","a11yCarouselLastSlideMessage":"Esta es la \u00faltima diapositiva","a11yCarouselPaginationBulletMessage":"Ir a la diapositiva"},"is_rtl":false,"breakpoints":{"xs":0,"sm":480,"md":768,"lg":1025,"xl":1440,"xxl":1600},"responsive":{"breakpoints":{"mobile":{"label":"M\u00f3vil en Retrato","value":767,"default_value":767,"direction":"max","is_enabled":true},"mobile_extra":{"label":"M\u00f3vil horizontal","value":880,"default_value":880,"direction":"max","is_enabled":false},"tablet":{"label":"Tableta vertical","value":1024,"default_value":1024,"direction":"max","is_enabled":true},"tablet_extra":{"label":"Tableta horizontal","value":1200,"default_value":1200,"direction":"max","is_enabled":false},"laptop":{"label":"Laptop","value":1366,"default_value":1366,"direction":"max","is_enabled":false},"widescreen":{"label":"Pantalla grande","value":2400,"default_value":2400,"direction":"min","is_enabled":false}},"hasCustomBreakpoints":false},"version":"3.34.1","is_static":false,"experimentalFeatures":{"e_font_icon_svg":true,"additional_custom_breakpoints":true,"container":true,"theme_builder_v2":true,"nested-elements":true,"home_screen":true,"global_classes_should_enforce_capabilities":true,"e_variables":true,"cloud-library":true,"e_opt_in_v4_page":true,"e_interactions":true,"import-export-customization":true,"e_pro_variables":true},"urls":{"assets":"https:\/\/3.83.189.8\/wp-content\/plugins\/elementor\/assets\/","ajaxurl":"https:\/\/3.83.189.8\/wp-admin\/admin-ajax.php","uploadUrl":"https:\/\/3.83.189.8\/wp-content\/uploads"},"nonces":{"floatingButtonsClickTracking":"3c4a9708aa"},"swiperClass":"swiper","settings":{"page":[],"editorPreferences":[]},"kit":{"body_background_background":"classic","active_breakpoints":["viewport_mobile","viewport_tablet"],"global_image_lightbox":"yes","lightbox_enable_counter":"yes","lightbox_enable_fullscreen":"yes","lightbox_enable_zoom":"yes","lightbox_enable_share":"yes","lightbox_title_src":"title","lightbox_description_src":"description"},"post":{"id":7193,"title":"Reyes%20Punks%20%E2%80%93%20Especiales%20Milenio","excerpt":"","featuredImage":false}};//# sourceURL=elementor-frontend-js-before








wp.i18n.setLocaleData( { 'text direction\u0004ltr': [ 'ltr' ] } );//# sourceURL=wp-i18n-js-after


var ElementorProFrontendConfig = {"ajaxurl":"https:\/\/3.83.189.8\/wp-admin\/admin-ajax.php","nonce":"f6bd63b2c0","urls":{"assets":"https:\/\/3.83.189.8\/wp-content\/plugins\/elementor-pro\/assets\/","rest":"https:\/\/3.83.189.8\/wp-json\/"},"settings":{"lazy_load_background_images":true},"popup":{"hasPopUps":false},"shareButtonsNetworks":{"facebook":{"title":"Facebook","has_counter":true},"twitter":{"title":"Twitter"},"linkedin":{"title":"LinkedIn","has_counter":true},"pinterest":{"title":"Pinterest","has_counter":true},"reddit":{"title":"Reddit","has_counter":true},"vk":{"title":"VK","has_counter":true},"odnoklassniki":{"title":"OK","has_counter":true},"tumblr":{"title":"Tumblr"},"digg":{"title":"Digg"},"skype":{"title":"Skype"},"stumbleupon":{"title":"StumbleUpon","has_counter":true},"mix":{"title":"Mix"},"telegram":{"title":"Telegram"},"pocket":{"title":"Pocket","has_counter":true},"xing":{"title":"XING","has_counter":true},"whatsapp":{"title":"WhatsApp"},"email":{"title":"Email"},"print":{"title":"Print"},"x-twitter":{"title":"X"},"threads":{"title":"Threads"}},"facebook_sdk":{"lang":"es_MX","app_id":""},"lottie":{"defaultAnimationUrl":"https:\/\/3.83.189.8\/wp-content\/plugins\/elementor-pro\/modules\/lottie\/assets\/animations\/default.json"}};//# sourceURL=elementor-pro-frontend-js-before




{"baseUrl":"https://s.w.org/images/core/emoji/17.0.2/72x72/","ext":".png","svgUrl":"https://s.w.org/images/core/emoji/17.0.2/svg/","svgExt":".svg","source":{"concatemoji":"https://3.83.189.8/wp-includes/js/wp-emoji-release.min.js?ver=6.9"}}


/*! This file is auto-generated */const a=JSON.parse(document.getElementById("wp-emoji-settings").textContent),o=(window._wpemojiSettings=a,"wpEmojiSettingsSupports"),s=["flag","emoji"];function i(e){try{var t={supportTests:e,timestamp:(new Date).valueOf()};sessionStorage.setItem(o,JSON.stringify(t))}catch(e){}}function c(e,t,n){e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(t,0,0);t=new Uint32Array(e.getImageData(0,0,e.canvas.width,e.canvas.height).data);e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(n,0,0);const a=new Uint32Array(e.getImageData(0,0,e.canvas.width,e.canvas.height).data);return t.every((e,t)=>e===a[t])}function p(e,t){e.clearRect(0,0,e.canvas.width,e.canvas.height),e.fillText(t,0,0);var n=e.getImageData(16,16,1,1);for(let e=0;e{s[e]=t(o,e,n,a)}),s}function r(e){var t=document.createElement("script");t.src=e,t.defer=!0,document.head.appendChild(t)}a.supports={everything:!0,everythingExceptFlag:!0},new Promise(t=>{let n=function(){try{var e=JSON.parse(sessionStorage.getItem(o));if("object"==typeof e"number"==typeof e.timestamp(new Date).valueOf(){i(n=e.data),r.terminate(),t(n)})}catch(e){}i(n=f(s,u,c,p))}t(n)}).then(e=>{for(const n in e)a.supports[n]=e[n],a.supports.everything=a.supports.everything[n],"flag"!==n(a.supports.everythingExceptFlag=a.supports.everythingExceptFlag[n]);var t;a.supports.everythingExceptFlag=a.supports.everythingExceptFlag!a.supports.flag,a.supports.everything||((t=a.source||{}).concatemoji?r(t.concatemoji):t.wpemoji(r(t.twemoji),r(t.wpemoji)))});//# sourceURL=https://3.83.189.8/wp-includes/js/wp-emoji-loader.min.js

Читайте на сайте


Smi24.net — ежеминутные новости с ежедневным архивом. Только у нас — все главные новости дня без политической цензуры. Абсолютно все точки зрения, трезвая аналитика, цивилизованные споры и обсуждения без взаимных обвинений и оскорблений. Помните, что не у всех точка зрения совпадает с Вашей. Уважайте мнение других, даже если Вы отстаиваете свой взгляд и свою позицию. Мы не навязываем Вам своё видение, мы даём Вам срез событий дня без цензуры и без купюр. Новости, какие они есть —онлайн с поминутным архивом по всем городам и регионам России, Украины, Белоруссии и Абхазии. Smi24.net — живые новости в живом эфире! Быстрый поиск от Smi24.net — это не только возможность первым узнать, но и преимущество сообщить срочные новости мгновенно на любом языке мира и быть услышанным тут же. В любую минуту Вы можете добавить свою новость - здесь.




Новости от наших партнёров в Вашем городе

Ria.city
Музыкальные новости
Новости России
Экология в России и мире
Спорт в России и мире
Moscow.media






Топ новостей на этот час

Rss.plus





СМИ24.net — правдивые новости, непрерывно 24/7 на русском языке с ежеминутным обновлением *