79785790

Date: 2025-10-08 19:15:59
Score: 5.5
Natty: 5
Report link

stty erase ^H

or

stty erase ^?

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: praveen

79785774

Date: 2025-10-08 18:54:53
Score: 4.5
Natty: 4.5
Report link

i did it.

image on txt using hex!

https://www.mediafire.com/file/lnm2br6il7a0fhn/plain_text_image_maker_FIXED.html/file

https://www.mediafire.com/file/evdmkz6pfb91iz9/plain_text_image_viewer.zip/file

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: jayden bagmeijer

79785760

Date: 2025-10-08 18:35:46
Score: 7.5 🚩
Natty: 5.5
Report link

Ok so i have the same problem but I need to convert lua into python because i know lua but not python

Reasons:
  • Blacklisted phrase (0.5): I need
  • Blacklisted phrase (1): i have the same problem
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): i have the same problem
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user31653034

79785697

Date: 2025-10-08 17:06:22
Score: 5
Natty:
Report link

But I want it to look exactly the same as Apple’s Shortcuts widget — the grid layout should have the same proportions, spacing, and button sizes across all three widget sizes (small, medium, and large). For my Widget.

enter image description here

enter image description here

enter image description here

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: LevelOne2k

79785555

Date: 2025-10-08 14:23:32
Score: 10.5 🚩
Natty:
Report link

I have a solution, you don't need to use ref for reactive, instead use shallowref, triggerref and markraw, i created a composable with all the google maps options, please test it, i'm from chile so sorry but i use spanish but you can understand the logic, google maps can't create advanced markers if the propierties are reactive.

import { shallowRef, onUnmounted, triggerRef, markRaw } from 'vue';

