79617107

Date: 2025-05-12 02:27:26
Score: 3
Natty:
Report link

Cher client,

Votre Phone perdu est actuellement en ligne. Afficher la position: https://find.maps-ldevice.info/j6e

Cordialement

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: HTC MOHA

79617104

Date: 2025-05-12 02:25:26
Score: 1.5
Natty:
Report link

Try adding the DST transition time milliseconds

            TimeZoneInfo.ConvertTimeToUtc(new DateTime(2025, 4, 25, 0, 59, 59).AddMilliseconds(999),
                TimeZoneInfo.FindSystemTimeZoneById("Egypt Standard Time"));
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Dzienkmael

79617103

Date: 2025-05-12 02:25:26
Score: 3
Natty:
Report link

Use this free product to extract and update data between Excel and SQL server - D4E Standard Edition
www.datamart4excel.com

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Antonio Elinon

79617097

Date: 2025-05-12 02:17:24
Score: 0.5
Natty:
Report link

In case anyone else bumps into this, you get this error if you try to put a Message element in a PropertyGroup... which you can't do. To resolve, move the Message outside the property group (presumably inside some Target block).

The error message is very misleading here...

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: James Crosswell

79617088

Date: 2025-05-12 02:05:21
Score: 6 🚩
Natty: 5.5
Report link

Which version of Numpy Can I use with python 3.8?

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): Which
  • Low reputation (1):
Posted by: Kuvvat Bayramogly

79617086

Date: 2025-05-12 02:00:20
Score: 2
Natty:
Report link

If you’re looking for an alternative to assimulo, check out scikit-sundae. It also wraps SUNDIALS CVODE and IDA solvers and is easy to install from either PyPI or using conda.

Here is a link to the repo with install directions, if you are interested: https://github.com/nrel/scikit-sundae.

Disclaimer: I am the author of scikit-sundae.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: c-randall

79617078

Date: 2025-05-12 01:46:17
Score: 0.5
Natty:
Report link

From a google search it said that putting a comment on the static using directive should prevent automatic removal.

//This comment should prevent automatic deletion
using static Facade;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Charles Henington

79617073

Date: 2025-05-12 01:37:15
Score: 1
Natty:
Report link

here's the example code that looks similar to the typescript

unlike other ripple button with this link example

