79662652

Date: 2025-06-11 20:58:14
Score: 0.5
Natty:
Report link

The ternary tuple in such case is (1 market, 1 department, 1..* products). Therefore, the resulting reading logic (also in terms of tuples) is:

If a department sells products to market, then a market buys products (from department) and they (e.g.) operate on 1..* product(s). Hence:

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

79662651

Date: 2025-06-11 20:57:13
Score: 3
Natty:
Report link

It seems you have created and started the loop, but your transport hasn't started. Maybe that is why it doesn't enter your callback

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

79662647

Date: 2025-06-11 20:53:12
Score: 3
Natty:
Report link

I see multiple options, but in my case due to proxy I was facing this issue, most of company needs proxy, as per your org setup here:
File>>Settings>>Search for "HTTP Proxy"
enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Vishwas Shenoy Alevoor

79662646

Date: 2025-06-11 20:53:12
Score: 0.5
Natty:
Report link

PyPDF2 is deprecated. You should use pypdf instead.

If you must use PyPDF2, you can pip install 'PyPDF2<3.0' in your environment.

See https://github.com/camelot-dev/camelot/issues/339

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

79662644

Date: 2025-06-11 20:51:12
Score: 4
Natty:
Report link

Turns out this is an actual bug in 4.32.0: github.com/liquibase/liquibase/issues/6982

Temp workaround is to downgrade to 4.31.0.

Thanks to @mario-champion for posting about it in the comments below!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @mario-champion
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: moraleboost

79662640

Date: 2025-06-11 20:45:10
Score: 0.5
Natty:
Report link

It says it here in the error message

PyPDF2.errors.DeprecationError: PdfFileReader is deprecated and was removed in PyPDF2 3.0.0. Use PdfReader instead.

So you need to:

  1. pip install PdfReader

  2. remove PyPDF2

  3. import PdfReader

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Toddneal Stallworth

79662633

Date: 2025-06-11 20:41:09
Score: 3
Natty:
Report link

Resolving Window Message Blocking During Window Drag and Resize Operations in Windows

Cause and Effect

When you start dragging a window’s title bar to move it or adjust its size by dragging its border, your program first receives a WM_ENTERSIZEMOVE message. This message simply notifies you that dragging is about to begin. Subsequently, a WM_SYSCOMMAND message arrives, where the wParam value determines the action type. You’ll use switch (GET_SC_WPARAM(wParam)) to handle it. When the switch hits case SC_MOVE: or case SC_SIZE:, it indicates that the system is entering drag mode. If you directly forward this message to DefWindowProc(), it blocks by starting its own internal message loop, handling mouse movements, window resizing, and other complex operations internally. When you release the mouse, DefWindowProc() returns 0, ending the blocking. Finally, it sends a WM_EXITSIZEMOVE message to notify you that drag mode has ended.

For scenarios like game development, video player implementations, etc.—where you cannot rely on blocking-style GetMessage() loops with timers (Timer callbacks) and must avoid blocking during message processing (e.g., DefWindowProc() blocking)—yet still need to support window dragging and resizing, here’s a workaround technique to interrupt and recover from blocking.

Solution Approach

Interface Design

First, my window message handler is non-blocking. It’s named PollWindowEvents() and is called repeatedly by the user’s main loop. The caller handles its own tasks (e.g., rendering dynamic content) and then invokes PollWindowEvents() to process window messages, check keyboard inputs, etc. Similar to GLFW’s design, as long as PollWindowEvents() doesn’t block, the caller’s loop keeps running.

The logic of PollWindowEvents() roughly looks like this:

while (PeekMessageW(&msg, NULL, 0, 0, PM_REMOVE))
{
    TranslateMessage(&msg);
    if (msg.message == WM_QUIT)
    {
        w->should_quit = 1;
        w->exit_code = (int)msg.wParam;
    }
    else
    {
        DispatchMessageW(&msg);
    }
}

Key Insight

During window dragging, although DefWindowProc() blocks, timer events (WM_TIMER) still reach your window procedure. Additionally, WM_MOVE, WM_SIZE, and WM_SIZING messages are delivered frequently during drag/resize operations.

If within these messages, I can break out of DefWindowProc()’s context and make PollWindowEvents() return, blocking is resolved. On the next call to PollWindowEvents(), I jump back into the message handler as if nothing happened, resuming DefWindowProc()’s drag logic to complete the cycle.

Technical Implementation

Achieving this jump requires setjmp() and longjmp() from the C standard library. Unfortunately, they’re problematic here. MSVC’s longjmp() enforces RAII resource cleanup rules in C++ and handles uncaught exceptions. It assumes longjmp() is a non-returning operation, requiring all stack resources and exceptions to be resolved before jumping. This "safety" conflicts with our need, where jumping back into the context later shouldn’t disrupt normal RAII or exception handling.

Jumping is only part of the problem. The blocking DefWindowProc() uses its stack frame, while returning from PollWindowEvents() lets the caller use its stack frame. If we longjmp() out (which restores the stack pointer to the setjmp() state), two stack frames are used simultaneously—leading to data corruption and stack overwrites. Thus, we need two separate stacks.

Implementation Framework

  1. Replace longjmp(): Bypass MSVC’s extra safety checks using custom shellcode.
  2. Allocate a new stack: Use _aligned_malloc() to allocate a 16-byte aligned memory block as the new stack.
  3. Create a trampoline function, jmp_to_new_stack(), which does three things:
    • Switches the stack pointer to the top of the new stack.
    • Invokes a callback function (executed on the new stack).
    • Uses a custom my_longjmp() to return from the new stack to the old stack’s setjmp() position.

Why my_longjmp() instead of restoring the old stack pointer directly? Because both stacks are active; the original stack pointer becomes invalid after leaving its context.

  1. Setting jump targets:

    • At the start of PollWindowEvents() (before PeekMessageW), use setjmp() to set a "re-entry point" for resuming blocked operations.
    • At the end of PollWindowEvents() (after the PeekMessageW loop), use setjmp() to set an "escape point" for breaking out of blocking.
    • Inside WM_TIMER/WM_MOVE/WM_SIZE handlers, use setjmp() to set "re-entry points" for jumping back into the blocking function.
  2. Entering blocking mode:

    • In the WM_SYSCOMMAND handler (for SC_MOVE/SC_SIZE), create a timer, allocate the new stack, then call jmp_to_new_stack(). The provided callback invokes:
    DefWindowProcW(w->Window, WM_SYSCOMMAND, wParam, 0); // Enters blocking
    
  3. Escaping blocking mode:

    • Inside WM_TIMER/WM_MOVE/WM_SIZE handlers (executing on the new stack), use my_longjmp() to jump to the "escape point" at PollWindowEvents()’s end—returning control to the caller.
  4. Re-entry logic:

    • After escaping mid-message (without RAII/exceptions), the next PollWindowEvents() call detects the interrupted state and uses my_longjmp() to jump back to the handler’s "re-entry point."
  5. Exiting blocking mode:

    • When DefWindowProcW() returns (after drag ends), use my_longjmp() to jump to PollWindowEvents()’s start, letting normal message processing resume.

Code Implementation

Core Functions

The arrays contain shellcode (machine code) for context switching. Implementations:

Key Shellcode Snippets

Integration

  1. State Tracking Structure:

    typedef struct
    {
        void *new_stack;                        // Allocated stack memory
        size_t new_stack_size;                  // Stack size
        volatile int hack_is_on;                // 1 if in blocking escape mode
        volatile int is_returned_from_timer;    // Flag for escaped state
        WPARAM syscommand_wparam;               // Saved WM_SYSCOMMAND param
        jmp_buf jb_returning;                   // Escape point (Poll end)
        jmp_buf jb_reentering;                  // Re-entry point (handlers)
        jmp_buf jb_exit_hacking;                // Exit point (blocking ends)
    }HackWayAntiBlocking;
    
  2. Code to be added into PollWindowEvents() before PeekMessage():

    if (setjmp(w->hack.jb_exit_hacking) == 1)
    { // After blocking ends (DefWindowProc returns)
        KillTimer(w->Window, 1);
        w->hack.hack_is_on = 0;
    }
    if (w->hack.hack_is_on)
    { // Re-enter blocked context if needed
        if (w->hack.is_returned_from_timer)
            _my_longjmp(w->hack.jb_reentering, 1);
    }
    
  3. Code to be added into PollWindowEvents() before returning:

    if (setjmp(w->hack.jb_returning) == 1)
    { // Escape from the blocked call
        return;
    }
    
  4. WndProc Handler Additions:

    • On WM_SYSCOMMAND:
    case WM_SYSCOMMAND:
    switch (GET_SC_WPARAM(wp))
    {
    case SC_MOVE:
    case SC_SIZE:
        w = (void *)GetWindowLongPtrW(hWnd, 0);
        assert(w->hack_is_on == 0);
        w->hack.syscommand_wparam = wp;
        if (!w->hack.new_stack)
        { // Allocate memory for the new stack, 64 KiB is not too much or too less
            w->hack.new_stack_size = (size_t)1 << 16;
            w->hack.new_stack = _aligned_malloc(w->hack.new_stack_size, 16);
        }
        if (w->hack.new_stack)
        { // From here, we are going to switch to the new stack and call the blocking function.
            w->hack.hack_is_on = 1;
            // Start timer. When blocking, our `WndProc()` still can receive `WM_TIMER` event.
            SetTimer(w->Window, 1, 1, NULL);
            _jmp_to_new_stack(w->hack.new_stack, w->hack.new_stack_size, _run_blocking_proc, w, w->hack.jb_exit_hacking, 1);
        }
        else
        { // Can't allocate memory for the new stack? Give up here.
            w->hack.new_stack_size = 0;
        }
        break;
    default:
        return DefWindowProcW(hWnd, msg, wp, lp);
    }
    break;
    
    • On WM_TIMER/WM_MOVE/WM_SIZE:
    case WM_MOVE:
    case WM_SIZING:
    case WM_SIZE:
    case WM_TIMER:
        if (msg != WM_TIMER || wp == 1)
        {
            w = (void *)GetWindowLongPtrW(hWnd, 0);
            if (w->hack.hack_is_on)
            {
                int j = setjmp(w->hack.jb_reentering); // Set re-entry point and escape blocking
                switch (j)
                {
                case 0:
                    // Escape blocking
                    w->hack.is_returned_from_timer = 1;
                    _my_longjmp(w->hack.jb_returning, 1);
                    break;
                case 1:
                    // Re-entry to here
                    break;
                default:
                    assert(0);
                }
                w->hack.is_returned_from_timer = 0;
            }
        }
        break;
    
    • The _run_blocking_proc():
    // Callback running on the new stack
    void _run_blocking_proc(WindowsDemoGuts *w)
    { // Blocks here
        DefWindowProcW(w->Window, WM_SYSCOMMAND, w->hack.syscommand_wparam, 0);
    }
    
  5. Cleanup:

    _aligned_free(w->hack.new_stack);
    w->hack.new_stack = 0;
    w->hack.new_stack_size = 0;
    