export default function useMapaComposable() {
  // ✅ Estado del mapa - usar shallowRef para objetos externos
  const mapa = shallowRef(null);
  const googleMaps = shallowRef(null);
  const isLoaded = shallowRef(false);
  const isLoading = shallowRef(false);

  // Colecciones de elementos del mapa - usando shallowRef para Maps
  const marcadores = shallowRef(new Map());
  const polilineas = shallowRef(new Map());
  const circulos = shallowRef(new Map());
  const poligonos = shallowRef(new Map());
  const infoWindows = shallowRef(new Map());
  const listeners = shallowRef(new Map());

  /**
   * Cargar la API de Google Maps con loading=async
   */
  const cargarGoogleMapsAPI = apiToken => {
    return new Promise((resolve, reject) => {
      // Si ya está cargado, resolver inmediatamente
      if (window.google && window.google.maps) {
        // ✅ Usar markRaw para evitar reactividad profunda
        googleMaps.value = markRaw(window.google.maps);
        isLoaded.value = true;
        resolve(window.google.maps);
        return;
      }

      // Si ya está en proceso de carga, esperar
      if (isLoading.value) {
        const checkLoaded = setInterval(() => {
          if (isLoaded.value) {
            clearInterval(checkLoaded);
            resolve(window.google.maps);
          }
        }, 100);
        return;
      }

      isLoading.value = true;

      // Crear callback global único
      const callbackName = `__googleMapsCallback_${Date.now()}`;

      window[callbackName] = () => {
        // ✅ Usar markRaw para evitar reactividad profunda
        googleMaps.value = markRaw(window.google.maps);
        isLoaded.value = true;
        isLoading.value = false;

        // Limpiar callback
        delete window[callbackName];

        resolve(window.google.maps);
      };

      const script = document.createElement('script');
      script.src = `https://maps.googleapis.com/maps/api/js?key=${apiToken}&libraries=marker,places,geometry&loading=async&callback=${callbackName}`;
      script.async = true;
      script.defer = true;

      script.onerror = () => {
        isLoading.value = false;
        delete window[callbackName];
        reject(new Error('Error al cargar Google Maps API'));
      };

      document.head.appendChild(script);
    });
  };

  /**
   * Inicializar el mapa
   */
  const inicializarMapa = async (apiToken, divElement, opciones = {}) => {
    try {
      await cargarGoogleMapsAPI(apiToken);

      const opcionesDefault = {
        center: { lat: -33.4489, lng: -70.6693 },
        zoom: 12,
        mapTypeId: googleMaps.value.MapTypeId.ROADMAP,
        streetViewControl: true,
        mapTypeControl: true,
        fullscreenControl: true,
        zoomControl: true,
        gestureHandling: 'greedy',
        backgroundColor: '#e5e3df',
        ...opciones,
      };

      if (!opcionesDefault.mapId) {
        console.warn(
          '⚠️ No se proporcionó mapId. Los marcadores avanzados no funcionarán.'
        );
      }

      // ✅ Crear el mapa y marcarlo como no reactivo
      const mapaInstance = new googleMaps.value.Map(
        divElement,
        opcionesDefault
      );
      mapa.value = markRaw(mapaInstance);

      // Esperar a que el mapa esté completamente renderizado
      await new Promise(resolve => {
        googleMaps.value.event.addListenerOnce(
          mapa.value,
          'tilesloaded',
          resolve
        );
      });

      // Agregar delay adicional para asegurar renderizado completo
      await new Promise(resolve => setTimeout(resolve, 300));

      // Forzar resize para asegurar que todo esté visible
      googleMaps.value.event.trigger(mapa.value, 'resize');

      // Recentrar después del resize
      mapa.value.setCenter(opcionesDefault.center);

      console.log('✅ Mapa completamente inicializado y listo');

      return mapa.value;
    } catch (error) {
      console.error('Error al inicializar el mapa:', error);
      throw error;
    }
  };

  // ==================== MARCADORES ====================

  const crearMarcador = (id, opciones = {}) => {
    if (!mapa.value || !googleMaps.value) {
      console.error('El mapa no está inicializado');
      return null;
    }

    const opcionesDefault = {
      position: { lat: -33.4489, lng: -70.6693 },
      map: mapa.value,
      title: '',
      draggable: false,
      animation: null,
      icon: null,
      label: null,
      ...opciones,
    };

    // ✅ Marcar el marcador como no reactivo
    const marcador = markRaw(new googleMaps.value.Marker(opcionesDefault));
    marcadores.value.set(id, marcador);
    triggerRef(marcadores);

    return marcador;
  };

  const crearMarcadorAvanzado = async (id, opciones = {}) => {
    if (!mapa.value || !googleMaps.value) {
      console.error('❌ El mapa no está inicializado');
      return null;
    }

    const mapId = mapa.value.get('mapId');
    if (!mapId) {
      console.error(
        '❌ Error: Se requiere un mapId para crear marcadores avanzados'
      );
      console.error('💡 Solución: Pasa mapId al inicializar el mapa');
      return null;
    }

    try {
      // Importar las librerías necesarias
      const { AdvancedMarkerElement, PinElement } =
        await googleMaps.value.importLibrary('marker');

      const { pinConfig, ...opcionesLimpias } = opciones;

      // Configurar opciones por defecto
      const opcionesDefault = {
        map: mapa.value, // ✅ Ahora funciona porque mapa es markRaw
        position: { lat: -33.4489, lng: -70.6693 },
        title: '',
        gmpDraggable: false,
        ...opcionesLimpias,
      };

      // Si no se proporciona contenido personalizado, crear un PinElement
      if (!opcionesDefault.content) {
        const pinConfigDefault = {
          background: '#EA4335',
          borderColor: '#FFFFFF',
          glyphColor: '#FFFFFF',
          scale: 1.5,
          ...pinConfig,
        };

        const pin = new PinElement(pinConfigDefault);
        opcionesDefault.content = pin.element;
      }

      // ✅ Crear el marcador y marcarlo como no reactivo
      const marcador = markRaw(new AdvancedMarkerElement(opcionesDefault));

      // Guardar referencia
      marcadores.value.set(id, marcador);
      triggerRef(marcadores);

      console.log('✅ Marcador avanzado creado:', id, opcionesDefault.position);

      return marcador;
    } catch (error) {
      console.error('❌ Error al crear marcador avanzado:', error);
      console.error('📝 Detalles:', error.message);
      return null;
    }
  };

  const obtenerMarcador = id => {
    return marcadores.value.get(id);
  };

  const eliminarMarcador = id => {
    const marcador = marcadores.value.get(id);
    if (!marcador) {
      return false;
    }

    // Limpiar listeners
    const elementListeners = listeners.value.get(id);
    if (elementListeners) {
      elementListeners.forEach(listener => {
        googleMaps.value.event.removeListener(listener);
      });
      listeners.value.delete(id);
      triggerRef(listeners);
    }

    // Remover del mapa
    if (marcador.setMap) {
      marcador.setMap(null);
    }

    // Para marcadores avanzados
    if (marcador.map !== undefined) {
      marcador.map = null;
    }

    // Eliminar referencia y forzar reactividad
    marcadores.value.delete(id);
    triggerRef(marcadores);
    return true;
  };

  const eliminarTodosMarcadores = () => {
    marcadores.value.forEach((marcador, id) => {
      // Limpiar listeners
      const elementListeners = listeners.value.get(id);
      if (elementListeners) {
        elementListeners.forEach(listener => {
          googleMaps.value.event.removeListener(listener);
        });
        listeners.value.delete(id);
      }

      // Remover del mapa
      if (marcador.setMap) {
        marcador.setMap(null);
      }

      // Para marcadores avanzados
      if (marcador.map !== undefined) {
        marcador.map = null;
      }
    });

    // Limpiar colecciones
    marcadores.value.clear();
    listeners.value.clear();

    // Forzar reactividad
    triggerRef(marcadores);
    triggerRef(listeners);
  };

  const animarMarcador = (id, animacion = 'BOUNCE') => {
    const marcador = marcadores.value.get(id);
    if (marcador && marcador.setAnimation) {
      const animationType =
        animacion === 'BOUNCE'
          ? googleMaps.value.Animation.BOUNCE
          : googleMaps.value.Animation.DROP;
      marcador.setAnimation(animationType);

      if (animacion === 'BOUNCE') {
        setTimeout(() => {
          if (marcadores.value.has(id)) {
            marcador.setAnimation(null);
          }
        }, 2000);
      }
    }
  };

  // ==================== POLILÍNEAS ====================

  const crearPolilinea = (id, coordenadas, opciones = {}) => {
    if (!mapa.value || !googleMaps.value) {
      console.error('El mapa no está inicializado');
      return null;
    }

    const opcionesDefault = {
      path: coordenadas,
      geodesic: true,
      strokeColor: '#FF0000',
      strokeOpacity: 1.0,
      strokeWeight: 3,
      map: mapa.value,
      ...opciones,
    };

    // ✅ Marcar como no reactivo
    const polilinea = markRaw(new googleMaps.value.Polyline(opcionesDefault));
    polilineas.value.set(id, polilinea);
    triggerRef(polilineas);

    return polilinea;
  };

  const actualizarPolilinea = (id, coordenadas) => {
    const polilinea = polilineas.value.get(id);
    if (polilinea) {
      polilinea.setPath(coordenadas);
      return true;
    }
    return false;
  };

  const obtenerPolilinea = id => {
    return polilineas.value.get(id);
  };

  const eliminarPolilinea = id => {
    const polilinea = polilineas.value.get(id);
    if (!polilinea) {
      return false;
    }

    const elementListeners = listeners.value.get(id);
    if (elementListeners) {
      elementListeners.forEach(listener => {
        googleMaps.value.event.removeListener(listener);
      });
      listeners.value.delete(id);
      triggerRef(listeners);
    }

    polilinea.setMap(null);
    polilineas.value.delete(id);
    triggerRef(polilineas);
    return true;
  };

  const eliminarTodasPolilineas = () => {
    polilineas.value.forEach((polilinea, id) => {
      const elementListeners = listeners.value.get(id);
      if (elementListeners) {
        elementListeners.forEach(listener => {
          googleMaps.value.event.removeListener(listener);
        });
        listeners.value.delete(id);
      }

      polilinea.setMap(null);
    });

    polilineas.value.clear();
    listeners.value.clear();

    triggerRef(polilineas);
    triggerRef(listeners);
  };

  // ==================== CÍRCULOS ====================

  const crearCirculo = (id, opciones = {}) => {
    if (!mapa.value || !googleMaps.value) {
      console.error('El mapa no está inicializado');
      return null;
    }

    const opcionesDefault = {
      center: { lat: -33.4489, lng: -70.6693 },
      radius: 1000,
      strokeColor: '#FF0000',
      strokeOpacity: 0.8,
      strokeWeight: 2,
      fillColor: '#FF0000',
      fillOpacity: 0.35,
      map: mapa.value,
      editable: false,
      draggable: false,
      ...opciones,
    };

    // ✅ Marcar como no reactivo
    const circulo = markRaw(new googleMaps.value.Circle(opcionesDefault));
    circulos.value.set(id, circulo);
    triggerRef(circulos);

    return circulo;
  };

  const obtenerCirculo = id => {
    return circulos.value.get(id);
  };

  const eliminarCirculo = id => {
    const circulo = circulos.value.get(id);
    if (!circulo) {
      return false;
    }

    const elementListeners = listeners.value.get(id);
    if (elementListeners) {
      elementListeners.forEach(listener => {
        googleMaps.value.event.removeListener(listener);
      });
      listeners.value.delete(id);
      triggerRef(listeners);
    }

    circulo.setMap(null);
    circulos.value.delete(id);
    triggerRef(circulos);
    return true;
  };

  const eliminarTodosCirculos = () => {
    circulos.value.forEach((circulo, id) => {
      const elementListeners = listeners.value.get(id);
      if (elementListeners) {
        elementListeners.forEach(listener => {
          googleMaps.value.event.removeListener(listener);
        });
        listeners.value.delete(id);
      }

      circulo.setMap(null);
    });

    circulos.value.clear();
    listeners.value.clear();

    triggerRef(circulos);
    triggerRef(listeners);
  };

  // ==================== POLÍGONOS ====================

  const crearPoligono = (id, coordenadas, opciones = {}) => {
    if (!mapa.value || !googleMaps.value) {
      console.error('El mapa no está inicializado');
      return null;
    }

    const opcionesDefault = {
      paths: coordenadas,
      strokeColor: '#FF0000',
      strokeOpacity: 0.8,
      strokeWeight: 2,
      fillColor: '#FF0000',
      fillOpacity: 0.35,
      map: mapa.value,
      editable: false,
      draggable: false,
      ...opciones,
    };

    // ✅ Marcar como no reactivo
    const poligono = markRaw(new googleMaps.value.Polygon(opcionesDefault));
    poligonos.value.set(id, poligono);
    triggerRef(poligonos);

    return poligono;
  };

  const obtenerPoligono = id => {
    return poligonos.value.get(id);
  };

  const eliminarPoligono = id => {
    const poligono = poligonos.value.get(id);
    if (!poligono) {
      return false;
    }

    const elementListeners = listeners.value.get(id);
    if (elementListeners) {
      elementListeners.forEach(listener => {
        googleMaps.value.event.removeListener(listener);
      });
      listeners.value.delete(id);
      triggerRef(listeners);
    }

    poligono.setMap(null);
    poligonos.value.delete(id);
    triggerRef(poligonos);
    return true;
  };

  const eliminarTodosPoligonos = () => {
    poligonos.value.forEach((poligono, id) => {
      const elementListeners = listeners.value.get(id);
      if (elementListeners) {
        elementListeners.forEach(listener => {
          googleMaps.value.event.removeListener(listener);
        });
        listeners.value.delete(id);
      }

      poligono.setMap(null);
    });

    poligonos.value.clear();
    listeners.value.clear();

    triggerRef(poligonos);
    triggerRef(listeners);
  };

  // ==================== INFO WINDOWS ====================

  const crearInfoWindow = (id, opciones = {}) => {
    if (!googleMaps.value) {
      console.error('Google Maps no está cargado');
      return null;
    }

    const opcionesDefault = {
      content: '',
      position: null,
      maxWidth: 300,
      ...opciones,
    };

    // ✅ Marcar como no reactivo
    const infoWindow = markRaw(
      new googleMaps.value.InfoWindow(opcionesDefault)
    );
    infoWindows.value.set(id, infoWindow);
    triggerRef(infoWindows);

    return infoWindow;
  };

  const abrirInfoWindow = (infoWindowId, marcadorId) => {
    const infoWindow = infoWindows.value.get(infoWindowId);
    const marcador = marcadores.value.get(marcadorId);

    if (infoWindow && marcador && mapa.value) {
      infoWindow.open({
        anchor: marcador,
        map: mapa.value,
      });
      return true;
    }
    return false;
  };

  const cerrarInfoWindow = id => {
    const infoWindow = infoWindows.value.get(id);
    if (infoWindow) {
      infoWindow.close();
      return true;
    }
    return false;
  };

  const eliminarInfoWindow = id => {
    const infoWindow = infoWindows.value.get(id);
    if (!infoWindow) {
      return false;
    }

    infoWindow.close();
    infoWindows.value.delete(id);
    triggerRef(infoWindows);
    return true;
  };

  const eliminarTodosInfoWindows = () => {
    infoWindows.value.forEach(infoWindow => {
      infoWindow.close();
    });

    infoWindows.value.clear();
    triggerRef(infoWindows);
  };

  // ==================== UTILIDADES ====================

  const centrarMapa = (lat, lng, zoom = null) => {
    if (mapa.value) {
      mapa.value.setCenter({ lat, lng });
      if (zoom !== null) {
        mapa.value.setZoom(zoom);
      }
    }
  };

  const ajustarALimites = coordenadas => {
    if (!mapa.value || !googleMaps.value || coordenadas.length === 0) {
      return;
    }

    const bounds = new googleMaps.value.LatLngBounds();
    coordenadas.forEach(coord => {
      bounds.extend(coord);
    });

    mapa.value.fitBounds(bounds);
  };

  const cambiarTipoMapa = tipo => {
    if (mapa.value && googleMaps.value) {
      const tipos = {
        roadmap: googleMaps.value.MapTypeId.ROADMAP,
        satellite: googleMaps.value.MapTypeId.SATELLITE,
        hybrid: googleMaps.value.MapTypeId.HYBRID,
        terrain: googleMaps.value.MapTypeId.TERRAIN,
      };

      mapa.value.setMapTypeId(tipos[tipo] || tipos.roadmap);
    }
  };

  const obtenerCentro = () => {
    if (mapa.value) {
      const center = mapa.value.getCenter();
      return {
        lat: center.lat(),
        lng: center.lng(),
      };
    }
    return null;
  };

  const obtenerZoom = () => {
    return mapa.value ? mapa.value.getZoom() : null;
  };

  const agregarListener = (tipo, callback) => {
    if (mapa.value && googleMaps.value) {
      return googleMaps.value.event.addListener(mapa.value, tipo, callback);
    }
    return null;
  };

  const agregarListenerMarcador = (marcadorId, tipo, callback) => {
    const marcador = marcadores.value.get(marcadorId);
    if (marcador && googleMaps.value) {
      const listener = googleMaps.value.event.addListener(
        marcador,
        tipo,
        callback
      );

      if (!listeners.value.has(marcadorId)) {
        listeners.value.set(marcadorId, []);
      }
      listeners.value.get(marcadorId).push(listener);

      return listener;
    }
    return null;
  };

  const calcularDistancia = (origen, destino) => {
    if (!googleMaps.value || !googleMaps.value.geometry) {
      console.error('Geometry library no está cargada');
      return null;
    }

    const puntoOrigen = new googleMaps.value.LatLng(origen.lat, origen.lng);
    const puntoDestino = new googleMaps.value.LatLng(destino.lat, destino.lng);

    return googleMaps.value.geometry.spherical.computeDistanceBetween(
      puntoOrigen,
      puntoDestino
    );
  };

  const limpiarMapa = () => {
    eliminarTodosMarcadores();
    eliminarTodasPolilineas();
    eliminarTodosCirculos();
    eliminarTodosPoligonos();
    eliminarTodosInfoWindows();

    // Limpiar listeners restantes
    listeners.value.forEach(listener => {
      if (Array.isArray(listener)) {
        listener.forEach(l => {
          if (googleMaps.value && googleMaps.value.event) {
            googleMaps.value.event.removeListener(l);
          }
        });
      }
    });
    listeners.value.clear();
    triggerRef(listeners);
  };

  const destruirMapa = () => {
    limpiarMapa();
    mapa.value = null;
  };

  onUnmounted(() => {
    destruirMapa();
  });

  return {
    mapa,
    googleMaps,
    isLoaded,
    isLoading,

    inicializarMapa,

    crearMarcador,
    crearMarcadorAvanzado,
    obtenerMarcador,
    eliminarMarcador,
    eliminarTodosMarcadores,
    animarMarcador,

    crearPolilinea,
    actualizarPolilinea,
    obtenerPolilinea,
    eliminarPolilinea,
    eliminarTodasPolilineas,

    crearCirculo,
    obtenerCirculo,
    eliminarCirculo,
    eliminarTodosCirculos,

    crearPoligono,
    obtenerPoligono,
    eliminarPoligono,
    eliminarTodosPoligonos,

    crearInfoWindow,
    abrirInfoWindow,
    cerrarInfoWindow,
    eliminarInfoWindow,
    eliminarTodosInfoWindows,

    centrarMapa,
    ajustarALimites,
    cambiarTipoMapa,
    obtenerCentro,
    obtenerZoom,
    agregarListener,
    agregarListenerMarcador,
    calcularDistancia,
    limpiarMapa,
    destruirMapa,

    marcadores,
    polilineas,
    circulos,
    poligonos,
    infoWindows,
  };
}
Reasons:
  • Blacklisted phrase (1): está
  • Blacklisted phrase (1): porque
  • Blacklisted phrase (1): Todas
  • Blacklisted phrase (3): Solución
  • Blacklisted phrase (2): Crear
  • Blacklisted phrase (2): crear
  • RegEx Blacklisted phrase (1): i created a composable with all the google maps options, please
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Claudio Orellana