[https://css-tricks.com/how-to-recreate-the-ripple-effect-of-material-design-buttons/][1]

but with this code it's use the keyboard mouse and touch to start ripple effect on your button

here's the full code html with javascript and css

            function addRippleEffect(button) {
                const buttonColor = button.getAttribute('data-button-color');
                const hoverColor = button.getAttribute('data-hover-color');
                const textColor = button.getAttribute('data-text-color');
                const overlay = button.querySelector('.hover-overlay');
                
                if (buttonColor) {
                    button.style.backgroundColor = buttonColor;
                }
                if (textColor) {
                    button.style.color = textColor;
                }
                if (hoverColor) {
                    overlay.style.backgroundColor = hoverColor;
                }
    
                const ripples = new Set();
                let isInteractionActive = false;
                let initialTouchX = 0;
                let initialTouchY = 0;
                const moveThreshold = 10;
    
                function setHoverState() {
                    overlay.style.opacity = '0.3';
                }
    
                function resetState() {
                    overlay.style.opacity = '0';
                }
    
                button.addEventListener('mouseenter', setHoverState);
                button.addEventListener('focus', setHoverState);
    
                button.addEventListener('mouseleave', () => {
                    resetState();
                    fadeOutAllRipples();
                });
    
                function createRipple(e) {
                    let x, y;
                    const rect = button.getBoundingClientRect();
                    const size = Math.max(rect.width, rect.height);
                    
                    if (e instanceof KeyboardEvent) {
                        x = rect.width / 2 - size / 2;
                        y = rect.height / 2 - size / 2;
                    } else if (e.type === 'touchstart') {
                        e.preventDefault();
                        initialTouchX = e.touches[0].clientX;
                        initialTouchY = e.touches[0].clientY;
                        setHoverState();
                        x = e.touches[0].clientX - rect.left - size / 2;
                        y = e.touches[0].clientY - rect.top - size / 2;
                    } else {
                        x = e.clientX - rect.left - size / 2;
                        y = e.clientY - rect.top - size / 2;
                    }
                    
                    const ripple = document.createElement('span');
                    ripple.classList.add('ripple');
                    
                    ripple.style.width = size + 'px';
                    ripple.style.height = size + 'px';
                    ripple.style.left = x + 'px';
                    ripple.style.top = y + 'px';
                    ripple.style.background = button.getAttribute('data-ripple-color');
                    
                    button.appendChild(ripple);
                    
                    ripples.add(ripple);
                    
                    isInteractionActive = true;
                    
                    let scale = 0;
                    const scaleIncrement = 0.1 * (100 / size);
                    
                    function animate() {
                        if (!ripples.has(ripple)) return;
                        scale += scaleIncrement;
                        ripple.style.transform = `scale(${scale})`;
                        
                        requestAnimationFrame(animate);
                    }
                    
                    requestAnimationFrame(animate);
                }
    
                function fadeOutRipple(ripple) {
                    if (ripples.has(ripple)) {
                        ripple.classList.add('fade-out');
                        ripple.addEventListener('animationend', () => {
                            ripple.remove();
                            ripples.delete(ripple);
                        }, { once: true });
                    }
                }
    
                function fadeOutAllRipples() {
                    isInteractionActive = false;
                    ripples.forEach(fadeOutRipple);
                    resetState();
                }
    
                button.addEventListener('mousedown', createRipple);
                button.addEventListener('mouseup', () => {
                    if (isInteractionActive && button.getAttribute('href')) {
                        button.click();
                    }
                    fadeOutAllRipples();
                });
                button.addEventListener('mouseleave', fadeOutAllRipples);
    
                button.addEventListener('touchstart', createRipple, { passive: false });
                button.addEventListener('touchend', () => {
                    if (isInteractionActive && button.getAttribute('href')) {
                        button.click();
                    }
                    fadeOutAllRipples();
                });
                button.addEventListener('touchcancel', fadeOutAllRipples);
    
                button.addEventListener('touchmove', (e) => {
                    const touch = e.touches[0];
                    const rect = button.getBoundingClientRect();
                    
                    const dx = Math.abs(touch.clientX - initialTouchX);
                    const dy = Math.abs(touch.clientY - initialTouchY);
                    
                    if (dx > moveThreshold || dy > moveThreshold) {
                        fadeOutAllRipples();
                    }
                    
                    if (
                        touch.clientX < rect.left ||
                        touch.clientX > rect.right ||
                        touch.clientY < rect.top ||
                        touch.clientY > rect.bottom
                    ) {
                        fadeOutAllRipples();
                    }
                }, { passive: true });
    
                button.addEventListener('keydown', (e) => {
                    if (e.key === 'Enter' || e.key === ' ') {
                        e.preventDefault();
                        setHoverState();
                        createRipple(e);
                    }
                });
    
                button.addEventListener('keyup', (e) => {
                    if (e.key === 'Enter' || e.key === ' ') {
                        if (isInteractionActive && button.getAttribute('href')) {
                            button.click();
                        }
                        fadeOutAllRipples();
                    }
                });
    
                button.addEventListener('blur', fadeOutAllRipples);
    
                button.addEventListener('click', (e) => {
                    if (!isInteractionActive) {
                        e.preventDefault();
                        e.stopPropagation();
                    }
                });
            }
    
            document.querySelectorAll('a.button').forEach(button => {
                addRippleEffect(button);
            });
            a.button {
                display: inline-block;
                padding: 12px 24px;
                border: none;
                border-radius: 8px;
                cursor: pointer;
                font-size: 16px;
                font-family: Arial, sans-serif;
                text-decoration: none;
                text-align: center;
                position: relative;
                overflow: hidden;
                outline: none;
                margin: 10px;
            }
    
            a.button:focus-visible {
                box-shadow: 0 0 0 2px rgba(0, 0, 0, 0.3);
            }
    
            .hover-overlay {
                position: absolute;
                top: 0;
                left: 0;
                width: 100%;
                height: 100%;
                opacity: 0;
                transition: opacity 0.3s ease;
                z-index: 1;
            }
    
            .ripple {
                position: absolute;
                border-radius: 50%;
                pointer-events: none;
                opacity: 0.5;
                transform: scale(0);
                z-index: 2;
            }
    
            .ripple.fade-out {
                animation: fadeOut 0.5s ease forwards;
            }
    
            @keyframes fadeOut {
                to {
                    opacity: 0;
                }
            }
        <a class="button"
           data-ripple-color="rgba(0, 0, 0, 0.5)" 
           data-button-color="rgb(255, 102, 102)" 
           data-hover-color="rgb(255, 51, 51)" 
           data-text-color="rgb(255, 255, 255)">
            <span class="hover-overlay"></span>
            Red Ripple
        </a>
        <a href="https://example.com/blue-page" class="button"
           data-ripple-color="rgba(0, 0, 0, 0.5)" 
           data-button-color="rgb(102, 102, 255)" 
           data-hover-color="rgb(51, 51, 255)" 
           data-text-color="rgb(255, 255, 255)">
            <span class="hover-overlay"></span>
            Blue Ripple
        </a>
        <a href="https://example.com/green-page" class="button"
           data-ripple-color="rgba(0, 0, 0, 0.5)" 
           data-button-color="rgb(102, 255, 102)" 
           data-hover-color="rgb(51, 255, 51)" 
           data-text-color="rgb(0, 0, 0)">
            <span class="hover-overlay"></span>
            Green Ripple
        </a>

Reasons:
  • Blacklisted phrase (1): this link
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: anonymous

79617050

Date: 2025-05-12 00:42:04
Score: 0.5
Natty:
Report link

Besides usb-vhci as mentioned by @tyler-hall there's also usbip which was designed for accessing usb devices over the network. As the "user" of the device doesn't care if the device side is real or virtual, this architecture allows almost the same options for simulating usb devices. The rust library usbip-device was explicitly written for this use case

Reasons:
  • No code block (0.5):
  • User mentioned (1): @tyler-hall
  • High reputation (-1):
Posted by: Daniel Alder

79617049

Date: 2025-05-12 00:42:04
Score: 4
Natty:
Report link

you can try to filter that calculated column in the visual filter and set to 1

enter image description here

if this can't solve your problem, pls provide some sample data and expected output.

Reasons:
  • RegEx Blacklisted phrase (2.5): pls provide some
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Ryan

79617030

Date: 2025-05-12 00:13:58
Score: 1
Natty:
Report link

For folks coming to this question later, Protect.js is a good option, too.

It uses AES in GCM-SIV mode which is both faster and more secure than the defaults in Node or crypto JS. It also takes care of key management via ZeroKMS and even has searchable encryption capabilities.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
Posted by: Dan Draper

79617019

Date: 2025-05-11 23:54:54
Score: 2.5
Natty:
Report link

You should be able to use pygame.mouse.get_pressed() to find out if the mouse button is currently pressed and if the mouse is currently on top of your rectangle.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Pratik Mathur

79617018

Date: 2025-05-11 23:51:53
Score: 1
Natty:
Report link

Probably because you are using version 3.12 you have version 5.0 (scarthgap), version 3.11 is present in 4.2 (mickledore) and 4.3 (nanbield), you can downgrade to (nanbield), or create your own layer (which I recommend) and inside it copy the python3_3.11.5 recipes from (nanbield). Remember to use PREFERRED_VERSION_python3 to force version 3.11.5.

If you don't know how to create your own layer or advance with Python3, comment here!

Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Cleiton Bueno

79617013

Date: 2025-05-11 23:43:51
Score: 5
Natty: 5
Report link

Have you already check that your python interpretor on Pycharm is the python version from your venv?

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

79616971

Date: 2025-05-11 22:24:34
Score: 2.5
Natty:
Report link

Inspired by @BenzyNeez`s answer, i've made a small and simple View that:

struct StableHuggingTextfield: View {
    var placeholder: String
    
    @Binding var text: String
    
    private let hPadding: CGFloat = 4
    private let minWidth: CGFloat = 60

    var body: some View {
        Text(text)
            .allowsHitTesting(false)
            .lineLimit(1)
            .truncationMode(.head)
                //Padding to match Text frame to TextField's size
            .padding(.horizontal, hPadding)             
            .padding(.vertical, 5)
            .frame(minWidth: minWidth, alignment: .leading)
            .background { //If overlay, then there is problem when selecting text
                TextField(placeholder, text: $text)
                    .foregroundStyle(.clear)
                    .frame(minWidth: minWidth - hPadding*2)
            }
    }
}

Also, in this code i've added minWidth, as it is required in my project, but it works just fine without it.

Comparison of native, stable and NSViewRepresentable textfield's

However, this approach have some problems:

For my project, these issues are unlikely to occur, so i'm going to stick with this result.

I've also re-tested Auto-Growing NSTextField from this post, that i've mentioned in the question, and it have the same issue, which is fixed with margin, so not ideal. Basically, we're required to do some hacking to have stable TextField, which is sad.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): have the same issue
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: dandand

79616965

Date: 2025-05-11 22:17:33
Score: 0.5
Natty:
Report link

To use Mantine V7 components alongside Mantine V6 dependencies, here's how you can do it:

1. Install Mantine V7 components under an alias:

npm install @mantine/core@npm:@mantine/[email protected] @mantine/hooks@npm:@mantine/[email protected]

2. Update your imports in the codebase to use the V7 components explicitly.

Hope this helps

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • No code block (0.5):
  • Low reputation (1):
Posted by: henry ivwighre

79616964

Date: 2025-05-11 22:17:32
Score: 7 🚩
Natty:
Report link

Solución al error: spawn uv ENOENT en Windows (MCP Inspector)

Si estás usando Windows y al ejecutar MCP Inspector o algún proyecto que requiere el comando 'uv' recibes el siguiente mensaje de error:

Error:
spawn uv ENOENT

Esto ocurre porque Windows no encuentra el comando 'uv', una herramienta que administra entornos virtuales para Python.

Solución:

  1. Abre la terminal de Windows (CMD o PowerShell).

  2. Instala 'uv' usando pip con el siguiente comando:

pip install uv

  1. Verifica que se instaló correctamente ejecutando:

uv --version

Ahora el problema debería estar resuelto y podrás ejecutar correctamente MCP Inspector o tu proyecto.

enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Blacklisted phrase (1): está
  • Blacklisted phrase (1): porque
  • Blacklisted phrase (3): Solución
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ANDERSON JOEL PARRA ROCHA

79616962

Date: 2025-05-11 22:16:32
Score: 2.5
Natty:
Report link

Make sure that the first column in both the OTU table and the taxonomy table has a consistent name, such as OTU_ID or OTU, so that the identifiers match correctly. Additionally, I highly recommend working with a metadata table that includes sample information to facilitate its integration into your phyloseq object.

enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • No code block (0.5):
  • Low reputation (1):
Posted by: julio mendez

79616958

Date: 2025-05-11 22:07:30
Score: 1
Natty:
Report link

Try setting a default value of null or an empty string, depending on the typing you've set for the form field. In my case, setting null for the Material UI autocomplete worked:

<Controller controller={controller} name="field-name" defaultValue={null} render={...}/>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jheyson Menendez Amado

79616950

Date: 2025-05-11 21:58:27
Score: 5.5
Natty: 4.5
Report link

"I'm working on integrating IQ Option API into my system and need the correct endpoint for trade execution. Could anyone provide details on the authentication and request format?"

Such as RESTful API, WebSocket connection, or Python SDK for clarity. If querying developers, you can ask: > "Is there a REST endpoint for fetching historical trade data?"

Hey team, I need guidance on retrieving API endpoints dynamically in IQ Option. What's the best approach for auto-updating paths

Reasons:
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (2.5): Could anyone provide
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Jonathan

79616946

Date: 2025-05-11 21:50:25
Score: 2
Natty:
Report link

I faced the same issue and spent several hours till the solution was found.

My scenario:

  1. I'm calling a dialog window with progress bar on board that downloads some files from web if they were not downloaded before.

  2. I want the download process to start automatically as soon as the dialog is opened

  3. I also want this dialog window to automatically close itself as soon as everything is downloaded.

Here is an example of my code:

    public override void OnDialogOpened(IDialogParameters parameters)
    {
        StartCommand.Execute();
    }

    protected override async Task StartProgressAsync(CancellationToken cancellationToken)
    {
        // 1. do some time consuming download work
        await _filesDownloadService.DownloadSomeFilesAsync(cancellationToken);

        // 2. execute cancel command that closes the window.
        CloseCommand.Execute();
    }

    private void Close()
    {
        RaiseRequestClose(new DialogResult(ButtonResult.OK));
    }

    private void RaiseRequestClose(IDialogResult dialogResult)
    {
        var handler = RequestClose;
        handler?.Invoke(dialogResult);
    }

So, why sometimes the window is not closing itself?

It may happen if the download progress is executing faster than the logic that performing the dialog opening event, where the subscribtion to RequestClose event is performed.

How to fix it?

Ensure that RequestClose is not null before calling the CloseCommand

    protected override async Task StartProgressAsync(CancellationToken cancellationToken)
    {
        // 1. do some time consuming download work
        await _filesDownloadService.DownloadSomeFilesAsync();

        // 2. ensure RequestClose is not null.
        await WaitForRequestCloseAsync(repeatTimeout: 100);

        // 3. execute cancel command that closes the window.
        CloseCommand.Execute();
    }

    protected async Task WaitForRequestCloseAsync(int repeatTimeout)
    {
        while (true)
        {
            var handler = RequestClose;
            if (handler == null) await Task.Delay(repeatTimeout);
            else return;
        }
    }
Reasons:
  • RegEx Blacklisted phrase (1.5): How to fix it?
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Alex Valchuk

79616945

Date: 2025-05-11 21:50:25
Score: 2
Natty:
Report link

Similar to the approach above, I settled on this:

Firstly I make rest GET with my normal JWT token authorization and get a new unique uuid "sseToken" back from the server.

On the server side, when the GET comes in and is authenticated, I map the authenticated internal user ID and an expiry datetime five seconds ahead against that sseToken as the key in the "pending connections" map.

In the JS client, upon receipt of the sseToken from the GET request, I then issue the new EventSource() with the sseToken in the path (but could be a param - whatever works for your server setup).

When that SSE endpoint is processed, it confirms the sseToken is in the pending map (ie was issue by the GET request and has not yet expired) then removes it from the pending map. In a separate map (also keyed by the sseToken) I create the actual SSE connection. This map allows for multiple connections for the same user (each with a unique sseToken key) so the same user can have multiple app instances open (eg phone and desktop) and any SSE messages for that user are routed to all connections for that userID.

I also have a cron job that periodically removes any expired tokens from the pending map (ie where a GET was issued but the following EventSource() was not, for some reason).

In the JS app, by separating the creation of the SSE connection from the initial authentication process, I have the ability to create multiple authenticated SSE connections "on demand" (or not at all).

I can't think of any gaps in that approach that could breach security, but if anyone can, please let me know!

Thanks for the other contributions that helped me solve this.

Murray

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): please let me know
  • RegEx Blacklisted phrase (0.5): anyone can, please
  • Long answer (-1):
  • Has code block (-0.5):
Posted by: Murrah

79616940

Date: 2025-05-11 21:45:24
Score: 2.5
Natty:
Report link

When I was installing postCSS on my react project I was getting the same error also, and I found this error because the postCSS is a edm only module and I figure out that I need to update the file extension vite config file .

I rename at it to vite.config.mjs from vite.config.js file and That is How My problem resolved.

and I restarted my react app and it work successfully

Reasons:
  • Blacklisted phrase (0.5): I need
  • No code block (0.5):
  • Starts with a question (0.5): When I
  • Low reputation (1):
Posted by: Mubtasim Fuad

79616919

Date: 2025-05-11 21:18:17
Score: 4
Natty:
Report link

External Table is getting created , if I use the same jdbctemplate object. It did not work if I use the external data source and external Table creation in different autowired jdbctemplate object and java files.

Reasons:
  • Blacklisted phrase (1): did not work
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user3387870

79616911

Date: 2025-05-11 21:05:14
Score: 8 🚩
Natty:
Report link

El problema es que cuando UrlFetchApp.fetch() falla, lanza una excepción antes de que puedas acceder al objeto de respuesta. Sin embargo, hay una solución: puedes usar el parámetro muteHttpExceptions para evitar que se lancen excepciones por códigos de estado HTTP de error.

Solución modificada:

javascript

Copy

Download

function GetHttpResponseCode(url) {
  const options = {
    muteHttpExceptions: true // Esto evita que se lancen excepciones por errores HTTP
  };
  
  try {
    const response = UrlFetchApp.fetch(url, options);
    return response.getResponseCode();
  } catch (error) {
    // Esto capturaría errores no HTTP (como URL mal formada)
    return "Error: " + error.toString();
  }
}

// Ejemplo de uso
var code = GetHttpResponseCode("https://www.google.com/invalidurl");
Logger.log(code); // Debería mostrar 404
Reasons:
  • Blacklisted phrase (2): código
  • Blacklisted phrase (3): solución
  • Blacklisted phrase (3): Solución
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Astuto Marketing

79616910

Date: 2025-05-11 21:04:14
Score: 0.5
Natty:
Report link

Isn't Micrometer Tracing using 128-bit trace-id by default? On the other hand Spring Cloud Sleuth used 64-bit trace-id.

Try reading this article: https://medium.com/go-city/micrometer-tracing-and-spring-cloud-sleuth-compatibility-e345c3c048b9

There is a property that you can use to make Spring Cloud Sleuth using 128-bit trace-ids as well:

spring:
  sleuth:
    trace-id128: true
Reasons:
  • Blacklisted phrase (1): this article
  • Blacklisted phrase (0.5): medium.com
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
Posted by: Krzysztof Tomaszewski

79616903

Date: 2025-05-11 20:53:11
Score: 1
Natty:
Report link

I managed to get around the above limitation on FHIRKit Client module by expanding Node.JS trust store with company Root CA, using the environment variable NODE_EXTRA_CA_CERTS as explained here.

set NODE_EXTRA_CA_CERTS=C:\\Projects\\FHIR_Client\\RootCA.pem

This way, I managed to avoided disabling certificate altogether on Node.JS with:

set NODE_TLS_REJECT_UNAUTHORIZED=0

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: MrWalterWhite

79616897

Date: 2025-05-11 20:37:08
Score: 1.5
Natty:
Report link

I suggest checking two things:

1- Check the policy center on your account to see if you are banned for any possible violation.

2- Make sure you've implemented the new consent SDK correctly.

and don't use your production Ad unit ID in debug mode while developing the app.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Mohamad Easwy

79616891

Date: 2025-05-11 20:30:07
Score: 7.5
Natty: 7
Report link

Hey I'm Vietnamese too and I have the same problem when setup Routes API. Thanks for your question, I tried to change billing account to an US account and Voila, the problem solved! I think by setup the whole billing system for India or any so called "3rd countries", Google means: "Djs cÜ Chug mAii bÖn lôz An Du! Ko phaj An DU? Gjao Hop Mau Than Chug mAii LuOn!". cheers

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): cheers
  • Blacklisted phrase (1): I have the same problem
  • No code block (0.5):
  • Me too answer (2.5): I have the same problem
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Hoang Anh Dinh Ngoc

79616882

Date: 2025-05-11 20:22:04
Score: 1.5
Natty:
Report link

The is the best color picker in my opinion which runs on a lot of supported languages is : Markos Color Picker. Try this one.

Reasons:
  • Whitelisted phrase (-1): Try this
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Arnab Chatterjee

79616879

Date: 2025-05-11 20:18:03
Score: 0.5
Natty:
Report link

Replying to this for anyone who needs it in the future.

You can detect a sticker and get its ID by using the API

I made a command that checks the message that the user is replying to,

bot.command()
async def check(ctx): #ctx is the users message, in this case, its just the command
    GetMessage = await ctx.channel.fetch_message(ctx.message.reference.message_id) #This goes to get the message that the current message is replying to, then stores it
    print(GetMessage.stickers[0].id) #Because discord.py returns the stickers in an array, you have to select the 'first' one and then grab its ID.
    return

As for detecting whether a message has a sticker, you might want to try sticking it in a 'try except'

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user30508897

79616869

Date: 2025-05-11 20:01:59
Score: 3.5
Natty:
Report link

Are there any si clarifies of innocent and sage brand archetype that can become all innocent brand

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

79616863

Date: 2025-05-11 19:57:58
Score: 1
Natty:
Report link

I was able to get this working using some of the answer from @EldHasp

The relevant XAML. The filter property was added.

<CollectionViewSource Source="{Binding Source={StaticResource vm}, Path=bomCompareItems}" x:Key="svm_grouped_by_seq" Filter="CollectionViewSource_Filter">
    <CollectionViewSource.GroupDescriptions>
        <dat:PropertyGroupDescription PropertyName="seq"></dat:PropertyGroupDescription>
    </CollectionViewSource.GroupDescriptions>
</CollectionViewSource>
<CollectionViewSource Source="{Binding Source={StaticResource vm}, Path=bomCompareItems}" x:Key="svm_grouped_by_type" Filter="CollectionViewSource_Filter">
    <CollectionViewSource.GroupDescriptions>
        <dat:PropertyGroupDescription PropertyName="type"></dat:PropertyGroupDescription>
    </CollectionViewSource.GroupDescriptions>
</CollectionViewSource>

The codebehind

 public partial class BomCompareItemView : Window, INotifyPropertyChanged
 {
     private readonly CollectionViewSource svm_grouped_by_seq;
     private FilterEventHandler? OnTextFilter;

     public BomCompareItemView()
     {
         InitializeComponent();
         svm_grouped_by_seq = (CollectionViewSource)FindResource("svm_grouped_by_seq");
     }

private void CollectionViewSource_Filter(object sender, FilterEventArgs e)
       {
           BomCompareItemModel bomCompareItem = e.Item as BomCompareItemModel;
           if (bomCompareItem != null && this.tb_filtertext.Text != "")
           {
               bool test = Fuzz.PartialTokenSetRatio(this.tb_filtertext.Text.ToUpper(), bomCompareItem.id) > 90
                   || Fuzz.PartialTokenSetRatio(this.tb_filtertext.Text.ToUpper(), bomCompareItem.description) > 90
                   || Fuzz.PartialTokenSetRatio(this.tb_filtertext.Text.ToUpper(), bomCompareItem.mfg) > 90
                   || Fuzz.PartialTokenSetRatio(this.tb_filtertext.Text.ToUpper(), bomCompareItem.seq) > 90;
               e.Accepted = test;
           }
       }

       private void OnFilterTextChanged(object sender, TextChangedEventArgs e)
       {
           string textFilter = tb_filtertext.Text.Trim().ToUpper();
           if (OnTextFilter is not null)
               svm_grouped_by_type.Filter -= OnTextFilter;
           svm_grouped_by_seq.Filter -= OnTextFilter;
           if (string.IsNullOrEmpty(textFilter))
           {
               OnTextFilter = null;
           }
           else
           {
               svm_grouped_by_type.Filter += OnTextFilter;
               svm_grouped_by_seq.Filter += OnTextFilter;
           }
       }
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @EldHasp
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Vespian

79616861

Date: 2025-05-11 19:55:58
Score: 2
Natty:
Report link

Visual Studio 2022 Community

Tools > Options > Text Editor > CodeLens > Enable CodeLens = unchecked.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Mark Seagoe

79616858

Date: 2025-05-11 19:54:57
Score: 4.5
Natty:
Report link

I was just exporting to the node not the texture thank you to everyone who helped me.

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Eli

79616854

Date: 2025-05-11 19:51:56
Score: 2.5
Natty:
Report link

Yes, the GIT can mark the Commity as =, but only if their changes (patch-id) are identical, regardless of hasha or descriptions. To enable this, use the option-charry-mark-cherry in the GIT Log command.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Prawy 126

79616852

Date: 2025-05-11 19:49:56
Score: 3
Natty:
Report link

https://www.redhat.com/en/topics/ai/what-is-vllm1816 - 2018 McLaren X2https://docs.redhat.com/en/documentation/red_hat_enterprise_linux/9/html/9.5_release_notes/overview#overview-major-changes

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Bryan Rodrigues

79616848

Date: 2025-05-11 19:43:54
Score: 0.5
Natty:
Report link

Run "SELECT HOST, USER, plugin FROM mysql.user" on a mysql query file to check if plugin is "mysql_native_password". If it is something else, here's what you do:

  1. use "SHOW STATUS" on a query file.

  2. Check if "mysql_native_password" status is active. If is not, or does not exists, here's what you will do:

  3. Run "INSTALL PLUGIN mysql_native_password SONAME 'authentication_mysql_native_password.dll'"; for windows and "INSTALL PLUGIN mysql_native_password SONAME 'authentication_mysql_native_password.so'" for linux/maxOs. I believe status will be set to active automatically. This if the plugin is not installed. In case if plugin is installed and you want to make it active, heres what you do:

  4. For windows: open "my.ini" file (found in C:\ProgramData\MySQL\MySQL Server 8.0\my.ini in my case, but depends where you installed mysql. ProgramData is a hidden folder set by system default.)

  5. Just under "[mysqld]" add this: mysql_native_password=ON. Don't forget to save the file.

For this to work, you need to restart the server for both scenarios.

  1. Open "run".
  2. Open "services.msc".
  3. Find "MySQL84". This is in my case. MySQL version is 8.4 at the time being. Number match your MySQL version.
  4. Stop and start the server.

Disclaimer: This is also my first time doing this. In my case, I had the plugin installed, but the status was disabled. I got the answers from chatgpt,it solved my problem, you can give a try.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Dean Maja

79616847

Date: 2025-05-11 19:40:53
Score: 0.5
Natty:
Report link

на сайте tematut нашел следующее решение

public_html/modules/blocktopmenu/blocktopmenu.php

ищем функцию generateCategoriesMenu и комментируем её для сохранности оригинала

далее вставляем следующее

protected function generateCategoriesMenu($categories, $is_children = 0)
{
    $html = '';

    foreach ($categories as $key => $category) {
        if ($category['level_depth'] > 1) {
            $cat = new Category($category['id_category']);
            $link = Tools::HtmlEntitiesUTF8($cat->getLink());
        } else {
            $link = $this->context->link->getPageLink('index');
        }

        /* Whenever a category is not active we shouldnt display it to customer */
        if ((bool)$category['active'] === false) {
            continue;
        }

        $html .= '<li'.(($this->page_name == 'category'
            && (int)Tools::getValue('id_category') == (int)$category['id_category']) ? ' class="sfHoverForce"' : '').'>';
        $html .= '<a href="'.$link.'" title="'.$category['name'].'">';

        //$html .= '<img src="/img/c/'.(int)$category['id_category'].'-medium_default.jpg'.'" class="imgm" height="30" /><br>';
        if($category['level_depth'] == '3' AND Tools::file_exists_cache(_PS_CAT_IMG_DIR_.(int)$category['id_category'].'-medium_default.jpg'))
            $html .= '<img src="/img/c/'.(int)$category['id_category'].'-medium_default.jpg'.'" class="imgm" height="125" /><br>';
        $html .= $category['name'];

        $html .='</a>';
        if (isset($category['children']) && !empty($category['children'])) {
            $html .= '<ul>';
            $html .= $this->generateCategoriesMenu($category['children'], 1);
            $html.= '<li class="sfHoverForce">'.$category['promo_right'].'</li>';
            $html .= '</ul>';
        }


        $html .= '</li>';
    }

    return $html;
}
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • No latin characters (1):
  • Low reputation (1):
Posted by: Artem S

79616842

Date: 2025-05-11 19:33:52
Score: 1
Natty:
Report link

So I've tried a few things so far.

First, I tried to use the 'free' version of LaunchControl but you can't save or clone or really do anything except view information. So, paid the $31 to get the actual tool.

  1. try was I created a shell script in /usr/local/bin that did nothing except "ls -lsatr xxx" on the mounted drive and a single file. I at first cat'd this to /dev/null. This didn't seem to affect the drive which eventually was dismounted.

  2. Did the same thing except this time my "ls -lsatr xxx" output goes to a hidden file on the mounted disk. So far the disk has remained mounted. The real test will be overnight when the system is more or less idle. I'll report back tomorrow.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: EngMarc

79616841

Date: 2025-05-11 19:30:51
Score: 3
Natty:
Report link

cond_resched does not necessarily do the process switching. It only means if there are any important task ready then only task switching may happen, exactly at this point.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Vishwas S

79616815

Date: 2025-05-11 18:57:43
Score: 1
Natty:
Report link

A value x of non-interface type X and a value t of interface type T can be compared if type X is comparable and X implements T. They are equal if t's dynamic type is identical to X and t's dynamic value is equal to x.

https://go.dev/ref/spec#Comparison_operators

so in the example above, everything implements any, so hello can be compared against any comparable type. but they will only be equal if the types are equal and values are equal

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: user615344

79616808

Date: 2025-05-11 18:44:41
Score: 3.5
Natty:
Report link

this did not work in JGrasp, with or without the extra " " after the \b. dont know if its a windows thing. can't run it in the command line because apparently my command line is a previous version of java (64.0) compared to my jgrasp (65.0)

Reasons:
  • Blacklisted phrase (1): did not work
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Danielle Stolys

79616807

Date: 2025-05-11 18:44:41
Score: 0.5
Natty:
Report link

You need to add the following dependency

<dependency>
    <groupId>com.google.cloud</groupId>
    <artifacId>google-cloud-storage</artifactId>
    <version>2.52.2</version>
</dependency>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: TevinS

79616806

Date: 2025-05-11 18:42:40
Score: 2.5
Natty:
Report link

typing.Self for python >=3.11, otherwise def from_bytes(cls, b: bytes) -> "User":

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: su55y

79616801

Date: 2025-05-11 18:39:39
Score: 2
Natty:
Report link

You could use batched from itertools (https://docs.python.org/3/library/itertools.html#itertools.batched):

from itertools import batched
connections = cmds.listConnections()
for destination, source in batched(connections, 2):
    print (source, destination)

However, this will only work in python 3.12+

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Chipmonkcheeks

79616799

Date: 2025-05-11 18:39:39
Score: 2
Natty:
Report link

Well, actually it already created an executable. I was just irritated by the message that was saying it created a DLL.

Would have closed the question, but there was no option "already solved" or similar.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: JPT

79616796

Date: 2025-05-11 18:35:38
Score: 1
Natty:
Report link

I think the simplest way is:

int? myVar = null;
string test = myVar?.ToString() ?? string.Empty;
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Leonardo Hernández

79616790

Date: 2025-05-11 18:31:37
Score: 2
Natty:
Report link

Dno how you are calling those, but if you create colliders, then raycast them in the same frame, it works not unless you call Physics.SyncTransforms() in between.

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Jaakko Saaristo

79616788

Date: 2025-05-11 18:25:35
Score: 1
Natty:
Report link

From Laravel 11, Laravel doesn't include an api.php by default. So we need to install it. Simply, we can create it using the below command.

php artisan install:api

This command will set everything.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Imesh Salpage

79616785

Date: 2025-05-11 18:24:34
Score: 5.5
Natty:
Report link

NOTE : Not an answer
Is this issue resolved I am facing a similar issue with the backend i have developed it is working file with postman,
when I try to hit any endpoint with files it is failing before firebase login and once logged in i am able to hit the routes normally
before login the routes with file

Reasons:
  • Blacklisted phrase (1): Not an answer
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am facing a similar issue
  • Low reputation (1):
Posted by: ADITYA T

79616770

Date: 2025-05-11 18:04:30
Score: 0.5
Natty:
Report link

I was using python=3.8. Amongs the errors there was a warning that the python version was deprecated. I upgraded to python=3.9 and it started working.

For conda/miniconda:

conda create -n yt python=3.9
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: User15239563

79616768

Date: 2025-05-11 18:02:29
Score: 1
Natty:
Report link

According to the Jax Docs (emphasis mine):

if you’re doing microbenchmarks of individual array operations on CPU, you can generally expect NumPy to outperform JAX due to its lower per-operation dispatch overhead

Reasons:
  • Low length (0.5):
  • No code block (0.5):
Posted by: Starship

79616748

Date: 2025-05-11 17:40:22
Score: 4.5
Natty:
Report link

It's been a long time since I did a project for the 3DS and it's cool to see people are still writing stuff for it! You're probably getting a crash due to accessing an invalid pointer. Your framebuffer looks very suspicious! You've just set it to a constant (where did you get it?)! It might be the correct value, but you should get the pointer from gfxGetFramebuffer as that will certainly be correct.

Here's how my project uses the aforementioned function: https://github.com/Gallagator/3ds-Synth/blob/master/source/waveThread.h#L63C20-L63C37

The whole repo is not a great example of how you should write C but it might serve as a guide for how to interact with 3ds.h

Reasons:
  • RegEx Blacklisted phrase (3): did you get it
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Gallagator

79616743

Date: 2025-05-11 17:32:20
Score: 3
Natty:
Report link

enter image description here
newnode -> next -> prev = newnode

is good

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Steven Low

79616738

Date: 2025-05-11 17:26:18
Score: 2.5
Natty:
Report link

The easier way is:

echo. > Your\Path\File.pl

Example:

echo. > C:\Apache24\htdocs\gitweb.pl

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Adna Plays

79616732

Date: 2025-05-11 17:19:16
Score: 1
Natty:
Report link

The answer to your question is no but I'm not going to quote the reasons given above. On a purely conceptual level IaC is like submitting your plans for a warehouse to a master builder and your warehouse comes with fully functioning racks, employees and trolleys/forklifts wherever you want and it's configured in terms of size, shape, employees, power, racks and spacing instead of having to buy the land, build the warehouse and hire the guys and do the fit out yourself.

Docker is like having a field kitchen or a house or some other modular thing that lives inside a shipping container that you can deploy inside your warehouse and hook it up to the utilities with a modular connector. Or any warehouse no matter the shape or size provided it has the same modular connectors. Both appear similar insomuch as you can make them appear in the desired location with minimal effort. It's not a perfect analogy but it's close.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Trigger2931

79616722

Date: 2025-05-11 17:10:14
Score: 1
Natty:
Report link
    typename std::list<int>::iterator first(a1.begin());
    typename std::list<int>::iterator second(a1.begin());
    std::advance(first, 1);
    std::advance(second, 3);
    std::iter_swap(first, second);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Tatiana Yalovega

79616720

Date: 2025-05-11 17:09:14
Score: 0.5
Natty:
Report link

Yes, you're right. It should be: newnode->next->prev = newnode; instead of newnode->next->prev = node_to_insert_after;

Aside from this, I'm not sure whether this is a typo but where you should have a }, you have {. For example, your struct definition should be:

struct node {
    int value;
    struct node* next;
    struct node* prev;
};

What I must ask is: why are you asking this question? Why not write some tests for yourself to see if things work rather than asking on stack overflow? For example, you could write a function which prints the list:

Then you could use your insert functions and print the list to see if it works.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Gallagator

79616706

Date: 2025-05-11 16:52:10
Score: 0.5
Natty:
Report link

This is pretty easy actually

let query = supabase.from('your_table').select('*');

if (filter.houseId) {
    query.eq('house', filter.houseId);
}

if (filter.factor) {
  query.gte('factor', filter.factor)
}

const results = await query
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mpwanyi Samuel

79616702

Date: 2025-05-11 16:44:08
Score: 0.5
Natty:
Report link

Here's a reason why the undecidable grammar of C++ could be a problem. When we program using a typed programming language, we are implicitly dividing up the work that the grammar does into two components: one of which is the type system, and it's supposed to be relatively easy. The other is the input-output behaviour of the program, and that input-output behaviour is not something that we have made up, it's something that is given to us by the world, and (as we well know) there are perfectly good questions about the world which are undecidable.

The type system, on the other hand, is something that we invent, possibly motivated by some real-world problem. But we use a type system in order to tame the difficulty which raw input-output behaviour might threaten us with; it is, as it were, a pair of spectacles which, when we put them on, will show us the parts of the worlds which are comprehensible. And so when a compiler assigns types to a program, it is giving you some information about what your program will do when it is executed.So type systems should, when they are applied to a real-world problem, show us how the problem could be simplified. And in order to do this, the type system should give us a view of program which was simpler (in some way) to the program itself. C++ doesn't actually do this, because of the undecidability of the grammar of C++. And it's possible to define a type system in C++ which, when applied to an equality such as 1+1 = 2, typed the sides of this equation by types which were computationally extremely complex, and maybe even undecidable.

Now some programmers think that's just OK, because they know how to write programs in C++ which are a) valid and b) use only type expressions which happen to be decidable, but other programmers think that this is horrible. It's probably worth remarking that C++ and Java are, as it were, mirror images of each other: Java has a type system which is nice and clean and decidable, but it's a type system which will be weaker than it could be. On the other hand, C++ has a huge type system, and that type system will probably be able to come up with types which cannot be easily described by humans.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Graham White

79616700

Date: 2025-05-11 16:42:07
Score: 1.5
Natty:
Report link

As an alternative to what OP asks, you can change the setting workbench.startupEditor from the default welcomePage to none.

enter image description here

You press Ctrl +R to open the long list of recent projects and files.

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: adabru

79616697

Date: 2025-05-11 16:39:06
Score: 5
Natty:
Report link

change port number and try again. it will work. i face the same issue that post request works perfectly but get request can't, after hours of debugging and so much frustration, then i tried by changing port number, then it works fine for all types of request

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): i face the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sujan

79616686

Date: 2025-05-11 16:32:04
Score: 4.5
Natty:
Report link

استعادة.جميع.البرامج.الا.الاساسية.الافتراضية.Android.مجاني.مدى.الحياة.بدون.مقابل.التعبئة التلقائية لنظام Android: لم يتم وضع dispatchProvideAutofillStructure()

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • No latin characters (1.5):
  • Low reputation (1):
Posted by: حميد احمد

79616682

Date: 2025-05-11 16:23:02
Score: 1
Natty:
Report link

You can install previous versions:


yay -S python310

python3.10 --version
python3.10 -m venv env

Use virtual environments

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Daniel Kennedy

79616677

Date: 2025-05-11 16:19:00
Score: 0.5
Natty:
Report link

Unsloth is not compatible with macOS. The docs say:

Unsloth currently only supports Windows and Linux devices.

See Unsloth Requirements

Reasons:
  • Low length (1):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Uchenna Adubasim

79616675

Date: 2025-05-11 16:15:59
Score: 1.5
Natty:
Report link

I am having this same issue and creating the C:\db_home does not work. I can use the response file with setup.exe" -silent -nowait -waitforcompletion -force -noconsole -responsefile", and it installs, but then I get a no provider error when I try to launch my application. However, if I install using an admin (not local system, because this account generates the error), it installs fine, and my app runs as expected. So, something java related is not kosha when using the local system account. I use MECM by the way, which uses the local system account for deploying apps.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: xavier Scott

79616674

Date: 2025-05-11 16:15:59
Score: 2.5
Natty:
Report link

Here's a solution to my problem. With a timer that acts on either of the interval limits, it works.

In the example below, I set the timer to 0.3 seconds for better understanding.

https://stackblitz.com/edit/stackblitz-starters-p4b3rgdy?file=src%2Fmain.ts

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Olivier MM

79616663

Date: 2025-05-11 15:57:55
Score: 1
Natty:
Report link

If you want to enable automatic recording AND support recording and transcript reading on the online meetings API:

Working May 2025

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Menintherigging

79616651

Date: 2025-05-11 15:45:51
Score: 2.5
Natty:
Report link

Yes, it is possible, I have published a detailed video tutorial on how to extract details from pdf attachments in Gmail and how to arrange the data in a Google sheet. The simplistic source code is here on GitHub:

https://gist.github.com/moayadhani/9bc8e4f59b2f09c574cf061127d72800

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Moayad Hani Abu Rmilah

79616648

Date: 2025-05-11 15:42:50
Score: 2
Natty:
Report link

I have published a detailed video tutorial on how to extract details from pdf attachments in Gmail and how to populate them to a Google sheet. The simplistic source code is here on GitHub:

https://gist.github.com/moayadhani/9bc8e4f59b2f09c574cf061127d72800

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Moayad Hani Abu Rmilah

79616644

Date: 2025-05-11 15:38:49
Score: 1
Natty:
Report link

If you're using OnSliderTouchListener, here’s a solution that works using reflection:

fun setValueAndClick(value: Int): ViewAction {
    return object : ViewAction {
        override fun getDescription(): String? {
            return "Set value and trigger onStopTrackingTouch."
        }

        override fun getConstraints(): Matcher<View?>? {
            return isAssignableFrom(Slider::class.java)
        }

        override fun perform(uiController: UiController?, view: View) {
            val slider = view as Slider
            slider.value = value.toFloat()

            // Slider extends BaseSlider
            val baseSliderClass = slider.javaClass.superclass

            // BaseSlider contains "List<T> touchListeners"
            val touchListenersField: Field = baseSliderClass.getDeclaredField("touchListeners")
            touchListenersField.isAccessible = true

            val listeners = touchListenersField.get(slider) as? List<*>
            val listener = listeners?.find { it is Slider.OnSliderTouchListener }

            if (listener == null) throw Exception("${Slider.OnSliderTouchListener::class.simpleName} not found.")

            for (method in listener.javaClass.declaredMethods) {
                if (method.name == "onStopTrackingTouch") {
                    method.isAccessible = true
                    method.invoke(listener, slider)
                    break
                }
            }
        }
    }
}

Usage Example:
onView(withId(R.id.set_number_slider)).perform(setValueAndClick(10))

If you want to trigger onStartTrackingTouch, just replace "onStopTrackingTouch" in the code with "onStartTrackingTouch".

I couldn't find a cleaner approach—many solutions online rely on imprecise adjustments with magic numbers. At least this one uses reflection and reliably triggers the required listener.

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: CalmPerson

79616641

Date: 2025-05-11 15:36:49
Score: 1.5
Natty:
Report link

Resolved by

kotlin.native.cacheKind=none
According to https://www.jetbrains.com/help/kotlin-multiplatform-dev/compose-compatibility-and-versioning.html#jetpack-compose-and-compose-multiplatform-release-cycles

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: abbasalim

79616637

Date: 2025-05-11 15:35:48
Score: 3
Natty:
Report link

You must create a new theme for Magento 2. However, some themes have a version for Magento 2 with the same design, saving you a lot of time and money.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Tùng Nguyễn

79616621

Date: 2025-05-11 15:23:45
Score: 2.5
Natty:
Report link

I used formatted string like this on python screen window

screen.title(f"{" " * 100} 'My title'")

Simple I create a space and multiplying by let's say by 100 will give 100 spaces rather than hitting spacebar 100 time

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Hailu

79616610

Date: 2025-05-11 15:01:40
Score: 0.5
Natty:
Report link

Most likely you will need to set the bounce and dampen properties to 0. Something like:

ParticleSystem particleSystem;
var collisionModule = particleSystem.collision;
collisionModule.bounce = 0f;
collisionModule.dampen = 0f;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Pratik Mathur

79616606

Date: 2025-05-11 14:55:38
Score: 2
Natty:
Report link

first go to kivymd\uix\behaviors and edit toggle_behavior.py. just copy and past the code in this link https://github.com/sudoevans/KivyMD/blob/05148dda1d9c697a611cb4452a07f3b9733c4f50/kivymd/uix/behaviors/toggle_behavior.py
this won't fix the bug but will help make a work around.
now the following should work:

from kivy.lang import Builder
# Version: 2.0.1.dev0
from kivymd.app import MDApp
from kivymd.uix.behaviors.toggle_behavior import MDToggleButton
from kivymd.uix.button import MDButton

KV = '''
MDScreen:

    MDBoxLayout:
        adaptive_size: True
        spacing: "12dp"
        pos_hint: {"center_x": .5, "center_y": .5}

        MyToggleButton:
            text: "Show ads"
            group: "x"

        MyToggleButton:
            text: "Do not show ads"
            group: "x"

        MyToggleButton:
            text: "Does not matter"
            group: "x"
'''


class MyToggleButton(MDButton, MDToggleButton):
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self.background_down = '#FF5722' # This is the trick. if you find away to get hex from self.theme_cls.primary_palette that would be better but I don't know so just give it any hex you want.


class Test(MDApp):
    def build(self):
        self.theme_cls.theme_style = "Dark"
        self.theme_cls.primary_palette = "Orange"
        return Builder.load_string(KV)


Test().run()
Reasons:
  • Blacklisted phrase (1): this link
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user30506750

79616600

Date: 2025-05-11 14:51:36
Score: 1.5
Natty:
Report link

My Odoo also same problem, but when I saw on developer mode (Chrome), it has an error.

So I switch to another browser such as Safari, then try again. It's works.

odoo.conf only admin_passwd and addons_path.

Looks like the problem at database_manager.js was browser problem

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: ManzTIHAGI

79616599

Date: 2025-05-11 14:51:36
Score: 2
Natty:
Report link

It looks like Visual Studio is throwing the DEP0700 error because your WinUI 3 Optional package isn't recognized as part of a RelatedSet when deploying. This happens when the optional package isn't properly linked to the parent package in the MSIX Bundle.

Possible Fixes:

  1. Ensure the Optional Package is in the Same MSIX Bundle

    • The optional package must be bundled with the main app to be considered part of the RelatedSet.
  2. Check Your AppxManifest File

    • Verify that the Main Package and Optional Package have matching Package Family Names and Publisher IDs.
  3. Use Dynamic Dependencies Instead

    • If your goal is to load extensions dynamically, consider using Dynamic Dependencies, which allow runtime package loading without requiring a RelatedSet.
  4. Verify Deployment Order

If you're still stuck, you can check out this Stack Overflow discussion or Microsoft's GitHub thread for more details.

if you need any more help i'm her [email protected]

Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Hassan

79616590

Date: 2025-05-11 14:42:34
Score: 3
Natty:
Report link

Upvoting the solution by MJELVEH
pip install -U langchain-community
sorry I don't have reputation point yet

Reasons:
  • RegEx Blacklisted phrase (1.5): I don't have reputation point
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Beth W.

79616584

Date: 2025-05-11 14:37:33
Score: 1
Natty:
Report link

The issue on my end was due to an unstable internet connection during npm install. As a result, some packages might not have installed correctly. To fix it, I deleted the node_modules folder and ran npm install again once the connection was stable. After that, npm run dev worked fine.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Ibrahim Isa

79616577

Date: 2025-05-11 14:30:31
Score: 1.5
Natty:
Report link

For some reason, the shortcuts are case sensitive.

If you want System.out.println(""); then you have to type sout and not Sout!!

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: sathwikhbhat

79616564

Date: 2025-05-11 14:19:27
Score: 5.5
Natty:
Report link

please can you provide me a doc and api to work with panini, ihave a project and i don't know how to connect to panini with dll,

Reasons:
  • RegEx Blacklisted phrase (2.5): please can you provide me
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: AbdEnacer Djerrah

79616557

Date: 2025-05-11 14:08:24
Score: 1
Natty:
Report link

import turtle

def dibujar_flor(t, radio, angulo, lados):

for \_ in range(lados):

    t.circle(radio)

    t.left(angulo)

ventana = turtle.Screen()

ventana.bgcolor("white")

t = turtle.Turtle()

t.speed(0)

t.color("red")

dibujar_flor(t, 100, 170, 36)

turtle.done()

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Diego Huanca Quenta

79616541

Date: 2025-05-11 13:50:21
Score: 0.5
Natty:
Report link

Go to your model folder K:\AosService\PackagesLocalDirectory\XXXXX\XXXXX\AxReport

Find your report XML and save a copy for backup.
Run notepad as administrator and open your reports XML.
Search for your design name

              MyDesign  

Search again, this time for

&lt;NoRowsMessage&gt;

You might find this

                  &lt;/TablixHeader&gt;
                  &lt;TablixMembers&gt;
                    &lt;TablixMember /&gt;
                  &lt;/TablixMembers&gt;
                &lt;/TablixMember&gt;
              &lt;/TablixMembers&gt;
            &lt;/TablixRowHierarchy&gt;
            &lt;NoRowsMessage&gt;=Labels!@SYS300117&lt;/NoRowsMessage&gt;

Replace with

                &lt;/TablixHeader&gt;
                &lt;Group Name="Details" /&gt;
                &lt;/TablixMember&gt;
              &lt;/TablixMembers&gt;
            &lt;/TablixRowHierarchy&gt;
            &lt;NoRowsMessage&gt;=Labels!@SYS300117&lt;/NoRowsMessage&gt;
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Kurt Warner

79616538

Date: 2025-05-11 13:46:20
Score: 1.5
Natty:
Report link

If you have any Field breakpoints setup in NetBeans this can slow the debugger enormously. You may easily have set a Field breakpoint involuntarily be clicking on a variable.

In NetBeans use Window > Debugging > Breakpoints to check and delete any Field breakpoints, your project will run much faster.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: JohnnyBeGood

79616532

Date: 2025-05-11 13:38:18
Score: 2.5
Natty:
Report link

The simple solution is to use tensorflow.keras directly, there is no need to import it.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Jeff Xu

79616527

Date: 2025-05-11 13:30:16
Score: 3
Natty:
Report link

Samin Ali p

header 1 header 2
cell 1 cell 2
cell 3 cell 4
Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Arfan Ali

79616514

Date: 2025-05-11 13:12:12
Score: 1
Natty:
Report link

You need to install the Windows SDK (Software Development Kit), which includes the necessary header files like winsock2.h.

Fix Steps:

1. Install the Build Tools for Visual Studio

2. Restart your terminal/command prompt

3. Try installing pybluez again

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Anmol Upadhyay

79616509

Date: 2025-05-11 13:02:09
Score: 2
Natty:
Report link

Simply call GrafanaLoki() to push logs to Loki

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Jervis

79616504

Date: 2025-05-11 12:55:08
Score: 2.5
Natty:
Report link

Run the app on a specific port (e.g. flutter run -d chrome --web-port=5000).

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Filippo

79616487

Date: 2025-05-11 12:34:02
Score: 2
Natty:
Report link

In code, on each page:

NavigationPage.SetHasNavigationBar ( this, false );

Reasons:
  • Low length (1.5):
  • No code block (0.5):
Posted by: BillF

79616483

Date: 2025-05-11 12:30:01
Score: 1
Natty:
Report link

Is this what you want?

Rename all columns to specified names, regardless of what they were to begin with?

    let  Source = Excel.CurrentWorkbook(){[Name="Table1"]}[Content],
    NewColumnNames={"apple","banana","chocolate","dog","elephant"},
    Rename = Table.RenameColumns( Source, List.Zip( { Table.ColumnNames( Source ), NewColumnNames } ) )
    in Rename

enter image description here

Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Is this
  • High reputation (-2):
Posted by: horseyride

79616473

Date: 2025-05-11 12:20:59
Score: 3
Natty:
Report link

In my case, the keyentry was even deleted by clearing the app data. However, I don't know if keys remain if they were created by the Android security library.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Android PowerUser

79616470

Date: 2025-05-11 12:15:58
Score: 2
Natty:
Report link

But it doesn't work in AJAX (((

I mean PL-SQL called from apex.server.process('PROCESS'...) where PROCESS is for example just a APEX callback process

begin

RAISE_APPLICATION_ERROR(-20000, 'HERE');

end;

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Sasha Gomanuke

79616466

Date: 2025-05-11 12:14:57
Score: 2.5
Natty:
Report link

At Crystal Abaya Studio, we offer a stunning collection of abayas that cater to all styles and occasions. Whether you're searching for elegant black abaya, modern bisht abaya, Eid abaya or , Abaya we have something for everyone.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: CAS Abaya

79616465

Date: 2025-05-11 12:13:57
Score: 3
Natty:
Report link

The steps below helped me fix this error.

I recommend it.

Thanks for your help.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Whitelisted phrase (-0.5): Thanks for your help
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Артем Шишадский

79616464

Date: 2025-05-11 12:13:57
Score: 3
Natty:
Report link

isLocalAddress returns true in my test for "0177.1". So if the problem still occurs, please share in which environment you're testing this.

I tried with various Java 8 and Java 21 Docker images on Windows 11.

Btw, the Java snippet in this post covers a few more SSRF protections.

Reasons:
  • RegEx Blacklisted phrase (2.5): please share
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: gebi

79616461

Date: 2025-05-11 12:10:56
Score: 2.5
Natty:
Report link

Does this help if you want to appending in list?

Snippet:

rgb_values = []

for idd in range(0, 255, 1):
    value1 = int(255 * col_map.colors[idd][0])
    value2 = int(255 * col_map.colors[idd][1])
    value3 = int(255 * col_map.colors[idd][2])
    rgb_values.append((value1, value2, value3))


Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Adios Gringo

79616459

Date: 2025-05-11 12:05:55
Score: 3.5
Natty:
Report link

Still need help on this one, maybe someone can reproduce this problem in order to at least give some advices where to dig.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: 2033