With these modifications, dragging/resizing a window won’t block PollWindowEvents()—it returns immediately—allowing the caller’s loop to maintain smooth rendering and audio playback.

Full Implementation

Complete source code:

Reasons:
  • RegEx Blacklisted phrase (2.5): Please provide your
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: 0xAA55

79662627

Date: 2025-06-11 20:34:07
Score: 1.5
Natty:
Report link

C/C++ compilers are designed to turn C/C++ into machine code.

They are not designed to check your code for logic errors.

Checking your code for logic errors would greatly increase compile time. Its also a really, really hard problem for a computer to solve. Checking your code for type errors is easy.

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

79662621

Date: 2025-06-11 20:29:06
Score: 3
Natty:
Report link

Update the Chrome to latest version (137.0.7151.104) have solved the problem for me. It will no longer close the chrome when debugging is stopped from Visual Studio after this update.
enter image description here
REF: https://www.reddit.com/r/VisualStudio/comments/1l52ssj/bug_stop_debugging_closes_all_browserstabs/

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

79662614

Date: 2025-06-11 20:23:04
Score: 4.5
Natty:
Report link

I have a similar error, Importbuddy offers option to wipe all tables before start so used that.

No way of knowing what files in public_HTML might be a problem but when I do it the script never ends I just get the spinning thing top right.

Status logs don't give much of a clue

The website gives this status message

Site undergoing maintenance.Site undergoing maintenance.

It would be interesting to know how to disable and see if the site loads.

Reasons:
  • No code block (0.5):
  • Me too answer (2.5): I have a similar error
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Dan

79662613

Date: 2025-06-11 20:23:04
Score: 0.5
Natty:
Report link

From Rust 1.88.0 onwards (releasing in late June 2025) you can just do #[cfg(true)] or #[cfg(false)]

See https://releases.rs/docs/1.88.0/ or https://github.com/rust-lang/rust/issues/131204

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

79662599

Date: 2025-06-11 20:13:01
Score: 2.5
Natty:
Report link

One very important thing to note. If your acm domain starts like api.yourdomain.com, make sure to provide 'api' in all the CAA records you create for amazon. If you dont do this, you will get CAA error

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

79662595

Date: 2025-06-11 20:12:01
Score: 0.5
Natty:
Report link

Here is one approach that reuses the array in every call of rng.standard_normal:

import numpy as np

rng = np.random.default_rng()

size = 1000
arr = np.empty(size)
rng.standard_normal(size, out=arr)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Robert Haas

79662594

Date: 2025-06-11 20:11:00
Score: 1
Natty:
Report link

this is achieved using TabView and role: .search like this:

Tab("Search", systemImage: "magnifyingglass", role: .search) {
   ...
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Jan Chalupa

79662584

Date: 2025-06-11 20:04:59
Score: 0.5
Natty:
Report link

I have the springdoc in my application that generates swagger using the default url http://localhost:8090/swagger-ui/index.html

If your app is listening on port 8090 inside the container then you need to map the host port to 8090 in your compose file e.g.:

ports:
  - '8090:8090'
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: andycaine

79662577

Date: 2025-06-11 19:59:58
Score: 1
Natty:
Report link

I was looking for this today, and here's what I found:

Open Chat

Close Chat

Return Focus to Editor Without Closing Chat

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

79662574

Date: 2025-06-11 19:56:57
Score: 2
Natty:
Report link

This is something that is configured on a per institution basis - there is a configuration that they can choose to set for showing full RDC account numbers - if yes, you will see the full, unmasked, account number.

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

79662573

Date: 2025-06-11 19:56:57
Score: 2.5
Natty:
Report link

You are correct. I use Union All when I have used a Conditional Split to divvy up the data for filling in columns, for example, and then bringing them back together. I also use it for when I have log outputs from multiple tasks and I want to pull them together before inserting into a log table.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Graeme

79662568

Date: 2025-06-11 19:48:54
Score: 1
Natty:
Report link

Found the answer. Leaving it here if anyone finds helpful:

    {
      "name": "highestSales",
      "update": "extent( pluck( data( 'dataset' ), 'Sales Total' ))[1]"
    }

The pluck function returns a column as an array, and the extent function returns an array containing the minimum and the maximum of the given array.

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

79662567

Date: 2025-06-11 19:47:54
Score: 2
Natty:
Report link

Sharing a simple neat solution to this, especially if you are using a third party tree pack and don't want to edit a lot of fbx origins; simply set the y coordinate of all the child LOD0-N game objects in the tree prefab to something like -0.2. All terrain tree instances will immediately pick this up so you can tweak the y value and watch the affect until it looks embedded in the terrain.

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

79662566

Date: 2025-06-11 19:47:54
Score: 5
Natty:
Report link

Dude I'm facing the exact same issue and i thought it was regional but it's not and from a few YT videos which have been posted in the last 6-8 months, this works, so idk i think its a very recent issue, let me know if you find a fix i've been struggling to do this

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm facing the exact same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: yaksh patel

79662557

Date: 2025-06-11 19:39:51
Score: 0.5
Natty:
Report link

mongodb+srv://<db_usernam>:<db_password>@<projectname>.xbygdv0.mongodb.net/?retryWrites=true&w=majority&appName=<projectname>

or go to your clusters tab and select your DB > connect > Drivers > in steps (View full code sample) then copy and use the full uri and try to connect with prisma

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Amo Oniani

79662553

Date: 2025-06-11 19:36:51
Score: 2.5
Natty:
Report link

I tried to move this statement , <script src="script.js"></script>outside the <head></head> section from your index.html file. It works perfectly.

<html>

<head><!--<script src="script.js"></script>--></head>

<body>

</body>

<script src="script.js"></script>

</html>

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

79662550

Date: 2025-06-11 19:33:49
Score: 4.5
Natty: 4
Report link

you can query via projection see https://www.baeldung.com/spring-data-jpa-projections

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

79662547

Date: 2025-06-11 19:30:48
Score: 5
Natty:
Report link

Did you consider: typeof(SomeTestClass).Assembly?

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Has no white space (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (0.5):
Posted by: Corniel Nobel

79662542

Date: 2025-06-11 19:25:47
Score: 0.5
Natty:
Report link

mjx 0.1.0 (the latest version as at today) currently has wheels for Python 3.7 - 3.9.

I suggest you use Python 3.9 for this package as there are no wheels for your Python versions (3.10 and 3.12).

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

79662535

Date: 2025-06-11 19:21:47
Score: 1.5
Natty:
Report link

To simultaneously edit opening and closing html tags in Notepad++ now there is HTML Tag plugin. A screenshot follows:

Html Tag plugin sub-menu Notepad++

Also you could use a built-in feature that is a Multi-Editing: you might need to activate it from the Settings > Preferences dialog. Another screenshot follows:

Multi editing dialog Notepad++

(I don't know about Textmate, sorry)

Reasons:
  • Probably link only (1):
  • No code block (0.5):
Posted by: willy wonka

79662531

Date: 2025-06-11 19:16:45
Score: 5.5
Natty: 5
Report link

Another test needs to run immediately after a test so I had used driver.close(). After using driver.quit() the connection reset error did go but my other tests failed since I used driver.quit(). Can someone help

Reasons:
  • RegEx Blacklisted phrase (3): Can someone help
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Zeenat K

79662524

Date: 2025-06-11 19:08:43
Score: 2.5
Natty:
Report link

I tried recreating your issue and just like what @Knut Olav Løite mentioned, you are inserting two rows with the same Id value. You can try using batch.insert_or_update instead of batch.insert only. However, take note that this will update the row that has the same Id

imageimage</body></html>

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Knut
  • Low reputation (0.5):
Posted by: yannco

79662515

Date: 2025-06-11 19:04:42
Score: 2
Natty:
Report link
import numpy as np
plt.set_xticks(np.arange(1900, 2020, 5))

np.arange has parameters (min value, max value, distance between tick marks). This should do the trick.

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

79662507

Date: 2025-06-11 18:58:40
Score: 1.5
Natty:
Report link

While taking screenshots for the post, I managed to find a way to hide it. So I'll answer my own question.


  1. Right-click on the component palette and choose "Options...":

Lazarus IDE Component Palette

  1. Untick the "Palette is visible" checkbox:

Lazarus Component Options


And that's it. Now the top component palette is.

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Shaun Roselt

79662502

Date: 2025-06-11 18:54:39
Score: 0.5
Natty:
Report link

2025 Updated fix:

build.grandle.kts

android {
    ...(existing config)
    useLibrary("android.car")
}

This is the solution recommended from the fixed Google Issue

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

79662494

Date: 2025-06-11 18:49:38
Score: 3
Natty:
Report link

Fixed it by deleting the entire flutter folder and reinstalling it what a frustrating problem that was, 12 hours of banging my head against the wall on an issue that shouldn't have even been a problem.

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

79662487

Date: 2025-06-11 18:43:36
Score: 2
Natty:
Report link
  1. npm init

    //this will install package.json

  2. cretae file app.js

  3. npm install express

    //then it will install node_modules

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Manibala Sinha

79662485

Date: 2025-06-11 18:41:35
Score: 0.5
Natty:
Report link

Looks like the problem is in UI part.

We open stream in normal tab and - there are events in stream. We open stream in incognito mode (google chrome) - and stream is empty. It still doesnt answer a question. Because it's unclear how stream looks like, does it have events, or it's empty...
enter image description here

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Maxim Kitsenko

79662484

Date: 2025-06-11 18:40:35
Score: 13
Natty: 8
Report link

I am facing same issue from long time - can someone help with the fix ?

Reasons:
  • RegEx Blacklisted phrase (1.5): fix ?
  • RegEx Blacklisted phrase (3): can someone help
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I am facing same issue
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Abhi

79662483

Date: 2025-06-11 18:40:35
Score: 3.5
Natty:
Report link

For your real-time and map-using application, FLUTTER is the perfect option.

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

79662473

Date: 2025-06-11 18:33:33
Score: 4
Natty:
Report link

Hi programmers I want to ask question optional or mandatory must exist in same side of its entity not found in other side of entity in ERD

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mohamed Mahmoud

79662453

Date: 2025-06-11 18:15:28
Score: 3
Natty:
Report link

To answer the actual question that I asked:

In this case, when I switched the line interrupts = <28 3> to interrupts = <28 8>, the IRQ was successfully mapped. (My device still doesn't work, because that's not actually the correct interrupt line, but I'll deal with that separately).

The actual change (3 vs 8) is changing from IRQ_TYPE_EDGE_BOTH to IRQ_TYPE_LEVEL_LOW - I guess this particular GPIO driver (tegra194-gpio-aon) doesn't support edge-triggering?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: riz94107

79662452

Date: 2025-06-11 18:15:28
Score: 3.5
Natty:
Report link

In year 2025 I used : brew --cask install mysqlworkbench

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Pritesh Gethewale

79662451

Date: 2025-06-11 18:12:27
Score: 0.5
Natty:
Report link

Broadly speaking there are 2 ways to authenticate users with Cognito:

  1. Using OIDC
  2. Through the Cognito API.

Using OIDC requires the use of Cognito as an authorization server, which means using the managed UI or classic hosted UI.

The options you’ve described won’t work because they mix elements of both.

So if you’re using the API then you need to authenticate as you’re already doing. Then if you want to set a HTTP only cookie I think you have 2 obvious options:

Both options would need the lambda to be on the same domain e.g front it all with CloudFront.

Alternatively use the managed login and OIDC. Your call back uri can go to the lambda which can fetch the tokens and set HTTP only cookies. That would generally be my recommendation.

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

79662449

Date: 2025-06-11 18:06:20
Score: 7 🚩
Natty:
Report link

I'm facing the same problem.

My project is a React Typescript with vite and tailwind installed.

I don't have tailwind.config.ts, however I have components.json with the following content below.

All my custom components are in /components and shadcdn components are in /components/ui.

Any thoughts?

{
  "$schema": "https://ui.shadcn.com/schema.json",
  "style": "new-york",
  "rsc": false,
  "tsx": true,
  "tailwind": {
    "config": "",
    "css": "./index.css",
    "baseColor": "neutral",
    "cssVariables": true,
    "prefix": ""
  },
  "aliases": {
    "components": "@/components",
    "utils": "@/lib/utils",
    "ui": "@/components/ui",
    "lib": "@/lib",
    "hooks": "@/hooks"
  },
  "iconLibrary": "lucide"
}
Reasons:
  • Blacklisted phrase (1): m facing the same problem
  • Blacklisted phrase (1.5): Any thoughts
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm facing the same problem
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Mauricio Vinicius

79662440

Date: 2025-06-11 17:58:18
Score: 1.5
Natty:
Report link
scripts": {
    "start": "react-native start",
    "test": "jest",
    "lint": "eslint .",
    "postinstall": "npx jetify"
  },
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Phukan Baro

79662426

Date: 2025-06-11 17:44:15
Score: 3
Natty:
Report link

Not sure if it's a recent change since I ended up here because I could not find the chat either, but you can open the chat with ⌃⌘I

here's the official doc
https://code.visualstudio.com/docs/copilot/getting-started#:~:text=Open%20the%20Chat%20view%20from%20the%20Copilot%20menu%20in%20the%20title%20bar%20or%20press%20%E2%8C%83%E2%8C%98I.

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

79662412

Date: 2025-06-11 17:29:11
Score: 6.5 🚩
Natty: 5
Report link

Check this link and validate the API permissions: https://techlabs.blog/categories/automation/solved-azure-powershell-runbook-error-failed-unauthorized-incorrect-permissions

Reasons:
  • Blacklisted phrase (1): this link
  • RegEx Blacklisted phrase (1): Check this link
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Anderson Lacruz

79662402

Date: 2025-06-11 17:15:07
Score: 2.5
Natty:
Report link

You can try an alternative to WSL in WAMP:

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Pércoles Tiago Napivoski

79662401

Date: 2025-06-11 17:12:05
Score: 11.5 🚩
Natty: 5.5
Report link

Did u got any solution then pls sharew

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2.5): pls share
  • RegEx Blacklisted phrase (3): Did u got any solution
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did
  • Low reputation (1):
Posted by: Muhammad Awais Shan

79662400

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

add UIDesignRequiresCompatibility to your Info.plist and set it to YES, your app will run using the old OS design instead of the new Liquid Glass design.

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: byaruhaf

79662392

Date: 2025-06-11 17:02:03
Score: 2
Natty:
Report link

[Step 1 | Setup Heroku]

  1. Go to Heroku app -> "Settings" -> "SSL Certificates" -> "Configure SSL" -> select "Automatic Certificate Management (ACM) -> "Next".

  2. "Domains" -> "Add domain" -> enter your domain (ex: "google.com") -> "Next".

  3. Copy "DNS Target" -> "Back to domains".


[Step 2 | Setup DNS]

  1. Go to Squarespace Domains -> "Domains" -> select target domain -> "DNS" -> "Custom records" -> "ADD RECEOD".

  2. Enter "@" for "HOST" -> select "ALIAS" for "TYPE" -> paste DNS Target for "DATA" -> "SAVE".

  3. Back to Heroku -> "Settings" -> "Domains" -> "Refresh ACM Status" (this may take some time).

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Blacklisted phrase (1): check this video
  • Blacklisted phrase (1): this video
  • Long answer (-0.5):
  • No code block (0.5):
  • High reputation (-1):
Posted by: Sam Chen

79662391

Date: 2025-06-11 17:02:03
Score: 1
Natty:
Report link

# Re-import necessary modules after environment reset

import moviepy.editor as mp

from moviepy.video.fx import resize, colorx

from moviepy.video.fx.all import lum_contrast

# Define file paths

input_path = "/mnt/data/VID-20241207-WA0006.mp4"

output_path = "/mnt/data/VID_sunset_1080p_clip.mp4"

# Load video

clip = mp.VideoFileClip(input_path)

# Potong video dari detik ke-0 sampai 15 detik

clip_cut = clip.subclip(0, 15)

# Resize ke 1080p

clip_resized = clip_cut.fx(resize.resize, height=1080)

# Tambahkan efek sunset cerah

clip_warm = clip_resized.fx(lum_contrast, lum=20, contrast=40)

clip_sunset = clip_warm.fx(colorx.colorx, 1.2)

# Simpan hasil video

clip_sunset.write_videofile(output_path, codec='libx264', audio_codec='aac')

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

79662382

Date: 2025-06-11 16:55:01
Score: 0.5
Natty:
Report link

From what I recall many years ago the ImageMagick developers disabled JPEG 2000 support in the installer packages because of several security issues in the OpenJPEG library (can't find any details as all search engines these days are utterly broken). This situation persisted for many years, and the only (annoying) option was to build ImageMagick from source, with OpenJPEG enabled.

However I just upgraded my system to Linux Mint 22.1 Xia (based on Ubuntu 24.04 noble), which has ImageMagick 6.9.12-98 Q16 x86_64 pre-installed. To my surprise this has JPEG 2000 support again, so if you're on a recent Linux system it might be worth giving this another try.

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

79662372

Date: 2025-06-11 16:49:59
Score: 3.5
Natty:
Report link

Had similar issue. Updating @ngx-translate/core to version 16.0.4 fixed the problem.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Damian Gancarz

79662370

Date: 2025-06-11 16:48:59
Score: 1
Natty:
Report link

I know you probably don't need this anymore, since it has been almost a year. I do have a solution though, and you were insanely close to an optimal system.

I have done the same thing as you, where a part divides in 8, 4, or 2 and follows the exact procedure. The most effective optimization you can do is encapsulation checking. if the part you want to divide is entirely contained within the intersection part, just delete it from existence instead. It's also key to structure your connections properly when you make a system like this, I have my setup staged like (PreSim > PostSim > Heartbeat) so you aren't wasting frame time

I will also say you should only make a percentage of the divided parts act as debris and only render them on the client side to save on server performance.

Here is the DevForum post for my implementation: Roblox DevForum - Shatterbox | Voxel destruction made simple and optimized

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

79662368

Date: 2025-06-11 16:45:58
Score: 1
Natty:
Report link

return(function(...)local c={"\113\099\048\110\101\088\057\115\113\048\061\061";"\076\120\100\121\101\067\065\073","\043\054\090\117\111\075\090\051\075\120\073\088\054\085\087\049\066\122\061\061";"\076\067\111\090\056\067\122\061";"\054\068\111\110\076\120\087\090\056\075\066\061";"","\076\067\072\054\077\100\111\078\076\098\051\087\052\075\100\066\078\069\061\061";"\101\080\100\073\101\052\061\061","\113\048\061\061","\056\085\111\052\106\067\100\072\076\110\077\100\054\085\057\080\111\052\061\061","\111\066\110\090\116\100\090\070\056\100\115\054\056\069\061\061";"\109\098\111\081\101\120\090\121\109\110\085\080\052\107\052\089\118\067\048\061","\109\098\043\080\106\067\115\047\106\117\105\108\056\104\111\055\101\120\076\061";"\101\068\102\089\056\107\112\061","\077\106\090\099\056\120\098\087\043\068\043\113\076\104\100\121";"\113\100\078\079\101\075\101\079\078\100\102\116\111\050\112\079";"\056\082\081\061";"\101\080\085\053\049\120\087\082\113\068\077\102";"\056\067\054\121","\076\120\047\053\116\081\102\051\049\072\105\109\118\081\100\073\116\117\112\061","\076\120\054\073\056\107\101\110","\101\107\111\072\049\048\061\061","\077\067\065\121\077\075\072\099\101\068\112\061","\068\072\065\073\101\068\043\090\077\067\100\099\056\067\066\061";"\056\075\100\098\116\069\061\061";"\054\080\054\099\116\067\065\103\116\122\061\061";"\066\067\065\053\043\066\102\067\116\104\115\053\101\081\072\068","\077\067\065\079\077\050\102\115\056\120\076\061","\109\050\043\098\076\081\077\110\077\069\061\061";"\101\098\054\049\075\085\101\066\116\072\110\052\077\072\090\075\101\052\061\061","\056\067\065\090\101\050\111\098\076\120\110\121\101\122\061\061","\077\075\087\122\049\075\111\108";"\077\067\100\099\056\067\066\061","\078\050\102\070\076\082\105\072\043\098\065\115\066\104\049\087";"\056\082\112\061";"\049\104\110\098\101\052\061\061","\049\080\090\090\076\048\061\061";"\097\086\121\121\068\049\101\068\084\115\066\105\071\076\097\048\043\074\052\061";"\101\080\072\090\077\067\111\057";"\054\067\100\073\076\067\054\089\112\081\043\110\077\067\054\117\077\067\054\085\112\052\061\061";"\068\072\065\104\049\122\061\061";"\076\107\043\089\116\075\087\104";"\075\067\085\072\066\080\087\055\106\067\066\053\049\085\077\070","\068\072\065\047\101\075\051\061","\113\054\110\108\043\075\043\104\109\067\072\043\106\082\085\087";"\085\077\067\110\068\097\090\110\107\098\065\067\087\105\074\109\065\070\119\110\043\100\121\105\072\075\097\089\070\055\090\114\122\055\088\074\053\107\083\050\048\077\087\101\109\089\083\051\066\107\067\081\065\052\053\074\053\070\112\103\057\075\075\111\083\043\116\083\117\076\047\101\068\048\116\105\055\051\100\111\079\055\070\099\104\108\057\043\082\103\097\104\090\112\088\050\097\112\115\074\119\117\083\115\089\112\105\066\114\116\098\082\113\083\051\090\098\069\061\061","\049\080\065\121\049\080\100\098","\068\072\065\115\056\120\043\110\118\069\061\061","\076\080\054\098\056\075\054\098\049\068\043\090\049\120\053\110","\101\120\053\103\056\107\112\061";"\066\109\079\047\086\074\115\111\043\090\114\115\069\049\113\109\110\117\122\113\049\098\114\079\047\081\114\067\108\119\109\051\075\054\080\068\075\102\051\086\076\043\048\061"}for j,l in ipairs({{926270-926269,282844-282793},{880379+-880378,-993343+993386},{-679413+679457,-976062+976113}})do while l[726263+-726262]<l[-285801+285803]do c[l[-159717+159718]],c[l[861819+-861817]],l[942654-942653],l[1020482-1020480]=c[l[656118-656116]],c[l[-725237-(-725238)]],l[-121763-(-121764)]+(-30049+30050),l[352619+-352617]-(-722934+722935)end end local function j(j)return c[j-(434495-429869)]end do local j=string.sub local l=string.char local e=type local P=c local Q=string.len local E=table.insert local Y=math.floor local K=table.concat local Z={Q=525236-525232;q=-851948-(-851962);y=180134+-180088,r=-467235-(-467246),I=615264-615219,A=-455342+455403,n=-734519+734556,s=970663-970622;k=257887-257832;N=970622+-970610,i=179686+-179685,p=450678-450670,["\043"]=413694-413677,J=798777+-798719;G=427304-427245;["\048"]=-104035+104067;["\049"]=1023936+-1023912;["\052"]=498495-498479;M=494860-494831,D=-97868-(-97891),d=-652148+652153,W=-54626+54683;u=593237-593202,T=45387-45345;h=-849491-(-849530);F=-384157-(-384172),L=286725-286697,f=30881+-30872,j=396927-396908;c=-15584+15618,["\047"]=551837-551793,m=-88529-(-88547),g=977470+-977423;t=-1024896+1024922,["\057"]=465814-465774,E=751735+-751735,V=-1006911+1006942;["\056"]=-146122-(-146149);["\053"]=649524+-649475;a=-223719+223782;b=-137316+137368;v=-1044352+1044382;Z=-625395+625428;S=250088+-250026;["\050"]=4256+-4249,U=-810965-(-811001);X=-249830-(-249832);Y=768952+-768902;w=-413421+413481,["\054"]=-164432-(-164453);o=-781419-(-781432);P=986869-986815;O=-673858-(-673909);C=199148-199142;["\051"]=748407+-748351;z=1039920-1039872,R=270123-270120;x=-919613+919651;B=175653+-175633,["\055"]=236519+-236509;e=-708470+708495,H=367712-367659,K=-432429+432451,l=-462510+462553}for c=-765175-(-765176),#P,427949+-427948 do local N=P[c]if e(N)=="\115\116\114\105\110\103"then local e=Q(N)local M={}local b=-1036928+1036929 local o=810937-810937 local B=-823994+823994 while b<=e do local c=j(N,b,b)local P=Z[c]if P then o=o+P*(-952830+952894)^((-413738-(-413741))-B)B=B+(-1001663+1001664)if B==513844-513840 then B=-882043-(-882043)local c=Y(o/(248616+-183080))local j=Y((o%(89441-23905))/(645364+-645108))local e=o%(-926653+926909)E(M,l(c,j,e))o=-936893-(-936893)end elseif c=="\061"then E(M,l(Y(o/(-172391-(-237927)))))if b>=e or j(N,b+(-541169+541170),b+(-109667+109668))~="\061"then E(M,l(Y((o%(-1035904+1101440))/(939837-939581))))end break end b=b+(882299+-882298)end P[c]=K(M)end end end return(function(c,e,P,Q,E,Y,K,G,A,l,V,Z,b,o,X,N,B,M,i)G,Z,o,b,A,X,l,N,M,i,V,B=function(c,j)local e=o(j)local P=function(P,Q,E)return l(c,{P;Q,E},j,e)end return P end,{},function(c)for j=-796857+796858,#c,-204005-(-204006)do N[c[j]]=N[c[j]]+(-908796+908797)end if P then local l=P(true)local e=E(l)e[j(-927939-(-932605))],e[j(646247-641588)],e[j(634538-629876)]=c,B,function()return 591794-(-235495)end return l else return Q({},{[j(656180+-651521)]=B,[j(452648-447982)]=c;[j(-734135+738797)]=function()return 1018431-191142 end})end end,-692021-(-692021),function(c,j)local e=o(j)local P=function()return l(c,{},j,e)end return P end,function(c)N[c]=N[c]-(461550+-461549)if N[c]==-2080+2080 then N[c],Z[c]=nil,nil end end,function(l,P,Q,E)local I,m,t,o,C,f,n,F,H,r,W,L,q,V,K,y,N,w,p,u,J,O,b,x,U,B,k,g,z,h,a,d,D,s while l do if l<-283113+8987764 then if l<4718491-70882 then if l<498198-(-963902)then if l<584304-(-179942)then if l<-125000-(-529072)then if l<-708726+907035 then if l<726000-591794 then n=-196133-(-196134)s=I[n]n=false J=l m=s==n F=m l=m and 9123063-1040384 or 16420438-866939 else l=true l=l and 4798706-(-438702)or-756855+12098001 end else l=281833+-101092 end else if l<-296745+985120 then k=403180+-403178 b=Z[Q[420077+-420074]]o=717366+-717334 N=b%o B=Z[Q[596786+-596782]]x=81392-81379 L=Z[Q[464494+-464492]]h=Z[Q[702585-702582]]U=h-N h=-791321-(-791353)H=U/h l=12802471-975934 d=x-H q=k^d C=L/q q=257065-257064 V=B(C)B=-215207+4295182503 o=V%B V=-354283+354285 B=V^N b=o/B B=Z[Q[-501040+501044]]N=nil L=b%q q=4295523825-556529 C=L*q V=B(C)B=Z[Q[-586670-(-586674)]]C=B(b)o=V+C x=-494319+494575 V=-429999-(-495535)B=o%V L=687283-621747 C=o-B V=C/L L=-623091+623347 C=B%L o=nil q=B-C k=125796+-125540 L=q/k b=nil k=-37537+37793 q=V%k d=V-q k=d/x d={C;L;q,k}Z[Q[966462+-966461]]=d V=nil C=nil q=nil k=nil B=nil L=nil else W=#U a=782904+-782904 h=W==a l=h and 156517+10708455 or-306858+14831206 end end else if l<351083+684287 then if l<1003092-176677 then N=Z[Q[837435-837434]]K=#N N=90339+-90339 l=K==N l=l and-864315+8941361 or 295017+11531520 else q=j(-27809+32469)l={}d=393580+-393579 L=-902077-(-902332)Z[Q[-1016702-(-1016704)]]=l V=882619+35184371206213 l=-6496+15647038 K=Z[Q[-743604-(-743607)]]B=K K=b%V Z[Q[645688-645684]]=K C=b%L L=756025-756023 V=C+L Z[Q[233516-233511]]=V L=c[q]q=j(876539+-871902)C=L[q]L=C(N)C=j(-821879-(-826554))k=L q=-654964+654965 o[b]=C C=-781048+781080 x=d d=220519-220519 H=x<d d=q-x end else if l<-208870+1397026 then Z[Q[823802+-823797]]=K l=-638388+9814220 N=nil else l=-1000127+8653737 Z[b]=K end end end else if l<-595634+3111827 then if l<1651041-(-572786)then if l<1998163-198438 then if l<609139+977571 then Z[b]=u l=Z[b]l=l and-819321+15775298 or-727991+8254109 else z=Z[b]u=z l=z and 405997+14658527 or 562097-(-976510)end else V=405167-405165 b=Z[Q[266665-266664]]B=425262-425261 o=b(B,V)b=-251111-(-251112)N=o==b K=N l=N and 8013781-717558 or 507760+14482010 end else if l<257320+2023630 then o=Z[Q[11049-11040]]B=o l={}b=495536-495535 N=l l=8565029-(-500208)o=621620-621619 V=o o=-968830+968830 C=V<o o=b-V else b=Z[Q[836029-836026]]o=166757+-166686 N=b*o b=-59426+59683 l=13329143-(-870075)K=N%b Z[Q[804540-804537]]=K end end else if l<4029913-282985 then if l<-463342+3940959 then r=j(-701238+705898)z=c[r]q=d r=j(574048-569394)u=z[r]z=u(N,q)q=nil u=Z[Q[653754-653748]]r=u()W=z+r h=W+C W=-980094-(-980350)U=h%W r=703670+-703669 C=U W=o[b]l=-783800+16424342 z=C+r u=B[z]h=W..u o[b]=h else l=true l=l and-299817+11909771 or 541361+12372185 end else if l<4530074-591922 then p=not a u=u+r K=u<=z K=p and K p=u>=z p=a and p K=p or K p=151461+16145485 l=K and p K=-318378+1938907 l=l or K else b=P[-298215-(-298217)]N=P[360172-360171]l=Z[Q[306923-306922]]o=l l=o[b]l=l and 13491389-502576 or 658868+175205 end end end end else if l<7300005-59234 then if l<-876859+6527623 then if l<5402440-44769 then if l<-330666+5549059 then if l<899644+4145302 then f=not w W=W+p h=W<=a h=f and h f=W>=a f=w and f h=f or h f=13812357-(-670517)l=h and f h=10327515-41121 l=l or h else l=-219111+6833329 d=j(616819+-612169)k=c[d]K=k end else a=-153381+153387 r=779705-779704 l=Z[L]z=l(r,a)l=j(902524+-897871)c[l]=z a=j(-935357+940010)r=c[a]a=-1033600+1033602 l=r>a l=l and 432493+14582878 or 10054547-708726 end else if l<6418647-995007 then o=Z[Q[-252322-(-252328)]]l=-926269+1969244 b=o==N K=b else l=14958825-938813 end end else if l<6113427-(-164837)then if l<129700+5799250 then x=nil B=X(B)H=nil L=X(L)W=X(W)d=X(d)h=nil k=X(k)o=X(o)U=nil b=X(b)k=j(113636+-108976)b=nil L=j(23492-18849)C=nil q=nil l=726967+4311779 V=X(V)o=nil U={}C=j(-446795-(-451438))V=c[C]h=824763-824762 C=j(127392-122724)B=V[C]V=M()Z[V]=B d=M()q=j(-471919+476570)C=c[L]L=j(363819+-359148)B=C[L]L=c[q]q=j(337514+-332875)C=L[q]q=c[k]x={}k=j(-885755+890410)W=-891004-(-891260)L=q[k]k=M()a=W W=228839+-228838 H=M()q=5152-5152 Z[k]=q q=-319274+319276 p=W Z[d]=q q={}Z[H]=x x=617139+-617139 W=-149797-(-149797)w=p<W W=h-p else K={}l=c[j(-646427-(-651060))]end else if l<-191334+7011448 then k=M()d=712441-712438 U=j(-795640-(-800313))Z[k]=K x=232040-231975 l=Z[L]K=l(d,x)h=i(8020948-(-990527),{})d=M()Z[d]=K K=c[U]r=j(-444552-(-449198))l=334250+-334250 x=l U={K(h)}l=-594930+594930 H=l l={e(U)}K=-875065-(-875067)U=l l=U[K]K=j(194119-189478)h=l l=c[K]W=Z[o]z=c[r]r=z(h)z=j(376618-371948)u=W(r,z)W={u()}K=l(e(W))W=M()Z[W]=K u=Z[d]K=946366-946365 z=u u=566834+-566833 r=u u=-544-(-544)a=r<u l=2852534-(-928701)u=K-r else K=j(-617499-(-622131))l=c[K]N=j(83555+-78897)K=l(N)K={}l=c[j(896435-891772)]end end end else if l<368683+7634162 then if l<8216778-633332 then if l<-704374+8068382 then if l<6398215-(-899836)then l=K and 861051+7743884 or 9377790-201958 else l=true Z[Q[733880-733879]]=l K={}l=c[j(204028-199398)]end else l=true l=12031375-(-882171)end else if l<303401+7346839 then C=K L=j(626390-621747)K=c[L]L=j(-868859+873530)l=K[L]L=M()H=j(-61111-(-65762))q=j(103182-98531)Z[L]=l K=c[q]q=j(-824378+829043)l=K[q]d=l x=c[H]q=l k=x l=x and 276905+13256692 or 12117009-(-827770)else l=4726128-944893 I=nil O=X(O)p=X(p)t=X(t)f=X(f)D=X(D)w=X(w)end end else if l<-83491+8207227 then if l<8650757-572466 then o=900540+-900439 b=Z[Q[547571-547569]]N=b*o b=-108515+17169655850584 K=N+b N=35184372305831-216999 l=K%N b=48483-48482 Z[Q[-859131+859133]]=l N=Z[Q[1019267-1019264]]K=N~=b l=-375852+2694770 else n=-937595-(-937597)l=-61282+15614781 s=I[n]n=Z[D]m=s==n F=m end else if l<9007662-418477 then m=1029632+-1029631 J=I[m]l=11592130-169061 F=J else K=j(-268935-(-273576))q=j(417901+-413228)B=j(666293+-661647)l=c[K]N=Z[Q[-210083-(-210087)]]o=c[B]L=c[q]k=G(67746+11257016,{})q={L(k)}C={e(q)}L=301929+-301927 V=C[L]B=o(V)o=j(411819-407149)b=N(B,o)N={b()}K=l(e(N))b=Z[Q[114084+-114079]]N=K l=b and 4713008-(-653428)or 4512+1038463 K=b end end end end end else if l<12560594-(-379180)then if l<10428715-(-641140)then if l<312042+9184046 then if l<9979688-874427 then if l<334890+8722644 then if l<893180+8122679 then o=1336265-(-362091)K=169253+14466714 b=j(-966526+971160)N=b^o l=K-N K=j(660114-655476)N=l l=K/N K={l}l=c[j(456814+-452183)]else F=Z[b]K=F l=F and 53666+6239 or 283497+921787 end else L=not C o=o+V b=o<=B b=L and b L=o>=B L=C and L b=L or b L=15799362-(-667061)l=b and L b=-300521+9806091 l=l or b end else if l<9680334-496367 then l=Z[Q[348146-348139]]l=l and 13762565-830586 or-411053+2675186 else a=j(1034368+-1029715)l=c[a]a=j(-948029+952664)c[a]=l l=-171174-(-543921)end end else if l<9359073-(-687157)then if l<9509207-(-325354)then l=Z[Q[638644+-638634]]b=Z[Q[-860283+860294]]N[l]=b l=Z[Q[-551973-(-551985)]]b={l(N)}K={e(b)}l=c[j(-773580-(-778232))]else K=j(-1029504+1034157)N=j(4704+-69)l=c[K]K=c[N]N=j(326122+-321487)c[N]=l N=j(916585-911932)c[N]=K l=14107855-87843 N=Z[Q[-197925-(-197926)]]b=N()end else if l<-349995+10891926 then W=#U l=-163301+14687649 a=-120804+120804 h=W==a else h={}W=M()a=A(857338-51938,{W;k;d;V})L=nil Z[W]=h h=M()Z[h]=a a={}f={}L=11208059113827-(-87907)p=M()w=j(-213543+218210)Z[p]=a q=nil K={}I=j(-756535+761177)a=c[w]D=Z[p]O=j(-607155+611821)V=X(V)m=nil x=nil t={[O]=D,[I]=m}w=a(f,t)U=nil a=G(3516490-(-535089),{p,W,H,k,d,h})h=X(h)o=w B=nil l=c[j(-913896-(-918524))]U=-339755+3823711665428 p=X(p)b=a H=X(H)C=nil k=X(k)C=j(-362619-(-367275))V=b(C,L)B=o[V]V=j(870205-865531)L=j(671989+-667320)c[V]=B d=X(d)q=30052804039115-730231 W=X(W)C=b(L,q)V=o[C]C=j(712374+-707730)c[C]=V H=j(-143140+147804)L=j(177166-172517)k=j(-772600+777277)C=c[L]q=c[k]x=b(H,U)d=o[x]b=nil x=j(-411949+416596)x=q[x]k={x(q,d)}L=C(e(k))C=L()o=nil end end end else if l<-905852+13063359 then if l<918716+10574198 then if l<12120865-738231 then if l<12038251-702902 then b=j(-505712+510348)K=-775416+12188245 o=-611827+11962190 N=b^o l=K-N N=l K=j(623219+-618590)l=K/N K={l}l=c[j(731639+-726991)]else l=c[j(-581102-(-585778))]K={}end else Z[b]=F y=-352171+352172 n=Z[t]s=n+y m=I[s]J=x+m m=647860+-647604 l=J%m x=l s=Z[f]m=H+s l=7064952-(-588658)s=-289577+289833 J=m%s H=J end else if l<11723055-65378 then l=-518512+699253 else o=j(-333418+338069)b=c[o]o=j(163493+-158854)l=c[j(334570+-329909)]N=b[o]o=Z[Q[903997-903996]]b={N(o)}K={e(b)}end end else if l<-457198+13290540 then if l<13670887-967166 then B=nil l=12866601-(-218471)C=nil L=nil else J=Z[b]l=J and 7553414-(-987007)or-625075+12048144 F=J end else if l<401708+12518082 then l=A(6078490-443246,{B})z={l()}K={e(z)}l=c[j(-953305-(-957950))]else o=-285097-(-285097)N=j(596210+-591578)l=c[N]b=Z[Q[-401380-(-401388)]]N=l(b,o)l=2942394-678261 end end end end else if l<14084746-(-638324)then if l<990463+13031447 then if l<12886367-(-394476)then if l<12865351-(-216167)then if l<899260+12048253 then K=k l=d l=k and 6886066-271848 or 1029760+4178975 else l=460654+12624418 end else K={b}l=c[j(739639+-734967)]end else if l<-750327+14748295 then U=j(628019+-623368)H=c[U]U=j(-1013631+1018281)l=13381113-436334 x=H[U]k=x else l=true l=l and 277097+9731273 or 6147356-17505 end end else if l<15274429-769592 then if l<13710071-(-512304)then b=Z[Q[-122596+122599]]o=455855-455854 N=b~=o l=N and 811256-394988 or 105123+2213795 else h=W f=h U[h]=f l=-455534+5494280 h=nil end else if l<49698+14553818 then W=585267-585266 a=#U h=B(W,a)f=942206-942205 W=C(U,h)a=Z[H]h=nil w=W-f p=L(w)a[W]=p l=-82531+814201 W=nil else C=Z[V]l=274024+7347841 K=C end end end else if l<15781727-151845 then if l<-226087+15287553 then if l<14105029-(-895164)then if l<15331039-370859 then l=-502704+6340706 else b=Z[Q[996545-996543]]o=Z[Q[203817-203814]]N=b==o l=-907388+8203611 K=N end else r=j(-116286-(-120932))l=c[r]p=j(-297449+302084)a=c[p]r=l(a)l=j(555761+-551108)c[l]=r l=-863803+1236550 end else if l<16447034-957374 then l=-980414+2519021 z=x==H u=z else l=J l=-758904+1964188 K=F end end else if l<16326815-177958 then if l<15961335-100131 then U=not H d=d+x q=d<=k q=U and q U=d>=k U=H and U q=U or q U=1009215+1752085 l=q and U q=12062224-(-451438)l=l or q else B=M()N=P b=M()l=true Z[b]=l o=j(1026868-1022208)K=c[o]o=j(69011-64354)l=K[o]L=j(551473+-546800)o=M()Z[o]=l V=M()l=G(978814+6067545,{})Z[B]=l q=G(967742+6333601,{V})l=false Z[V]=l C=c[L]L=C(q)l=L and 13771076-(-833146)or 107875+7513990 K=L end else if l<-539057+16982423 then g=-57106-(-67106)p=M()t=-75874+76129 Z[p]=u w=j(-711414+716057)I=827516-827514 K=c[w]w=j(26529+-21858)l=K[w]f=-211459-(-211559)w=185895-185894 K=l(w,f)f=-882875+882875 w=M()Z[w]=K l=Z[L]K=l(f,t)y=-282217-(-282217)f=M()Z[f]=K D=-40417+40418 m=j(-821881+826527)t=248872+-248871 l=Z[L]O=Z[w]K=l(t,O)t=M()Z[t]=K K=Z[L]O=K(D,I)I=j(72949-68322)K=94116-94115 l=O==K O=M()K=j(-121574-(-126244))Z[O]=l J=c[m]l=j(697877-693237)s=Z[L]n={s(y,g)}m=J(e(n))J=j(-500144+504771)l=h[l]F=m..J D=I..F l=l(h,K,D)D=M()Z[D]=l I=j(215912-211239)K=c[I]F=G(1023295-(-975102),{L;p;d,o;b;W,O;D;w,t;f;k})I={K(F)}l={e(I)}I=l l=Z[O]l=l and 8644199-(-412333)or 13569470-755767 else b=o q=686133+-686133 l=Z[Q[-1044671-(-1044672)]]k=58913-58658 L=l(q,k)N[b]=L l=237287+8827950 b=nil end end end end end end end l=#E return e(K)end,{},function()b=b+(657461-657460)N[b]=429485+-429484 return b end,function(c,j)local e=o(j)local P=function(P,Q,E,Y)return l(c,{P;Q;E,Y},j,e)end return P end,function(c,j)local e=o(j)local P=function(...)return l(c,{...},j,e)end return P end,function(c)local j,l=603059+-603058,c[150437+-150436]while l do N[l],j=N[l]-(421165+-421164),(145573+-145572)+j if N[l]==-599795+599795 then N[l],Z[l]=nil,nil end l=c[j]end end return(V(-1035456+16937638,{}))(e(K))end)(getfenv and getfenv()or _ENV,unpack or table[j(-252008+256658)],newproxy,setmetatable,getmetatable,select,{...})end)(...)

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

79662367

Date: 2025-06-11 16:45:58
Score: 3.5
Natty:
Report link

Looks like you're getting the error on a cached page. A solution here

What is the "Temporary ASP.NET Files" folder for?

suggests emptying the Temporary ASP.NET files folder.

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

79662363

Date: 2025-06-11 16:40:57
Score: 1.5
Natty:
Report link

I was able to accomplish this by always providing a (unique) recipient to the optional template role while creating the envelope with the created status (so it isn't sent immediately), then conditionally deleting that recipient from the envelope (via the delete recipient endpoint) if the optional role isn't desired, then sending the envelope.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Allen Aston

79662360

Date: 2025-06-11 16:36:56
Score: 1
Natty:
Report link

I've just faced similar error and spent hours trying to figure it out. I was able to fix it by clearing all caches like so:
yarn cache clean --all

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

79662359

Date: 2025-06-11 16:35:55
Score: 4
Natty:
Report link

thanks, apparently its an issue related to the image provide by microsoft, its not compatible with the api version, i downgraded to another version and it works perfectly fine

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: Apocalyps

79662351

Date: 2025-06-11 16:30:54
Score: 1
Natty:
Report link

And what if the XML has attributes and value? I am only getting the string for the attribute and not the value of the root struct field...

Example XML:

<SupplierParty>
      <EndpointID schemeID="0235">8418857591953</EndpointID>
      <PostalAddress>......
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Luis Simoes

79662343

Date: 2025-06-11 16:24:52
Score: 2
Natty:
Report link

See https://github.com/containers/podman/discussions/25891

The fix listed in the comment https://github.com/containers/podman/discussions/25891#discussioncomment-12853315, which fixed the issue for me, was:

vi ~/.config/containers/containers.conf

Paste the following content:

[engine]
runtime = "/usr/bin/crun"
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mark

79662336

Date: 2025-06-11 16:22:51
Score: 1
Natty:
Report link

I was able to clear out the token by hovering over it in the VS Code editor and then clicking "Clear":

enter image description here

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

79662322

Date: 2025-06-11 16:14:49
Score: 2
Natty:
Report link

Solved it by excluding @azure/service-bus from the bundler. Next.js has a feature for that: https://nextjs.org/docs/app/api-reference/config/next-config-js/serverExternalPackages

// in next.config.js
/** @type {import("next").NextConfig} */
const config = {
    serverExternalPackages: ["@azure/service-bus"],
};
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Daniel H

79662315

Date: 2025-06-11 16:10:48
Score: 3.5
Natty:
Report link

Fixed it using:

firebase-admin
Reasons:
  • Low length (2):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Has no white space (0.5):
  • Low reputation (1):
Posted by: DominikReber

79662312

Date: 2025-06-11 16:06:47
Score: 4.5
Natty: 4.5
Report link

Please check here: https://googlechromelabs.github.io/chrome-for-testing/#stable

If I need a specific version of ChromeDriver, I just replace the version number in this link: https://storage.googleapis.com/chrome-for-testing-public/{version}/win64/chrome-win64.zip

Reasons:
  • Blacklisted phrase (0.5): I need
  • Blacklisted phrase (1): this link
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Nataliya

79662310

Date: 2025-06-11 16:06:47
Score: 2.5
Natty:
Report link

I discovered the issue; it is the EnvStats Package.

When you download and attach the EnvStats Package (Package for Environmental Statistics, Including US EPA Guidance), it will affect your print function.

Detaching this package solved the issue.

Deeply appreciate the help.

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

79662308

Date: 2025-06-11 16:00:45
Score: 2
Natty:
Report link

Sam's comment is the correct answer.
A Card Action is optional. If it has an External Application associated with it then it will show a button with the default label "View More" EVEN IF the label text box is cleared.

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

79662297

Date: 2025-06-11 15:53:42
Score: 5.5
Natty:
Report link

Correct, you cannot in fact delete only one event, but can truncate the stream at that position. After issuing your delete, you must scavenge the database to see the effects of the truncation. Have you performed a scavenge operation after the delete?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Tony Young

79662289

Date: 2025-06-11 15:47:40
Score: 1
Natty:
Report link

Add to settings.json if on Mac - might not be finding the git path properly

"git.path": "/opt/homebrew/bin/git"
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mitch Williams

79662274

Date: 2025-06-11 15:40:38
Score: 2.5
Natty:
Report link

The generative-ai package you've shared is marked as inactive.

And the Homepage is a google repo on github that is marked as DEPRECATED.

I suggest you restart your efforts on a project that is still maintained such as https://github.com/google-gemini/gemini-api-quickstart (latest commit yesterday)

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

79662265

Date: 2025-06-11 15:35:37
Score: 2
Natty:
Report link

With Tailwind v4, tailwind.config.js configuration is no longer supported. All changes to base styles should be done in CSS directly. Details of how to do this and the default styles, "Preflight," is here: Preflight: An opinionated set of base styles for Tailwind projects

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

79662264

Date: 2025-06-11 15:35:37
Score: 1
Natty:
Report link

How can I configure Angular to recognize which environment (dev or prod) to use based on the deployed web app service? What is the best approach to ensure the correct environment settings are applied dynamically during deployment?

To configure Angular to recognize whether to use the dev or production environment based on the deployed web app service, follow the steps below:

 "configurations": {
           "production": {
             "fileReplacements": [
               {
                 "replace": "src/environments/environment.ts",
                 "with": "src/environments/environment.prod.ts"
               }
             ],
             "outputHashing": "all",
             "budgets": [
               {
                 "type": "initial",
                 "maximumWarning": "500kB",
                 "maximumError": "1MB"
               },
               {
                 "type": "anyComponentStyle",
                 "maximumWarning": "4kB",
                 "maximumError": "8kB"
               }
             ]
           },
           "development": {
             "optimization": false,
             "extractLicenses": false,
             "sourceMap": true
           },
           "dev": {
             "fileReplacements": [
               {
                 "replace": "src/environments/environment.ts",
                 "with": "src/environments/environment.dev.ts"
               }
             ],
             "optimization": false,
             "outputHashing": "none",
             "sourceMap": true,
             "extractLicenses": false
           }
         },
 - name: Build Angular app with dev config
  run: npm run build -- --configuration=dev
  
 - name: Build Angular app with production config
   run: npm run build -- --configuration=production
ENVIRONMENT=dev 
ENVIRONMENT=prod

enter image description here

Azure Output:

enter image description here

enter image description here

Reasons:
  • Blacklisted phrase (0.5): How can I
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): How can I
Posted by: Aslesha Kantamsetti

79662261

Date: 2025-06-11 15:33:36
Score: 3.5
Natty:
Report link

You can achieve this in Apache Airflow by using Asset Aware Scheduling.

Once you have a DAG that uses an asset for scheduling, you can trigger it via the Airflow API Asset event endpoint.

However for this to work, your events must be able to reach the Airflow API. How are you pushing your events?

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

79662241

Date: 2025-06-11 15:24:34
Score: 3
Natty:
Report link

In the new version of iReport, which is JasperStudio, it can be done as follows:

new java.text.DecimalFormat("#,##0.00", DecimalFormatSymbols.getInstance(new Locale("es", "VE"))).format($F{grandtotal})

I leave this here, in case someone needs it. Regards

Reasons:
  • Blacklisted phrase (1): Regards
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ROGER ROMERO

79662238

Date: 2025-06-11 15:23:33
Score: 4
Natty:
Report link

I have same issue and fixed:

  1. Uninstall ACE 64 bit version

  2. installing ACE 32 bit by CMD run: $yourPath$\AccessDatabaseEngine.exe /quiet

  3. in SQL Agent jobs --SSIS step---select "32-bit runtime"

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have same issue
  • Low reputation (0.5):
Posted by: ZXBUCKS

79662236

Date: 2025-06-11 15:22:32
Score: 3
Natty:
Report link

update for Angular 19:

import MatInputModule

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Jerry

79662233

Date: 2025-06-11 15:21:32
Score: 3
Natty:
Report link

Number 1 should be faster because you're looping over container_length only once but in Number 2 you're looping over containers 4 times and doing the same thing

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

79662231

Date: 2025-06-11 15:19:31
Score: 3
Natty:
Report link

This looks like already existing issue with matplotlib: #26972. It has not yet been resolved

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Krzysiek Kucharski

79662201

Date: 2025-06-11 14:54:23
Score: 1.5
Natty:
Report link

So I appear to have figured out a solution, but it is somewhat of a hack:
One can keep track of the running VQ loss as another state variable of the RNN. Then, with return_states=True, one can access the final VQ loss via one of the return values of the RNN.
To get this to work, one has to use tf.fill to fill an entire tensor that in particular covers the batch size with the respective vq loss values. Finally, using the mentioned state output of the RNN, tf.reduce_mean will do the trick followed by an add_loss call.

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

79662193

Date: 2025-06-11 14:49:22
Score: 1
Natty:
Report link

The "feature" is actually called "Inline Completion".

If you go to Editor -> General -> Inline Completion and untick "Enable local Full Line completion suggestions". Then the made up class members will completely disappear.

As an aside, this is a very annoying feature which constantly threw me off my chain of thought with its wrong suggestions that didn't correspond to anything in my codebase.

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

79662190

Date: 2025-06-11 14:47:22
Score: 3
Natty:
Report link

@Victor
Using bun --bun worked for me. Here is a link to their docs
https://bun.sh/docs/cli/run#bun

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1.5):
  • No code block (0.5):
  • User mentioned (1): @Victor
  • Low reputation (1):
Posted by: user3571431

79662179

Date: 2025-06-11 14:43:20
Score: 3
Natty:
Report link

I'm trying to implement leaderboard entries using Va Rest in Unreal and Firestore, and your second screenshot looks like is helping me to get it almost done.
However, looks like my make Json structs are wrong somehow, having these type of errors, no matter how I call the fields.

"code": 400,
"message": "Invalid value at 'document.fields[0].value' (type.googleapis.com/google.firestore.v1.Value), \"test\"",
"status": "INVALID_ARGUMENT",

In my FireStore I only have a simple collection (Tartarus), and the call URL is correct if I don't add fields.

Any clue what I'm doing wrong?

blueprint
Firestore setup

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Álvaro García

79662167

Date: 2025-06-11 14:37:18
Score: 0.5
Natty:
Report link

The problem was not in the creation of the rule but during the populating of the data. The values written inside the Vendor column, of the Vendors sheet, were being written by another method with whitespace, so adding a TRIM where I valued the column no longer invalidated the rule and it works.

ws.Cells[c.Value + startRow].Value = string.IsNullOrEmpty(cellValue) ? (object)null : cellValue.Trim();
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: VirtualCom

79662162

Date: 2025-06-11 14:35:17
Score: 0.5
Natty:
Report link

I know this question is very old but still relevant.

We now have the ability to provide an "Alternative text after /" to the content attribute (ex: content: '✅' / 'ticked') .

Be sure to add a fallback as a first line in order not to break the compatibility.

Using attr it allows you to pass translations from the HTML element.

<li data-bullet="tick">Lorem ipsum dolor</li>
li:before {
  content: '✅';
  content: '✅' / attr(data-bullet);
}

Sources:

Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: lbineau

79662160

Date: 2025-06-11 14:33:17
Score: 0.5
Natty:
Report link

You can copy the curl from postman:

enter image description here

Then write a small bash script like:

#!/bin/bash

# This script sends the same cURL POST request 100 times to the specified endpoint.

# Loop from 1 to 100
for i in {1..100}
do
   # Print the current request number to the console to track progress
   echo "Sending request #$i..."

   curl 'YourAPIEndpointHere'

    # Uncomment the next line if you want to add a delay between requests
#    sleep 1
done

echo "Script finished. Sent 100 requests."
Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
Posted by: Eli Zatlawy

79662155

Date: 2025-06-11 14:29:15
Score: 10 🚩
Natty: 6
Report link

I implemented the above solution using useLazyQuery of rtk query. I am facing an issue where when I invalidate tag for this api on create/update/delete to get updated data in the table. The api is getting called but it's not updating the data in table as it is not being called through serverSideDataSource.

Does anyone know how to solve this?

Reasons:
  • Blacklisted phrase (1): how to solve
  • RegEx Blacklisted phrase (2): Does anyone know
  • RegEx Blacklisted phrase (1.5): how to solve this?
  • RegEx Blacklisted phrase (2): know how to solve
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Yasir Lambawala

79662152

Date: 2025-06-11 14:27:14
Score: 3.5
Natty:
Report link

Enter into cell D1: =UNIQUE($A$1:$B$9)

Reasons:
  • Low length (2):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Matthew Montgomery

79662151

Date: 2025-06-11 14:26:14
Score: 1
Natty:
Report link

May I suggest a different naming?
It makes the code more readable to me

Given enums Alpha and Beta
Then I create the following class

public static class AlphaFrom
{
  public static Alpha Beta(Beta beta) => beta switch
  {
    Alpha.Item1 => Beta.I1,
    Alpha.Item2 => Beta.I2,
    Alpha.Item3 => Beta.I3,
    _ => throw new ArgumentException("")
  }
}

Because the code using it becomes easy to read

var beta = BetaFromWhatever();
var alpha = AlphaFrom.Beta(beta);
Reasons:
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Roger Wernersson

79662150

Date: 2025-06-11 14:22:12
Score: 0.5
Natty:
Report link

Found it, apparently the check is already done by ARM's address alignment. There's no mechanism for handling page-boundary crossing in itself since the virtual addresses are already designed in a way where that kind of situation wouldn't happen.

enter image description here

This design is what prevents any potential page-crossing once the translation process begins, and that makes sense since it occupies the bytes that can only be covered by the access size in the case where all bits are 1 except the 0th and 1st index (for a word access), preventing any kind of bit overflow around the last indexes of the page.

So in the example of a 4-byte access, the address MUST be divisible by 4 so that it guarantees there's enough space at the page ending for no crossing to occur. It's the same story with a 2-byte access, where it must be divisible by 2.

It was my 3rd hypothesis apparently, but I wish the ARM documentation would specify why the alignments where designed and what they are for. It took me a lot of mental bit twiddling and documentation digging to find this out. However, alignment checking is optional, so I'm not sure what happens in the case where it's disabled and an actual page crossing happens.

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

79662144

Date: 2025-06-11 14:16:11
Score: 1
Natty:
Report link

I have another case with "checksum mismatch" error while module fetching. In my case we use golang module's git repository with git-lfs plug-in. Some of developer had git-lfs some didn't have and that cause race condition in go.sum.

We temporally resolve problem by install git-lfs on all developer's computers, but later we turned off git-lfs support in repository with private modules.

Our temporally decision was :

sudo apt install git-lfs

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

79662143

Date: 2025-06-11 14:16:11
Score: 3
Natty:
Report link

I seems the output of the OCR is empty. You may have given a blank image or the model doesn't perform enough

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Guillaume-Crand

79662141

Date: 2025-06-11 14:14:10
Score: 3.5
Natty:
Report link

You have to make sure you're in the subdirectory where the modules are.

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

79662136

Date: 2025-06-11 14:12:10
Score: 1.5
Natty:
Report link

I am not sure, but it seems that sudo is not installed by default on Arch Linux and your user gwen is not in the sudoers group.

You could try:

1. Exit WSL completely

2. Open Windows Command Prompt and run: `wsl -u root`

3. This will log you back as root

4. Then run bash

pacman -S sudo

usermod -aG wheel gwen

5. Exit and restart WSL, after that I Hope gwen should be able to use sudo

Alternative: you could also set a root password with `passwd` while you are root.

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: DockSky

79662131

Date: 2025-06-11 14:10:09
Score: 0.5
Natty:
Report link

try with M4 June-25

npm uninstall -g react-native && npm uninstall -g react-native-cli

rm -rf ~/.npm/_npx

npx @react-native-community/cli init MyApp --version 0.76.9

Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: Hardik Desai

79662130

Date: 2025-06-11 14:09:08
Score: 1.5
Natty:
Report link

Thanks to @JohanC comment I was able to understand and solve the issue. It lies in fact in the method set_axisbelow() of the file axes/_base.py, the initial function is:

def set_axisbelow(self, b):
    """
    Set whether axis ticks and gridlines are above or below most artists.

    This controls the zorder of the ticks and gridlines. For more
    information on the zorder see :doc:`/gallery/misc/zorder_demo`.

    Parameters
    ----------
    b : bool or 'line'
        Possible values:

        - *True* (zorder = 0.5): Ticks and gridlines are below all Artists.
        - 'line' (zorder = 1.5): Ticks and gridlines are above patches
          (e.g. rectangles, with default zorder = 1) but still below lines
          and markers (with their default zorder = 2).
        - *False* (zorder = 2.5): Ticks and gridlines are above patches
          and lines / markers.

    See Also
    --------
    get_axisbelow
    """
    # Check that b is True, False or 'line'
    self._axisbelow = axisbelow = validate_axisbelow(b)
    zorder = {
        True: 0.5,
        'line': 1.5,
        False: 2.5,
    }[axisbelow]
    for axis in self._axis_map.values():
        axis.set_zorder(zorder)
    self.stale = True

so we can see that this method sets to 0.5, 1.5, or 2.5 the zorder of the grid and ticks.

Hence, by modifying this function we can apply the zorder needed. I modified it as following:

    def set_axisbelow(self, b):
        """
        Set whether axis ticks and gridlines are above or below most artists.

        This controls the zorder of the ticks and gridlines. For more
        information on the zorder see :doc:`/gallery/misc/zorder_demo`.

        Parameters
        ----------
        b : bool or 'line'
            Possible values:

            - *True* (zorder = 0.5): Ticks and gridlines are below all Artists.
            - 'line' (zorder = 1.5): Ticks and gridlines are above patches
              (e.g. rectangles, with default zorder = 1) but still below lines
              and markers (with their default zorder = 2).
            - *False* (zorder = 2.5): Ticks and gridlines are above patches
              and lines / markers.

        See Also
        --------
        get_axisbelow
        """
        # Check that b is True, False or 'line'
        self._axisbelow = axisbelow = validate_axisbelow(b)
        zorder = {
            True: 0.5,
            'line': 1.5,
            False: 2.5,
        }.get(axisbelow, axisbelow)           # MODIF HERE 
        for axis in self._axis_map.values():
            axis.set_zorder(zorder)
        self.stale = True

There's also the need to modify the function validate_axisbelow so that it accepts number as argument (function located in file: rcsetup.py), here is how i made it:

def validate_axisbelow(s):
    try:
        return validate_bool(s)
    except ValueError:
        if isinstance(s, str):
            if s == 'line':
                return 'line'
        elif isinstance(s, Number):
            return s
    raise ValueError(f'{s!r} cannot be interpreted as'
                     ' True, False, "line", or zorder value')

Finally see my working code where i can adjust the grid zorder using in fact the custom set_axisbelow function:

import matplotlib.pyplot as plt
import numpy as np

# Sample data
x = np.arange(4)
y1 = [5, 7, 3, 6]
y2 = [4, 6, 5, 7]

# Create figure with 2 subplots
fig, axs = plt.subplots(1, 2, figsize=(8, 4), dpi=120)

# Plot on subplot 1
axs[0].bar(x, y1, color='skyblue', zorder=127)
axs[0].set_title("Subplot 1")
axs[0].grid(True)
axs[0].set_axisbelow(128)  # in fact zorder

# Plot on subplot 2
axs[1].bar(x, y2, color='salmon', zorder=76)
axs[1].set_title("Subplot 2")
axs[1].grid(True)
axs[1].set_axisbelow(75) # in fact zorder
plt.show()

and the result:

enter image description here

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @JohanC
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: roural

79662128

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

The problem is most likely in your serverRoutes file. Currently, you are using RenderMode.Prerender. You should change it to RenderMode.Server. This should fix your issue.

export const serverRoutes: ServerRoute[] = [
  {
    path: '**',
    renderMode: RenderMode.Server
  }
];
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Elvina Tarverdiyeva

79662127

Date: 2025-06-11 14:07:07
Score: 1.5
Natty:
Report link

from fpdf import FPDF

# Create a custom class for PDF generation

class MotivationPDF(FPDF):

def header(self): 

    self.set_font("Arial", "B", 14) 

    self.cell(0, 10, "NEET MOTIVATION", ln=True, align="C") 

    self.ln(5) 



def chapter_title(self, title): 

    self.set_font("Arial", "B", 12) 

    self.cell(0, 10, title, ln=True, align="L") 

    self.ln(4) 



def chapter_body(self, body): 

    self.set_font("Arial", "", 11) 

    self.multi_cell(0, 10, body) 

    self.ln() 

# Create the PDF

pdf = MotivationPDF()

pdf.add_page()

pdf.chapter_title("Powerful Motivation for NEET Aspirants")

# Motivation script

script = """

Listen closely.

You’re not just studying for an exam.

You’re fighting for a dream that will change your life and your family’s forever.

There will be distractions. There will be bad days. But guess what?

You are not here to give up. You are here to win.

Every second you spend with your books…

Is a second closer to becoming a doctor.

Every chapter you revise…

Takes you closer to that white coat.

You’re not doing this just for a rank.

You’re doing this to hear the words one day:

‘Congratulations. You are now a doctor.’

So wake up, rise up, and own this day.

Because NEET isn’t just a test.

It’s your story of grit, sacrifice, and greatness.

And this story ends only one way:

With your victory.

"""

pdf.chapter_body(script)

# Save the PDF

pdf_path = "/mnt/data/NEET_Moti

vation_Poster.pdf"

pdf.output(pdf_path)

pdf_path

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

79662124

Date: 2025-06-11 14:06:07
Score: 0.5
Natty:
Report link

In my case my problem was with aws credentials not being set correctly in my shell session, thats why k9s could not get cluster data (pods, namespaces ...) and kubectl commands where not working either.

Make sure whatever shell session you open to run k9s in, has credentials to connect to the cluster.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Amir nazary

79662123

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

The Invertase extension for Stripe integrates Stripe to Firestore, so products you add in Stripe gets created in Firestore. Not from Firestore to Stripe.

You can create products in your Stripe dashboard. If you want to create products from your code, then check out Stripe's SDK or use Stripe CLI

https://docs.stripe.com/sdks

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

79662119

Date: 2025-06-11 14:01:05
Score: 1.5
Natty:
Report link
const calcDay = date => [31, new Date(new Date(date).getFullYear(), 2, 0).getDate(), 31, 30, 31, 30, 31, 31, 30, 31, 30, 31].reduce((d, m, i) => i < new Date(date).getMonth() ? m + d : new Date(date).getMonth() === i ? new Date(date).getDate() + d : d, 0);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Serj Ch

79662112

Date: 2025-06-11 13:57:03
Score: 1.5
Natty:
Report link

Other way:

usort($rows, function($a, $b) {
    return strnatcasecmp($a['yol'], $b['yol']);
});
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Joxe