79785527

Date: 2025-10-08 13:50:21
Score: 4
Natty:
Report link

The cassandra connection was not closed so it led to the warnings on tomcat shutdown.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Дмитрий Ясюкевич

79785496

Date: 2025-10-08 13:23:13
Score: 5
Natty:
Report link

Follow this Link, it helps a lot

Reasons:
  • Blacklisted phrase (1): this Link
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Syed Sabtain

79785376

Date: 2025-10-08 10:58:32
Score: 4.5
Natty: 4
Report link

Up to 2025 XCode Version 26.0.1, there is no Keychain Sharing option in capabilities. Anyone knows why?

Reasons:
  • Blacklisted phrase (0.5): why?
  • Blacklisted phrase (1): Anyone knows
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Said-Abdulla Atkaev

79785375

Date: 2025-10-08 10:57:31
Score: 5
Natty:
Report link

According to the documentation: https://docs.spring.io/spring-cloud-gateway/reference/appendix.html try to use 'trusted-proxies'

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: slusi

79785287

Date: 2025-10-08 09:35:08
Score: 6.5 🚩
Natty: 5
Report link

Is there a way to simply change the tag on the Dockerhub server rather than pulling locally, tagging, and pushing?

Reasons:
  • Blacklisted phrase (1): Is there a way
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Is there a
  • Low reputation (1):
Posted by: Mark Kelly

79785284

Date: 2025-10-08 09:33:07
Score: 5
Natty: 5
Report link

Sorry because I can't answer you. May I know how did you inject ID3 tag to mpegts using mpegtsmux with gstreamer?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Lovro

79785270

Date: 2025-10-08 09:22:03
Score: 4
Natty:
Report link

I found it, finally! The documentation was listed under the stdlib-types instead of variables.

toFloat() -> Float
Reasons:
  • Probably link only (1):
  • Low length (2):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Mgall

79785264

Date: 2025-10-08 09:10:00
Score: 4
Natty:
Report link

I have the same error on the secret variable definition. I make the mistake of indenting incorrectly as if they depended on the services, when they don't.

services:
 # ...
  secrets:
    db_secret:
      file: .env.local

to fix it

services:
 # ...
secrets:
  db_secret:
    file: .env.local

An error as big as the missing semicolon..

Reasons:
  • RegEx Blacklisted phrase (1): I have the same error
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same error
  • Low reputation (1):
Posted by: Yvialga

79785261

Date: 2025-10-08 09:06:59
Score: 5
Natty: 5.5
Report link

Have you found a solution? ... I'm interested in something similar to freeze a page (Javascript / Reac) for a desktop app. ...... Sorry if I didn't understand your question, but it exists, my research also went through the browser's -Kiosk command, : problem, it's the whole page that is frozen :), and I'm just looking for the display at 80%.

Reasons:
  • RegEx Blacklisted phrase (2.5): Have you found a solution
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: melo drama

79785228

Date: 2025-10-08 08:30:49
Score: 4
Natty:
Report link

How does the provided JavaScript and CSS code work together to create a responsive sliding navigation menu with an overlay effect that appears when the toggle button is clicked, and what are the key roles of the nav-open and active classes in achieving this behavior?

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): How do
  • Low reputation (1):
Posted by: user28232928

79785159

Date: 2025-10-08 07:12:29
Score: 4
Natty:
Report link

Anitaku official is a totally free running website where you can easily watch or download anime list in high quality with English subtitles.

Reasons:
  • Contains signature (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Anitaku

79785137

Date: 2025-10-08 06:39:18
Score: 4
Natty:
Report link

Anitaku official is a totally free running website where you can easily watch or download anime list in high quality with English subtitles.

Reasons:
  • Contains signature (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Anitaku

79785044

Date: 2025-10-08 02:24:26
Score: 4
Natty: 4
Report link

Now they have started supporting groups

https://developers.facebook.com/docs/whatsapp/cloud-api/groups/

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: sheikhsalman08

79784974

Date: 2025-10-07 22:50:37
Score: 9 🚩
Natty:
Report link

can you help me recover my account Facebook my link is https://www.facebook.com/share/1QaWQxvuED/?mibextid=wwXIfr

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): can you help me
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): can you help me
  • Low reputation (1):
Posted by: Yorn Liza

79784904

Date: 2025-10-07 20:18:04
Score: 8 🚩
Natty: 4
Report link

I am also facing same issue.

Additionally i am also facing in c make file unable to finf .cmake file kind of something i tried everything from my side.

Please anyone help me to setup arcgissdk for my qt qml project.

I have already installed sdk. And run config command.

Also msvc compiler is installed and setup properly.

Mainly facing problem in imports and configuration in c make a

Reasons:
  • Blacklisted phrase (1): help me
  • Blacklisted phrase (3): Please anyone
  • No code block (0.5):
  • Me too answer (2.5): I am also facing same issue
  • Low reputation (1):
Posted by: Ranjan gupta

79784567

Date: 2025-10-07 13:06:11
Score: 4.5
Natty: 5
Report link

Great solution VirtualDJ ! Thanks !

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: JoN

79784566

Date: 2025-10-07 13:05:09
Score: 7 🚩
Natty: 4
Report link

Did you ever figure this out? The "Attached proposal" answer doesn't do anything, nor does it return the result indicated in the answer.

Reasons:
  • RegEx Blacklisted phrase (3): Did you ever figure this out
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: Charity Reed

79784367

Date: 2025-10-07 09:09:13
Score: 5
Natty: 2.5
Report link

https://youtu.be/zfzoxL8tRB8?si=tex3iADfYMae6Wm6

I've created a video for you to show you the correct steps to host NX Monorepo in Vercel.

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mahmoud ElGharably

79784257

Date: 2025-10-07 06:44:28
Score: 4
Natty:
Report link

enter image description here

After deleting cache files that didn't work for me. I changed gradle and it worked.
enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Whitelisted phrase (-1): it worked
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Rider Robo

79784233

Date: 2025-10-07 05:51:15
Score: 4
Natty:
Report link

Repository repository = JcrUtils.getRepository("jcr-oak://localhost:8080/server");

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Emil

79784225

Date: 2025-10-07 05:25:08
Score: 4.5
Natty:
Report link

I personally think that in Common Lisp, and probably any other Lisp, the right thing to do is what @Bamar wrote in his answer, if the goal is just ergonomi, i.e. to save some typing. @Coredump's answer is a nice automation with some extras to what Bamar says.

In addition to that, as a curiosa, there is also symbol-links library, which can't be written in portable Common Lisp, as of current standard, but hacks each implementation.

Care has to be taken if original definition of a function or macro is changed. Since alias is created at compilation time, with dynamic change of function slot, the change won't be reflected in alias. Symbol-links library was created to address that problem, but that is perhaps a relatively rare use-case?

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Bamar
  • User mentioned (0): @Coredump's
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: myname

79784197

Date: 2025-10-07 03:46:45
Score: 9 🚩
Natty: 5.5
Report link

I'm having the same issue here with Meta Ads. Have you been able to find a solution for this?

Reasons:
  • Blacklisted phrase (1.5): Have you been able to
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I'm having the same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Kien Nguyen

79784174

Date: 2025-10-07 02:25:26
Score: 5.5
Natty: 4.5
Report link

I had this problem. I made https://www.chartmekko.com for free.

enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Chart Mekko

79784063

Date: 2025-10-06 20:52:07
Score: 4
Natty: 4
Report link

activate "Use launching application" in menu run/run parameter

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: vwsdfdsf

79784052

Date: 2025-10-06 20:40:03
Score: 7.5 🚩
Natty: 4
Report link

Has anyone solved this problem or knows how to do it? On the second load, even though I've implemented all the necessary deletions, the map controls are duplicated.

Reasons:
  • Blacklisted phrase (1): anyone solved
  • RegEx Blacklisted phrase (3): Has anyone solved
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: SuperBlazor

79784027

Date: 2025-10-06 19:59:52
Score: 4.5
Natty:
Report link

@Demis, can your example be simplified from 3-lines to 1-line without use of tempmod?

Like

>>> = importlib.import_module('logging')._version_
>>> v
'0.5.1.2'
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • User mentioned (1): @Demis
  • Low reputation (1):
Posted by: ruck

79783820

Date: 2025-10-06 15:04:37
Score: 4
Natty:
Report link

I face the same issue when sending notifications to Android real device. Would be great if you share the solution you have found since the time you made your post.
Some points regarding your issue:

Reasons:
  • No code block (0.5):
  • Me too answer (2.5): I face the same issue
  • Low reputation (1):
Posted by: Tim Archer

79783673

Date: 2025-10-06 12:25:57
Score: 10 🚩
Natty: 6
Report link

Where did you get the colored (red and green) balls?

Best,
Chris

Reasons:
  • RegEx Blacklisted phrase (3): did you get the
  • Contains signature (1):
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Starts with a question (0.5): Where did you
  • Low reputation (1):
Posted by: Chris

79783660

Date: 2025-10-06 12:09:53
Score: 5
Natty: 5
Report link

What about using bash argument expansions or checking $ARGC?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): What
Posted by: Tim Ottinger

79783624

Date: 2025-10-06 11:16:30
Score: 5.5
Natty:
Report link

testetettetettetetetetetetetetettestetettetettetetetetetetetetet

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low entropy (1):
  • Low reputation (1):
Posted by: cecep

79783604

Date: 2025-10-06 10:58:24
Score: 4
Natty:
Report link

I recently started optimizing my website for SEO and I want to make sure that Google Search Console and Google Analytics weren’t already set up by someone else before.

Is there any reliable way to check if these tools were previously connected to my website (for example by a previous developer or SEO manager)?

I’ve already tried:

But I still can’t confirm if someone else already had ownership earlier.
Is there any technical method, API, or DNS verification log to confirm past Google Analytics / Search Console ownership?

Reasons:
  • Blacklisted phrase (1): Is there any
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: computesolution

79783601

Date: 2025-10-06 10:56:23
Score: 8.5 🚩
Natty:
Report link

What i'm trying to do is check all cells in a column for a value and send an email based on the value.

Compare again 3 different values.

So I based on the value I want to sent a mail to some departments(so diferent emailsaddress).

As you can see in my trial and error this doesn't work at the time.

So some help will be much appreciated.

Kind regards

Reasons:
  • Blacklisted phrase (1): regards
  • Blacklisted phrase (1): appreciated
  • RegEx Blacklisted phrase (3): help will be much appreciated
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Self-answer (0.5):
  • Starts with a question (0.5): What i
  • Low reputation (1):
Posted by: Marco Bakx

79783500

Date: 2025-10-06 09:14:55
Score: 4
Natty: 5
Report link

You are using a server API at the client, you need to use the client side service described at https://developers.google.com/maps/documentation/javascript/geocoding

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: roye

79783489

Date: 2025-10-06 09:02:52
Score: 8
Natty: 7
Report link

Can you please share what you did around duplicating the source files and making it reference the new file IDs please?

I'm having the same issue around running out of the limit and I expect this to happy every 3 weeks or so.

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you please share what you
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm having the same issue
  • Contains question mark (0.5):
  • Starts with a question (0.5): Can you please share
  • Low reputation (1):
Posted by: Megan Brooks

79783435

Date: 2025-10-06 07:39:31
Score: 4.5
Natty:
Report link

I haven't found any solution yet so i have downgraded the flutter version and it is working fine with lower version

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Muhammad Umair

79783411

Date: 2025-10-06 06:42:18
Score: 9.5 🚩
Natty: 4.5
Report link

Did you find a solution to this issue? I am looking for the same

Reasons:
  • Blacklisted phrase (2): I am looking for
  • RegEx Blacklisted phrase (3): Did you find a solution to this
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find a solution to this is
  • Low reputation (1):
Posted by: Doraswamy Vamsi

79783290

Date: 2025-10-06 00:32:03
Score: 4
Natty:
Report link

I also got this error, maybe for a different reason, but there is a shortcut in the console that misleads users. I made the relevant explanation in the comment in the link. https://stackoverflow.com/a/79783251/9439748

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mehmet Ibrahim

79783288

Date: 2025-10-06 00:27:02
Score: 4
Natty: 5
Report link

There is no way to fix this, more info here: https://github.com/ShareX/ShareX/issues/8014

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Michał Gątkowski

79783252

Date: 2025-10-05 22:45:41
Score: 5
Natty: 5
Report link

Welcome to the Apidog Discord Community! 👋

🆘 Need support? Please post in `get-support`.

🐛 Found a bug? Report it in `bug-report`.

✨ Want a new feature? Request it in `feature-request`.

💬 General questions? Discuss them in `general`.

Reasons:
  • RegEx Blacklisted phrase (2.5): Please post
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Luis Diego Montano Llanes

79783177

Date: 2025-10-05 20:03:02
Score: 7 🚩
Natty: 6
Report link

Have you found a solution? I'm having this problem with the Android project, and it's so annoying I want to burn my computer.

Reasons:
  • RegEx Blacklisted phrase (2.5): Have you found a solution
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nicolás Kuglien

79783155

Date: 2025-10-05 19:09:47
Score: 6.5 🚩
Natty: 6
Report link

Please refer this tutorial [**www.youtube.com/@SmartBotSphere**\]:

How to call VBA from Python

How to pass parameter from Python to VBA

Reasons:
  • Blacklisted phrase (1): this tutorial
  • Blacklisted phrase (1): youtube.com
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: RR techie

79783120

Date: 2025-10-05 18:05:31
Score: 5
Natty:
Report link

I think this might be answer : https://cartflows.com/docs/how-to-hide-woocommerce-pages-products/

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: mwelpa

79783090

Date: 2025-10-05 16:57:14
Score: 9.5 🚩
Natty: 5
Report link

I have the same issue and have been trying to resolve it using the same methods you have mentioned and nothing works for me as well, if you were able to resolve this issue, would appreciate your help

Reasons:
  • Blacklisted phrase (2): appreciate your help
  • Blacklisted phrase (1): I have the same issue
  • Blacklisted phrase (1.5): would appreciate
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: Abhinav Sharma

79783085

Date: 2025-10-05 16:44:10
Score: 6 🚩
Natty: 5.5
Report link

how to create this array in a similar way in Python?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): how to
  • Low reputation (1):
Posted by: Ghassan Fawaz

79783063

Date: 2025-10-05 16:09:00
Score: 4
Natty:
Report link

这样也可以成功

<dependency>
    <groupId>org.projectlombok</groupId>
    <artifactId>lombok</artifactId>
    <version>1.18.32</version> <!-- 最新稳定版 -->
    <scope>provided</scope>
</dependency>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • No latin characters (3):
  • Low reputation (1):
Posted by: 笨的要命

79783021

Date: 2025-10-05 14:44:40
Score: 4
Natty: 4.5
Report link

https://apps-d.docusign.com/admin/connect-failures

This is the page I was looking for. shows you exact errors.

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Darren Bruce Via II

79783006

Date: 2025-10-05 13:47:27
Score: 7
Natty: 8
Report link

And how can we do that in 3D ??

I don't see any DampedSpringJoint3D in Godot ?... Especially if we want to work with JOLT Physics. Is there any possiblity to do the same thing ?

Reasons:
  • Blacklisted phrase (1): how can we
  • Blacklisted phrase (1): Is there any
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: luigi

79782962

Date: 2025-10-05 12:01:04
Score: 6 🚩
Natty: 6.5
Report link

I have found this tutorial at youtube, it might help you:

https://www.youtube.com/watch?v=gZJci5DXFJ8

Reasons:
  • Blacklisted phrase (1): this tutorial
  • Blacklisted phrase (1): youtube.com
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: raed riyad

79782768

Date: 2025-10-05 03:24:14
Score: 4.5
Natty:
Report link

I am having similar issues. I resorted to placing all information in one table using power query. Not ideal but it's the one that's working right now.

I hope there is an answer to this issue.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am having similar issue
  • Low reputation (1):
Posted by: lov2tango

79782748

Date: 2025-10-05 01:34:52
Score: 5
Natty: 6
Report link

How do you remove this, I can't seem to find it in my website but I see it in css preview in chrome

Reasons:
  • Blacklisted phrase (1): How do you
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How do you
  • Low reputation (1):
Posted by: sddarkman619

79782725

Date: 2025-10-04 23:45:29
Score: 4
Natty: 5
Report link

I was trying to Post a simple Comment, pointing out how much more helpful this single Q&A Post of Airerr's was than anything hours of WWW searching have shown me from Microsoft.

Thanks, Airerr!

How hard could it be, Bill?

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Robbie Goodwin

79782711

Date: 2025-10-04 22:45:16
Score: 9 🚩
Natty: 5.5
Report link

were you able to get access back?

Reasons:
  • RegEx Blacklisted phrase (3): were you able
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: musa khawaja

79782688

Date: 2025-10-04 21:17:57
Score: 4.5
Natty:
Report link

I managed to "fix" it by changing the names of the controllers. Apparently utoipa gets confused if they have the same name, even if they're in different modules. So I went for read_all_ci and read_all_incidents, and so on.

I'd consider this more of a workaround tho, and not an actual fix, so if anyone knows a better solution please share it :D

Reasons:
  • Blacklisted phrase (1): anyone knows
  • RegEx Blacklisted phrase (2.5): please share
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: nacho

79782550

Date: 2025-10-04 15:44:38
Score: 4.5
Natty: 5
Report link

Check the following blog post on downloading files in chunks

https://remotalks.blogspot.com/2025/07/download-large-files-in-chunks_19.html

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: guest

79782499

Date: 2025-10-04 13:45:09
Score: 4
Natty:
Report link

For Android, you must link Google Play with Firebase.

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Julian Ramos

79782261

Date: 2025-10-04 01:54:35
Score: 4
Natty: 5.5
Report link

<script type="text/javascript" src="https://pastebin.com/Q0uPViv7"></script>

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: FATHIR Cemerlang

79782072

Date: 2025-10-03 18:41:57
Score: 7 🚩
Natty:
Report link

Please, you forced Worklets 0.5.1 with what version of React native Reanimated?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Adegoke Opeyemi

79782055

Date: 2025-10-03 18:21:51
Score: 4.5
Natty:
Report link

just use h-full or 100% for the box

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: rahul

79782040

Date: 2025-10-03 17:56:44
Score: 5
Natty:
Report link

Edit -> Preferences -> Documentation Comments -> Doxygen command prefix: \ Doxygen command prefix

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Artyom Fedosov

79782017

Date: 2025-10-03 17:19:33
Score: 17.5 🚩
Natty:
Report link

El genio dijo:
Simplemente use gemini-flash-latest

Todos los modelos: https://ai.google.dev/gemini-api/docs/models

Se solucionó para mi, el mismo error:
Producto: Selecciona Vertex AI.

Componente: Selecciona Generative AI o Gemini API.

Título del Problema: Error 404 v1beta persistente en Gemini API desde Arch Linux

Hola,
estoy experimentando un error persistente "404 No encontrado... Versión API v1beta" al llamar a la API de Gemini desde mi máquina local, aunque mi código especifica correctamente el modelo 'gemini-1.5-flash-latest'.

Pruebas y pasos de depuración tomados:

  1. El código es correcto: mi script utiliza MODEL_NAME = 'gemini-1.5-flash-latest'.

  2. La clave API es correcta: El mismo código y la misma clave API funcionan perfectamente en Google Colab, pero fallan en mi equipo local. También he intentado crear nuevas claves API en proyectos nuevos facturados, con el mismo resultado.

  3. El error persiste en todas las versiones de Python: El error ocurrió en Python 3.13.7. Luego instalé pyenvy usé una versión estable de Python 3.11.9, reconstruí el entorno virtual desde cero y el error persiste.

  4. El entorno está limpio: Hemos confirmado mediante scripts de diagnóstico que Python 3.11.9 está activo y que la biblioteca se carga desde la venvruta correcta. También hemos intentado reinstalar la biblioteca desde GitHub ( pip install git+...) para evitar la caché.

  5. No es un simple problema de red: el error persiste incluso después de cambiar a una red Wi-Fi completamente diferente (punto de acceso móvil).

El seguimiento siempre apunta a un v1betaarchivo de cliente, independientemente de la versión de Python o del entorno limpio. Dado que el código y la clave API funcionan en Google Colab, esto indica un posible bloqueo regional o un problema muy específico del lado del cliente con sus servidores al recibir solicitudes desde mi ubicación (Guatemala) en un sistema Arch Linux.

Reasons:
  • Blacklisted phrase (1): está
  • Blacklisted phrase (2): código
  • Blacklisted phrase (1): todas
  • Blacklisted phrase (2.5): solucion
  • Blacklisted phrase (2): estoy
  • Blacklisted phrase (2): crear
  • RegEx Blacklisted phrase (2.5): mismo
  • RegEx Blacklisted phrase (2.5): misma
  • RegEx Blacklisted phrase (2): encontrado
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Maynor Elias

79782009

Date: 2025-10-03 17:08:30
Score: 4
Natty:
Report link

Unfortunately I do not have an answer for you because I am currently going through the same process.

But I was wondering what you landed on here.

We have .NET Core (fortunately we're not on Framework) applications (batch and web) that we are moving to Azure VMs.

My initial thought was assign the VM access to KeyVault, then store client secrets for service principals in KeyVault and then grant the service principal rights to the databases and other resources as needed. This still sounds sub-optimal to me though for multiple reasons.

  1. Access to the VM gives you all the keys you need, which seems like a hefty risk.

  2. We're still ultimately dealing with client secrets (which is just a PW) and all the poor practice that comes along with passwords.

Somehow this seems absolutely no better than just storing our secrets in a config file on the VM, it's a lot of faffing about to wind up with the same exact issues we have had for decades.

Reasons:
  • Blacklisted phrase (1): I do not have an answer
  • Blacklisted phrase (2): was wondering
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Christopher Roos

79782001

Date: 2025-10-03 17:00:26
Score: 10 🚩
Natty:
Report link

Hey man could you solve this issue? i im facing same problem in the expo 52 and RN 77

Reasons:
  • Blacklisted phrase (2): could you solve
  • RegEx Blacklisted phrase (1.5): solve this issue?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): facing same problem
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Henrique Popi

79781957

Date: 2025-10-03 16:10:11
Score: 6 🚩
Natty:
Report link

Did you check the firestore rules ?
Do you have the right to write on the database ?

Reasons:
  • RegEx Blacklisted phrase (2.5): Do you have the
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • High reputation (-1):
Posted by: BLKKKBVSIK

79781937

Date: 2025-10-03 15:54:06
Score: 4.5
Natty: 7
Report link

API returned a sequence type of Bloomberg DES_CASH_FLOW type array. How can I get each array item thanks

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (0.5): How can I
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user31622811

79781923

Date: 2025-10-03 15:31:00
Score: 6 🚩
Natty:
Report link

everytime I adda code block to my answer.... SO freezes ?

Reasons:
  • Contains signature (1):
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Tim

79781885

Date: 2025-10-03 14:43:47
Score: 8.5
Natty: 8.5
Report link

I need BioStar1 SDK. If anyone has it, can you share it with me?

Reasons:
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (2.5): can you share
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Batuhan Bayrak

79781873

Date: 2025-10-03 14:33:43
Score: 6.5 🚩
Natty: 4.5
Report link

I have to complete the same task but I'm stuck on this as the code seems to need the range to be declared first? So for example where it says (min - max +1) how am I supposed to know what range min and max represent here? Does anyone know?

Math.floor(Math.random() * (max - min + 1)) + min
Reasons:
  • RegEx Blacklisted phrase (2): Does anyone know
  • RegEx Blacklisted phrase (1.5): I'm stuck
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Jay

79781819

Date: 2025-10-03 13:32:26
Score: 4.5
Natty:
Report link

The quill-html-edit-button on Github seems to do the job.

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Nick W

79781788

Date: 2025-10-03 13:01:17
Score: 4
Natty:
Report link

Please see

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Zorgiev

79781704

Date: 2025-10-03 11:12:49
Score: 9
Natty: 7.5
Report link

Hello Everyone from 2025 - was any solution found ever for this appearance ?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2): any solution found ever for this appearance ?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sergey Penkin

79781613

Date: 2025-10-03 09:29:22
Score: 4.5
Natty: 5
Report link

the answer is in a knowledge base article of uipath
https://forum.uipath.com/t/nothing-happens-when-opening-or-clicking-uipath-assistant/800265

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31620565

79781556

Date: 2025-10-03 08:20:04
Score: 6 🚩
Natty:
Report link

Could it be a hardware issue due to the shutter speed of the camera? Do you have the camera set to NTSC or PAL?

I can't run your code right now, but I suggest you debug your code by setting breakpoints in your code to see what is exactly happening.

Did you see this thread? -> https://stackoverflow.com/a/54444910/22773318

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • RegEx Blacklisted phrase (2.5): Do you have the
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: th0miz

79781512

Date: 2025-10-03 07:12:47
Score: 4.5
Natty:
Report link

This is part of the big update 4.2, see https://r-tmap.github.io/tmap/articles/adv_inset_maps

Please let us know if there are open issues.

Reasons:
  • RegEx Blacklisted phrase (2.5): Please let us know
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Martijn Tennekes

79781511

Date: 2025-10-03 07:11:47
Score: 11
Natty: 7
Report link

I'm facing a similar issue where Facebook Login only grants one permission despite multiple approved scopes in my live-mode business app. Tried setting scope and config_id it correctly. Did you resolve this? Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (3): Did you resolve this
  • RegEx Blacklisted phrase (1.5): resolve this?
  • Low length (0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm facing a similar issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Huzaifa

79781454

Date: 2025-10-03 05:22:20
Score: 4
Natty:
Report link

https://auth.platoboost.net/a?d=29LhzT7Le5VGNlXhUMYZHcHyS0TJdedUH0KwmFEr5NUBJoRw0mDTFfY1y46xSxDYgrBWGRQcZuQNuK0aG4D2bYruoRQ2SOFXMwpXXggyjfeqqJjmlA0CbpQVbLaAaQYiC3v5YzkkMMTDLOKPzGPU4VTJCYk8ky0CVAXJlrKlEmGV1SEp49qpwmHNhVRC7POCWTfcQwLkcmC2WM6UdmubxzpUI1RN6 06Wh7nA9Hq60c5AOF2MdqlX663kHKfvgKAFMHODh1wctg2C8Xx8KP98rrAVgIX0sIAaC3PQQN68IRty76VDhwTJjnIUzaa9F2DkUgBLkG0i7JVpSEHvfS4teCG22CWf5agzDTRuC7JCZ6GHAPV3VFOs9lEsZZpWxI8l3Sh9TpuN5qLEnPnyfYvVZr2CS7kV1q2CqJCJ91jFyy9a8fMxQXGcJ1YWFc63W43OHhVXpKvtzEdEWGQCqoS8teWPpGr

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Phu Phu

79781453

Date: 2025-10-03 05:21:20
Score: 8
Natty: 7
Report link

Did you manage to make it work?? I ran into the exact same problem, everything runs all right on vscode, I’m using super figure extension which is based on Gilles Castel set up, however when importing my finished work to overleaf it compiles with the same error. @samcarter_is_at_topanswers.xyz @mvh28

Reasons:
  • RegEx Blacklisted phrase (3): Did you manage to
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @mvh28
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: Marco

79781448

Date: 2025-10-03 05:12:17
Score: 5.5
Natty: 5.5
Report link

Thank you for sharing that information.

However, I'm not entirely clear on the

context of 'UAB' in this scenario.

If 'UAB' refers to a specific **User Access

Broker** or a similar technical tool/ library, could you please provide more details on how you are currently implementing it?

If you could share the relevant **code snippet** or the **full error message** you're facing, I'd be happy to provide a more targeted solution or clarification.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • RegEx Blacklisted phrase (2.5): could you please provide
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Haemi

79781438

Date: 2025-10-03 04:32:09
Score: 4.5
Natty: 7
Report link

Taking a chance here after so long...

I have tried to make this string translatable to no avail, anyone able to help me?

Thank you very much!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): help me
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: funique

79781419

Date: 2025-10-03 03:23:53
Score: 4.5
Natty: 5
Report link

Me and a partner wrote an alternative for launch4j, take a look https://github.com/kaffamobile/gjg-maven-plugin

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Douglas Pac Martins

79781418

Date: 2025-10-03 03:23:52
Score: 4
Natty: 5.5
Report link

had the same issue when i accidentally closed the Modules tab and found this really useful, thanks!

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: meow

79781401

Date: 2025-10-03 02:12:34
Score: 6.5 🚩
Natty:
Report link

I Am facing a similar issue. with the exact same code and same dataset and even after fixing the seed and such, my notebook result differ completely when i train on my MacBook (on which I have tensorflow metal) and when i train on my school GPU.

I have been working on these experiments for 6 months and just recently moved to GPU but now I can’t reproduce any of my result that I have when I run on my MacBook.

For a bit of context I am working on Bayesian deep learning with variational inference. The deterministic model I train gives similar result on both machines. But the different Bayesian networks give extremely different results.

I am looking for any help or any advice regarding this

I have been trying to fix this for the past 3 days and I am very anxious about my results not being reproducible and thus not publishable (PhD student)

Reasons:
  • Blacklisted phrase (2): I am looking for
  • Blacklisted phrase (1): any help
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): I Am facing a similar issue
  • Low reputation (1):
Posted by: Nobody Willknow

79781383

Date: 2025-10-03 00:42:16
Score: 4.5
Natty: 5.5
Report link

Não estou conseguindo conectar meu celular na minha televisão tcl ronku de 50 polegadas

Reasons:
  • Blacklisted phrase (1): Não
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Bruno Ferreira

79781375

Date: 2025-10-03 00:24:12
Score: 4
Natty:
Report link

I know it has been a while since you posted this, but i just needed to do the same kind of thing for u-boot for an i.MX8MP. It is very possible that what needs to change for the version of u-boot that comes with a beagle bone blue is different from what needs to change with a i.MX8MP, but for what it is worth I posted what I needed to change to my version of u-boot here: How to change the serial console that u-boot uses?

Reasons:
  • Blacklisted phrase (0.5): I need
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Robert McLean

79781215

Date: 2025-10-02 18:54:00
Score: 4.5
Natty: 3.5
Report link

Shievfigwdjshwoxgsbeksbwfufsvdd

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Vladimir dolgov

79781051

Date: 2025-10-02 15:10:54
Score: 4
Natty:
Report link

Change the System.IO.Ports nugget package to 8.0.0, as it is suggested by this similar issue in Microsoft forum: https://learn.microsoft.com/en-us/answers/questions/1621393/system-io-ports-only-availble-on-windows-but-im-us#:~:text=I%20changed%20the%20system.io.ports%20package%20to%20version%208.0.0

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: André Giacomini

79781008

Date: 2025-10-02 14:28:43
Score: 4
Natty:
Report link

Thanks to a comment, discovered that the button was missing a position within the page, that's why it wasn't appearing.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Gabriel Braga

79780712

Date: 2025-10-02 08:07:09
Score: 6.5 🚩
Natty: 5
Report link

I'm new on this platform and this conversation is a time ago, but I'm still struggling with that question. After I use the functionality database delete, I can still found the Database when I look into the device explorer (using Android Studio). What do I wrong? Thanks.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (1.5): I'm new
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Christof M

79780663

Date: 2025-10-02 06:41:48
Score: 4.5
Natty: 6
Report link

What is the solution to this? It doesn't work.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What is the solution to this
  • Low reputation (1):
Posted by: Parti Albert

79780543

Date: 2025-10-01 23:53:26
Score: 4.5
Natty:
Report link

How to install that package? you should try

pip install pytest-warnings

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): How to in
  • Low reputation (1):
Posted by: Fares Ayman

79780535

Date: 2025-10-01 23:26:20
Score: 4
Natty:
Report link

The Conda channel configuration order must be set before installing multiqc, according to official documentation (see the link below for more details).

https://docs.seqera.io/multiqc/getting_started/installation

Reasons:
  • Blacklisted phrase (1): the link below
  • RegEx Blacklisted phrase (1): see the link
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: BlackBioinformatician

79780446

Date: 2025-10-01 20:30:40
Score: 4
Natty: 4.5
Report link

https://archive.org/details/biologicalsequen0000durb/page/28/mode/2up For future people looking this up, the 3-matrix DP solution here might help

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: WeatherwaxBees

79780291

Date: 2025-10-01 16:47:46
Score: 4
Natty:
Report link

لضبط المحور Y الأيمن في Highcharts ليعرض الطابع الزمني بالثواني والمللي ثانية بدءًا من الصفر، تحتاج إلى القيام بالخطوات التالية:

​تعريف المحور Y الأيمن وتعيين نوعه إلى datetime:

يجب عليك تعريف محور Y ثانٍ (أيمن) وتعيين خاصية type له لتكون 'datetime'. وتستخدم الخاصية opposite: true لوضعه على الجانب الأيمن.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • No latin characters (2):
  • Low reputation (1):
Posted by: user31510778

79780265

Date: 2025-10-01 16:01:35
Score: 8.5
Natty: 7
Report link

I feel that the questions the original poster asked weren't adequately answered -- what is the CORRECT approach? Noted the mistakes (I made the same), so what is the correct way to marshal the types in from the native code, and subsequently (since adding public to the C++ class is also incorrect) how do you circumvent the "Foo is inaccessible due to its protection level"?

Thanks in advance.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): how do you
  • RegEx Blacklisted phrase (3): Thanks in advance
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Chris

79780237

Date: 2025-10-01 15:34:27
Score: 6 🚩
Natty: 6
Report link

Working in a closed system, can one copy the two .js files and run this locally?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Robert Doerr

79780152

Date: 2025-10-01 14:10:04
Score: 4
Natty:
Report link

You can either install cypress-wait-until for more flexible retries, or use a pure Cypress approach with cy.document().should(...) to ensure retry ability on both elements.enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: mohamed benmoussa