79650254

Date: 2025-06-02 19:58:05
Score: 2.5
Natty:
Report link

I know this was for another person's question and your answer was great. I tried it out with what I was trying to do and it worked great with the only 2 things/concerns, one being that the photos that were distributed into the folders were not random (mixed up) it put the exact amount into all the folders but it just grabbed them in order. The only other thing was it created it's own first older called "0" and used that as the first folder to distribute to and then it ignored the last folder so no photos were put into that one. I could go through and rename the folders and delete the empty one but if there is a fix that could be added? If those 2 things could be fixed, this would be perfect. Let me know if I missed changing a variable somewhere, the attached picture is what I did... thank you enter image description here script used image

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Blacklisted phrase (1): enter image description here
  • Whitelisted phrase (-1): it worked
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Raiderz67

79650253

Date: 2025-06-02 19:57:04
Score: 2.5
Natty:
Report link

if you hover over the top of the terminal frame, it will highlight in blue to allow you to click and drag it to the top of the window until it fills the entire view

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

79650249

Date: 2025-06-02 19:53:03
Score: 2
Natty:
Report link

Used to be able to just put a label on your runner the same as a github hosted runner like ubuntu-latest but this seems to not be working for me anymore...

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

79650245

Date: 2025-06-02 19:50:02
Score: 4
Natty:
Report link

OK, i think I found a reason why the error is not raised. I use a custom logger with a config file and somehow setting the config file for logger disable/delete I don't reallyknow the library own loggers logging.config.fileConfig(Path(cwd, "logging.ini"))

Even with key word disable_existing_loggers set to False

My logging.ini:

[loggers]
keys=root, IBKR

[handlers]
keys=IBKR_handler, consoleHandler

[formatters]
keys=main

[logger_root]
handlers=consoleHandler

[formatter_main]
class=classCustomLogging.CustomFormatter

[handler_consoleHandler]
class=StreamHandler
level=CRITICAL
formatter=main
args=(sys.stdout,)

[logger_IBKR]
level=DEBUG
handlers=IBKR_handler
qualname=IBKR

[handler_IBKR_handler]
level=DEBUG
class=classCustomLogging.CustomTimedRotatingFileHandler
formatter=main
args = ("Debug-IBKR-","D", 7)

Any ideas why disable_existing_loggers doesn't seem to be effective ?

Reasons:
  • Blacklisted phrase (1): Any ideas
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: beni

79650244

Date: 2025-06-02 19:49:02
Score: 3
Natty:
Report link

you got to uninstall firefox and edge and download the new one. you should also clear you cache and it might be a bug talk to facebook report the bug

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

79650243

Date: 2025-06-02 19:49:02
Score: 1.5
Natty:
Report link

you can save your data using SharedPreferences. Your data disappears because every time you switch fragments, the fragment is recreated using onCreateView(), so your previous data is lost.

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

79650234

Date: 2025-06-02 19:42:00
Score: 1
Natty:
Report link

Alright, I found the solution. Using req.session.authenticate doesn't work. I should use req.auth.login(user) instead.

Reasons:
  • Whitelisted phrase (-2): I found the solution
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: someone

79650229

Date: 2025-06-02 19:35:58
Score: 0.5
Natty:
Report link

I just read your post and I understood what you are facing in.

The main problem is that when you are using NetMQ Router-Dealer sockets with bandwidth limiting tools like NetLimiter (set to 1 kbit/s) calling SendMulipartMessage (or even TrySendMulipartMessage with timeout) hangs indefinitely. This happens because the send operation blocks waiting for the network buffer to be available, which is serverely throttled.

Then why it happend?

NetMQ's SendMultipartMessage is a blocking call by default. If the outgoing buffer is full due to low bandwidth or slow consumers, the call will block until space is freed. even if you are using TrySendmultipartMessage with a timeout should prevent indefinite blocking, sometimes it can still hang because the underlying socket cannot send any data.

So To solve this problem ? then how can we solve this problem ?

So I think you can do like this.

First:
you can use TrySendMultipartMessage properly with a reasonable timeout and handle the failure case gracefully (e.g., retry later or drop the message).

Second:

you can implement your own message queue or backpressure system since the network is heavily throttled.

So you don't overwhelm the socket with messages faster than it can send.

Third:

you can use NetMQPoller and send messages only when the socket signals it's ready to send ( SendReady event ), to avoid blocking.

Fourth:

you can use async patterns or background workers. and Nerver block the main thread.

I will share the Example Code.

private readonly Queue<NetMQMessage> _sendQueue = new Queue<NetMQMessage>();
private RouterSocket _routerSocket;
private NetMQPoller _poller;

public void Setup()
{
    _routerSocket = new RouterSocket();
    _routerSocket.Bind("tcp://*:5555");

    _routerSocket.SendReady += (s, e) =>
    {
        if (_sendQueue.Count > 0)
        {
            var msg = _sendQueue.Peek();
            if (e.Socket.TrySendMultipartMessage(msg))
            {
                _sendQueue.Dequeue();
            }
            else
            {
                // Send failed; try again next SendReady event
            }
        }
    };

    _poller = new NetMQPoller { _routerSocket };
    _poller.RunAsync();
}

public void EnqueueMessage(NetMQMessage msg)
{
    _sendQueue.Enqueue(msg);
}

I hope this helps you.

Thanks.
Jeremy.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): how can we
  • Whitelisted phrase (-1): hope this helps
  • Whitelisted phrase (-1.5): you can use
  • RegEx Blacklisted phrase (1.5): solve this problem ?
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Jeremy Griffin

79650221

Date: 2025-06-02 19:26:56
Score: 1
Natty:
Report link

Here's a solution for this:

# Create new df isolating the two variables of interest AND
# Remove duplicates from df_B based on 'ID'
df_B_distinct <- df_B %>% 
  select(ID, Distance) %>%
  distinct(ID, .keep_all = TRUE)

# Perform the join
result <- df_A %>%
  left_join(df_B_distinct, by = "ID")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: mchuck

79650220

Date: 2025-06-02 19:25:56
Score: 0.5
Natty:
Report link

Java packages are folders too. If you mark a directory of folder as sources root then folders inside (subdirectories) will be treated as packages. Currently it is not supported in IntelliJ-IDEA that folders inside a sources root will be treated as normal folders rather than packages.

Furthermore you can add resources like images or other files inside a Java Package but it isn't encouraged practice. There is dedicated resources folder for that purpose. Also note that there is no such thing as bot modules in Java.

A helpful blog: Read File from resources folder

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

79650219

Date: 2025-06-02 19:25:56
Score: 3.5
Natty:
Report link

so after doing everything i can think, even rewriting it in micropython, i added the internal pulldown resistor (the pullup resistor did not help) and now it seems to work.

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

79650218

Date: 2025-06-02 19:25:56
Score: 1
Natty:
Report link

This exact thing happened to me, and clearing my browser's history and cache fixed it... Couldn't tell you why.

Also of note, if I started MinIO securely (port 443 with --certs-dir parameter) the MinIO console also worked fine.

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

79650216

Date: 2025-06-02 19:25:56
Score: 1
Natty:
Report link

Intune does not provide data on endpoint application usage via API.

You could be able to develop this functionality with custom configuration and scripting (AppLocker + Azure Log Analytics), or using third-party tools. But not with Intune out-of-the-box though

Reasons:
  • Low length (0.5):
  • No code block (0.5):
Posted by: J-M

79650208

Date: 2025-06-02 19:16:54
Score: 2
Natty:
Report link

I don't think this is possible. Your browser is triggering the onBlur event when you switch tabs— it's not related to your code. There's only a few options of when to validate in React Hook Form (onSubmit, onChange, onBlur, onTouched, all) and none of them solve this issue (https://www.react-hook-form.com/api/useform/#mode).

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

79650203

Date: 2025-06-02 19:13:52
Score: 3.5
Natty:
Report link

what you can do is rather than creating device, connect you android device, allow usb debugging from developer options. Then click Device manager, select your device > click mirror icon and start mirring you will see your device mirroed in running devices section. Thanks.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): what you can
  • Low reputation (1):
Posted by: Piyush Chaudhari

79650201

Date: 2025-06-02 19:11:52
Score: 0.5
Natty:
Report link

I got it working (though I'm acutely aware that there are many other issues in there :-D ).

I just had to remove the cast of the current iteration ID to a String in Post().

iCurrent = new String(Math.floor(iCurrent / 2));

Just changed to...

iCurrent = Math.floor(iCurrent / 2);

In fact I think it is still missing one function - there is no default open AccordionItem. But they do all open and close correctly now.

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

79650197

Date: 2025-06-02 19:08:51
Score: 1.5
Natty:
Report link

maybe...

First, get the array with the zigzag path (shortest path). Then, starting from the start point, test line-of-sight (only cardinal or diagonal) to every point - but in reverse order. If line-of-sight to a point works, add that point to the "finalPath" and repeat the process from this new point until you reach the endpoint.

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

79650196

Date: 2025-06-02 19:08:51
Score: 3
Natty:
Report link

What worked for me was installing postgresql as this answer suggests: https://stackoverflow.com/a/24645416/11677302 with whatever package manager you're using, in my case it was pip.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What
  • Low reputation (0.5):
Posted by: videomugre

79650192

Date: 2025-06-02 19:02:50
Score: 1.5
Natty:
Report link

Following a comment by @furas, I changed the code to use the attachments keyword instead of file_ids, and now it works. Here's the corrected code:

       # Create a new assistant 
        assistant = client.beta.assistants.create(
            name="Seminar HTML to CSV Assistant",
            instructions=instructions,
            model="gpt-4",
            tools=[{"type": "code_interpreter"}],
        )


        # Create a thread
        thread = client.beta.threads.create()

        # Create a message with the uploaded file
        message = client.beta.threads.messages.create(
            thread_id=thread.id,
            role="user",
            content="Here is the HTML content for the seminar page.",
            attachments=[{"file_id": file.id, "tools": [{"type": "code_interpreter"}]}]
        )


        # Run the assistant
        run = client.beta.threads.runs.create(
            thread_id=thread.id,
            assistant_id=assistant.id
        )
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @furas
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: John Paul

79650184

Date: 2025-06-02 18:56:48
Score: 1.5
Natty:
Report link

Nevermind, I was able to figure it out.

for (let i = 0; i < p2.split(' ').length; i++) {
  return "" + p1.split(',').filter(game => game.toLowerCase().indexOf(p2.toLowerCase().split(' ')[i]) > -1);
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: c4l

79650182

Date: 2025-06-02 18:54:47
Score: 2
Natty:
Report link

You are using swept AABB, that's design for point vs rectangle collision, but your current code takes circle vs rectangle you can fix this by using circle vs rectangle swept logic with checks the distance to corner

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

79650180

Date: 2025-06-02 18:50:46
Score: 1
Natty:
Report link

Also, validate if it is not empty.

 if let trtrt = shop?.trtrt, !trtrt.isEmpty {
                    Text(trtrt)
                }
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: A. Trejo

79650179

Date: 2025-06-02 18:49:46
Score: 0.5
Natty:
Report link

uni_links version 0.x is discontinued. Port your package to a later version.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: Randal Schwartz

79650174

Date: 2025-06-02 18:45:44
Score: 4.5
Natty: 4.5
Report link

https://www.reddit.com/r/webdev/comments/18gbzjh/why_are_my_ellipsis_vertically_centered/

this reddit thread has the solution

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

79650162

Date: 2025-06-02 18:37:37
Score: 6.5 🚩
Natty:
Report link

Have you find the solution i am encountering the error of session time on client sdk even create jwt token from vonage cli. I can't find solution how to use client sdk for voice call.

Reasons:
  • Blacklisted phrase (2): Have you find
  • RegEx Blacklisted phrase (2): can't find solution
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Dev Sharma

79650157

Date: 2025-06-02 18:29:34
Score: 3
Natty:
Report link

After some much delibaration I have tried to use some styles that was used in the vuetify footer then I was able to display the values correctly. simply put using most of the original styling worked.

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

79650155

Date: 2025-06-02 18:27:34
Score: 0.5
Natty:
Report link

Now it's easy:

double result = 1d / 12d; // 0.0833333...d
double result = 24d / 12d; // 2.0d

Use d or D to work with double values.
Use f or F to work with float values.
Use m or M to work with decimal values.

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

79650153

Date: 2025-06-02 18:24:33
Score: 3
Natty:
Report link

Which of the following statements is true about reference variables?

  1. A reference must always be initialized when declared

  2. A reference can be reassigned to another variable.

  3. References and pointers are the same.

  4. References cannot be passed to functions.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Which of the
  • Low reputation (1):
Posted by: Prince Krah

79650148

Date: 2025-06-02 18:21:32
Score: 1.5
Natty:
Report link

You need to make a couple of changes in the user-data script (fullstack_user_data.sh).

  1. Change yum install -y git curl to yum install -y git

  2. Change yum install -y nginx to amazon-linux-extras install nginx1

Et voilà:

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Man made of meat

79650147

Date: 2025-06-02 18:19:31
Score: 1.5
Natty:
Report link

A consumption level function will run up to 10 minutes while a premium function will run up to 4 hours. Re-working your plugin logic into an Azure function is a technically sound approach.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Zach Mast

79650144

Date: 2025-06-02 18:16:30
Score: 1.5
Natty:
Report link

If scaling up and down isn't possible, you can try to force a Database Failover.

Invoke-AzSqlDatabaseFailover

Run at AZCli in PowerShell

Invoke-AzSqlDatabaseFailover -ResourceGroupName "ResourceGroup01" -ServerName "Server01" -DatabaseName "Database01"

See more information about this command at
https://learn.microsoft.com/en-us/powershell/module/az.sql/invoke-azsqldatabasefailover?view=azps-14.0.0&viewFallbackFrom=azps-13.4.0

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

79650133

Date: 2025-06-02 18:11:29
Score: 0.5
Natty:
Report link

The problem was how Taipy binds values to the table, but finally managed to get it done :) Here is how should the filter_category function look like:

def filter_category(state):
    if not state.selected_filter:
        return
    
    state.filter_display_texts.append(state.selected_filter)
    value = state.data.groupby(state.selected_filter)[['depositAmount', 'withdrawalAmount', 'totalRevenue']].sum().reset_index()
    state.tables_data.append(value)
    print('Filtering data by:', state.selected_filter)
    print('State tables', state.tables_data)
    with builder.Page() as table_data:
        with builder.layout("1"):
            for idx, _ in enumerate(state.tables_data):
                with builder.part("card"):
                    builder.table(data=f"{{tables_data[{idx}]}}", page_size=10)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Cak Finli

79650127

Date: 2025-06-02 18:07:27
Score: 0.5
Natty:
Report link
it('should call the method callWorkBookAPI', () => {
  const mockData = new Blob(['test'], { type: 'application/octet-stream' });

  const service = fixture.debugElement.injector.get(DataManagementService);

  spyOn(service, 'getWorkbook').and.returnValue({
    subscribe: (callback: any) => {
      callback(mockData);
      return { unsubscribe: jasmine.createSpy('unsubscribe') };
    }
  });

  spyOn(document, 'createElement').and.returnValue({
    click: jasmine.createSpy('click')
  } as any);

  spyOn(window.URL, 'createObjectURL').and.returnValue('blob:mock-url');

  component.callWorkBookAPI();

  expect(service.getWorkbook).toHaveBeenCalled();
});

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

79650118

Date: 2025-06-02 18:03:26
Score: 1
Natty:
Report link

try to insert "provideHttpClient(withInterceptorsFromDi())" in the providers list on main.single-spa.ts

   const lifecycles = singleSpaAngular({
  bootstrapFunction: singleSpaProps => {
    singleSpaPropsSubject.next(singleSpaProps);
    return bootstrapApplication(AppComponent, {
      providers: [...getSingleSpaExtraProviders(),provideHttpClient(withInterceptorsFromDi()) ],
    });
  },
  template: '<app-root />',
  Router,
  NavigationStart,
  NgZone,
});
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Paula

79650116

Date: 2025-06-02 18:02:25
Score: 0.5
Natty:
Report link

These are the same warnings that appear on the IDE compiler when building the code. So these will disappear when the code is fixed according to the warnings. My best proposal is to fix the code base and the warnings will not apear.

Example: unused variables - cost memory and cpu to be created and slow performance.

Reasons:
  • No code block (0.5):
Posted by: Pimenta

79650104

Date: 2025-06-02 17:50:22
Score: 0.5
Natty:
Report link

You should always read docs first to see what a method does https://docs.oracle.com/javase/8/docs/api/java/util/Optional.html

ifPresent and isPresent both check for null.
For instance if list is not null but is empty still System.out.println("here") will be executed, You should check if list is empty with list.isEmpty()

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Yasin Ahmed

79650100

Date: 2025-06-02 17:48:21
Score: 3
Natty:
Report link

as follows:

1. Convenient sorting and search

2. Improve readability and clearly see the unique identification of each row of data

3. Improve query performance, such as prefix indexing and other scenarios: https://doris.apache.org/zh-CN/docs/data-table/index/index-overview?\_highlight=%E5%89%8D%E7%BC%80#%E5%89%8D%E7%BC%80%E7%B4%A2%E5%BC%95

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

79650098

Date: 2025-06-02 17:45:20
Score: 1
Natty:
Report link

std::reference_wrapper is designed to act like a c++ reference, not a pointer.

The operator-> is conventionally overloaded by types that behave like pointer (e.g, smart pointer such as std::unique_ptr or std::shared_ptr). Overloading operator-> for std::reference_wrapper would make it behave more like a pointer, which is not its intended semantic.

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

79650097

Date: 2025-06-02 17:45:20
Score: 2
Natty:
Report link

I found the solution, turns out my connection string missed a semi color at the end

Reasons:
  • Whitelisted phrase (-2): I found the solution
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Steez

79650096

Date: 2025-06-02 17:44:20
Score: 1.5
Natty:
Report link

You sure you set up your player mask correctly? It's not just a layer number, you have to bit shift it

1 << [player's layer]

Also, I don't think the Overlap sphere function will ever return null, will it? Just an empty array

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: ArmanDoesStuff

79650093

Date: 2025-06-02 17:41:19
Score: 1.5
Natty:
Report link

I have a working copy of mongo with the connection url as below

mongodb.connection-url='mongodb://<username>:<password>@host:port/database_name?ssl=true&authSource=admin'
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Elayaraja K

79650091

Date: 2025-06-02 17:40:18
Score: 1
Natty:
Report link

You're seeing a common optical illusion, not a rendering error. Even if the color value is the same, font size makes it look different because of:

Anti-aliasing: For smaller text, your computer blends the text color with the background to smooth jagged edges. This makes the color appear less vibrant or even slightly different. Contrast: Bigger text creates a sharper edge against the background, making the color seem more "pure" or intense. How your eyes work: Our eyes perceive small details and colors differently. For tiny text, it's harder for your eyes to distinguish the exact color, leading to a perceived shift. It's all about how your brain interprets what your eyes see!

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

79650086

Date: 2025-06-02 17:35:16
Score: 1
Natty:
Report link

Yes it's possible.The reason your original code didn't behave like your DOT example is because NetworkX doesn't automatically use fixed positions unless you explicitly define them in Python. As @Sanek Zhitnik pointed out a graph doesn't have an orientation.

In your DOT format example, you had this:

dot
    digraph {
    layout="neato"
    node[ shape=rect ];

    a [ pos = "2,3!" ];
    b [ pos = "1,2!" ];
    c [ pos = "3,1!" ];
    d [ pos = "4,0!" ];

    c -> d ;
    b -> c ;
    b -> a ;
    a -> c ;
}

You have to do something like this:

import networkx as nx
import matplotlib.pyplot as plt

G = nx.DiGraph()
G.add_edges_from([('b','a'), ('b','c'), ('a','c'),('c','d')])

# Fixed positions (same layout every time)
pos = {
    'a': (2, 3),
    'b': (1, 2),
    'c': (3, 1),
    'd': (4, 0)
}


nx.draw(G, pos, with_labels=True, node_shape='s', node_color='lightblue', arrows=True)
plt.show()
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Sanek
  • Low reputation (1):
Posted by: Rian

79650081

Date: 2025-06-02 17:29:15
Score: 0.5
Natty:
Report link

If your Node.js app is running on Windows (and Excel is installed on this machine), you can use VBScript to run Excel Macro.

This is About VBScript to run VBA Macro: Run Excel Macro from Outside Excel Using VBScript From Command Line

This is how to run VBScript from Node.js: Run .vbs script with node

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Dmitrii Grishin

79650075

Date: 2025-06-02 17:24:13
Score: 1
Natty:
Report link

I don't have an answer to this, but I'm looking for a similar result.

I work at a campground with my wife, and she's looking for this:

1: We have a questionnaire on our website, asking for information about the child they want to send to camp.

2: When questionnaire is answered, the responses go into a Google Sheet, as horizontal lines. (Header with each individual questionnaire becoming it's own line, in turn)

3: So far, so good. This process is working as expected. I can export the Google Sheet, and save it as a document locally.

4: Here's the issue: My wife would like to have all of those individual horizontal lines exported to a NEW spreadsheet, into two vertical columns, on individual tabs in the destination spreadsheet. Example:

4A: Header row (row 1 and row 2) exports EACH TIME to Header COLUMN (Column A), with the next row (row 2 or row 3 or row 4, et al) exporting to the next tab in a vertical arrangement, so 1,2 becomes A1.

4B: The next tab created automatically, would contain row 1 and row 3, with Column 1 containing the information from Row 1 (the header row) and Column 2 containing the information from Row 3.

4C: The next tab created automatically, would contain row 1 and row 4, with Column 1 containing the information from Row 1 (the header row) and Column 2 containing the information from Row 4.

4D: And so on, and so forth.......

PLEASE assist me in this! LOL I also have ZERO idea how to actually implement the code, so some assistance there would also be EXCEPTIONALLY helpful!

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

79650065

Date: 2025-06-02 17:20:12
Score: 5.5
Natty:
Report link

but is (1101 read value: 0.53 predicted: 0.10) the anomaly you are trying to detect?

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

79650061

Date: 2025-06-02 17:18:11
Score: 0.5
Natty:
Report link

I just had the same problem and after some thinking I used:

HttpMessage

Message is to abstract, the request/response is send over Http, or Https so I think its clear to me, the rest is not describing enough.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Herman Van Der Blom

79650060

Date: 2025-06-02 17:17:10
Score: 4
Natty:
Report link

I'm using symlinks and didn't have site mapping enabled.

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

79650057

Date: 2025-06-02 17:15:09
Score: 2.5
Natty:
Report link

One thing that tripped me up: in my RStudio instance, using shift + tab only worked in Source mode (i.e. not in Visual mode).

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

79650053

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

I could fix the problem by deleting existing virtual box host only ethernet adapter in windows control panel

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Ali Zarei

79650047

Date: 2025-06-02 17:06:07
Score: 3.5
Natty:
Report link

app.all('*catchall', (req, res, next) => {})

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

79650041

Date: 2025-06-02 17:00:05
Score: 0.5
Natty:
Report link

My answer is 10 years later but in case like that, you need to use a more precise model for the maven shade plugin. Use this form of this plugin:

<build>
  <plugins>
    <plugin>
      <!-- Create a FAT JAR -->
      <groupId>org.apache.maven.plugins</groupId>
      <artifactId>maven-shade-plugin</artifactId>
      <version>3.6.0</version>
      <executions>
        <execution>
          <phase>package</phase>
            <goals>
              <goal>shade</goal>
            </goals>
            <configuration>
              <transformers>
                  <transformer implementation="org.apache.maven.plugins.shade.resource.ManifestResourceTransformer">
                    <mainClass>flag.yourCompany.yourMainClass</mainClass>
              </transformer>
            </transformers>
            <shadedArtifactAttached>true</shadedArtifactAttached>
            <shadedClassifierName />
          </configuration>
        </execution>
      </executions>
    </plugin>
  </plugins>
</build>

Now, If you have an IDE like JetBrains IntelliJ IDEA, put this command on it for the maven configuration:

clean compile verify

If you want to perform a command in the folder of your project that contains pom.xml, you can just do it:

mvn verify

Now to check if your jar has a manifest, copy-paste the shaded version Name-1.0-SNAPSHOT-shaded.jar in a file named Name.zip (note that you must change the extension) and go to META-INF folder. You can finally see a MANIFEST.MF file in the list of files. Extract it and see the content, it must be like that:

Manifest-Version: 1.0
Created-By: Maven JAR Plugin 3.4.1
Build-Jdk-Spec: 24
Main-Class: flag.yourCompany.yourMainClass

The command (replace with your yourMainClass-yourVersion-shaded.jar):

java -jar Name-1.0-SNAPSHOT-shaded.jar

now works in the terminal if you have correctly configurated your JAVA_HOME environment variable! (but I don't know if it is executable directly by Windows cause I have differents versions of Java in my PATH)

Reasons:
  • Blacklisted phrase (1): this plugin
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: TW2

79650038

Date: 2025-06-02 16:58:05
Score: 1.5
Natty:
Report link

const checkbox = document.getElementById("shipProtect");
  const priceDisplay = document.getElementById("price");
  const basePrice = 149.94;
  const protectionCost = 4.99;
  checkbox.addEventListener("change", () => {
    let price = basePrice - (checkbox.checked ? 0 : protectionCost);
    priceDisplay.textContent = `Only USD $${price.toFixed(2)}`;
  });
<input type="checkbox" id="shipProtect" checked>
<p id="price">Only USD $149.94</p>

Shipping Protection

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

79650030

Date: 2025-06-02 16:50:02
Score: 1.5
Natty:
Report link

According to the documentation:

https://docs.python.org/3/reference/compound_stmts.html#the-try-statement

It is an expected behavior as:

If the finally clause executes a return, break or continue statement, the saved exception is discarded:

def f():
...     try:
...         1/0
...     finally:
...         return 42
...
>>> f()
42
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Wuelfhis Asuaje

79650018

Date: 2025-06-02 16:40:59
Score: 3
Natty:
Report link

user probably experienced a single-port. your browser may contribute to the port, should you consider adding a security socket to insert on your computer.

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

79650013

Date: 2025-06-02 16:38:58
Score: 3.5
Natty:
Report link

What helped me was erasing the port environmental variable from Railway. The Railway automatically assigns a dynamic port, and there is no need to write a hard-coded value.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): What help
  • Low reputation (1):
Posted by: Nikita

79650008

Date: 2025-06-02 16:35:57
Score: 3
Natty:
Report link

I have a build of InnoSetup with inverted SILENT and SUPPRESSMSGBOXES logic.
https://github.com/nlevi-dev/SilentInnoSetup/releases/tag/v6.4.3

The produced installers with this build will behave as if the SILENT and SUPPRESSMSGBOXES flags were provided by default.

Reasons:
  • Contains signature (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: nlevi-dev

79649989

Date: 2025-06-02 16:19:53
Score: 1
Natty:
Report link

your dropdown appears too high because top: 100% positions it right below the .nav-link and not full navbar.try to apply this change over there.

.dropdown-menu-horizontal { top: calc(100% + 10px); /* Push it 10px below the navbar */ }

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

79649984

Date: 2025-06-02 16:16:52
Score: 0.5
Natty:
Report link

I had an issue where my js files were automatically put in the /src folder and not in /dist when writing tsc in terminal. I had set up the tsconfig.json file correctly.

Turns out I did not press save in VSCode after making changes to tsconfig.json file... After this it worked and my js files went to /dist file instead of the src file.

Reasons:
  • Whitelisted phrase (-1): it worked
  • No code block (0.5):
  • Low reputation (1):
Posted by: Markus Koponen

79649972

Date: 2025-06-02 16:08:49
Score: 0.5
Natty:
Report link

I know this is an old question, but I find myself in the same situation and I fix it by adding

pluginReact.configs.flat.recommended

As the first line in the new eslint.config.msj or .js file.

I hope this is useful for someone else.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Wuelfhis Asuaje

79649969

Date: 2025-06-02 16:03:48
Score: 1
Natty:
Report link

It's ugly, but I've confirmed this works with both SpringBoot 2.7.18 and SpringBoot 3.4.5.

(and despite what you may read elsewhere, it does work on abstract classes, as long as the @Validated and the validation constraint are both on the abstract class)

import org.springframework.validation.annotation.Validated;

@Validated
public abstract class AbstractJwksAutoConfig {

    @javax.validation.constraints.Min(60000L)
    @jakarta.validation.constraints.Min(60000L)
    @javax.validation.constraints.Max(86400000L)
    @jakarta.validation.constraints.Max(86400000L)
    Long jwksRefreshTimeInMillis = 180000L;

    ...
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Validated
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: dlipofsky

79649960

Date: 2025-06-02 15:58:47
Score: 1
Natty:
Report link

Gitlab started enforcing "Authorized groups and projects". Unless you whitelist your repo, this will break. I had the same issue and worked after whitelisting the repo/subgroup(s).

Link - https://about.gitlab.com/blog/2025/04/18/a-guide-to-the-breaking-changes-in-gitlab-18-0/

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Abhinab Padhi

79649956

Date: 2025-06-02 15:56:46
Score: 1.5
Natty:
Report link

After multiple attempts over several years to resolve a persistent issue with my project, I finally found a solution with the help of Grok AI: disabling JavaScript caching on my CDN.

If deploying to a CDN (e.g., Netlify, Vercel), verify that the CDN is not aggressively caching JavaScript chunks or server responses. Clear the CDN cache after deployment.

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

79649951

Date: 2025-06-02 15:51:44
Score: 1.5
Natty:
Report link

Change from this in setup:

lc1.shutdown(0, false); lc1.setIntensity(0, 8); lc1.clearDisplay(0); lc2.shutdown(0, false); lc2.setIntensity(0, 8); lc2.clearDisplay(0);

To this:

lc1.shutdown(0, false); lc1.setIntensity(0, 8); lc1.clearDisplay(0);
lc2.shutdown(1, false); lc2.setIntensity(1, 8); lc2.clearDisplay(1);

Or else you just initialize and clear the first display.

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

79649940

Date: 2025-06-02 15:42:42
Score: 0.5
Natty:
Report link

Turns out that how you pickle makes a difference. If the dataframe was pickled through a pickle dump, it works:

with open('test.pkl','wb') as handle:
    pickle.dump(df,handle)

On second computer, in different file:

with open('path/to/test.pkl','rb') as handle:
    data = pickle.load(handle)
# or:
data = pd.read_pickle('path/to/test.pkl')

However: If you select pickle.HIGHEST_PROTOCOL as the protocol for dumping, the same error will arise no matter how the pickle is loaded

# Gave pickle with same missing module error on loading:
with open('test.pkl','wb') as handle:
    pickle.dump(df,handle,protocol=pickle.HIGHEST_PROTOCOL)

I have not done any investigation on why the error appears and came to this solution simply through trial and error.

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

79649935

Date: 2025-06-02 15:38:41
Score: 0.5
Natty:
Report link

I managed to achieve copying a Linux SDK from a working to a new PC with the following combination of file copying and registry editing (and thanks to SilverWarrior's mention of the .sdk file in a comment) (but I still have found no way to accomplish this via the IDE itself, so any tips about that are still welcome):

  1. Make sure that Delphi is closed on at least the new PC.

  2. Copy the SDK folder (including all files and subfolders) from the working PC to the new PC. (It might be most practical to zip the folder on the working PC, then transfer the zip file to the new PC, then unzip it there.) The SDK files are located in the place shown in Tools > Options > Deployment > SDK Manager, when the SDK is selected. "Local root directory" for the SDK might be for example $(BDSPLATFORMSDKSDIR)\ubuntu20.04.sdk.
    Screenshot of Delphi Tools > Options > SDK Manager

    BDSPLATFORMSDKSDIR is an environment variable in Delphi, whose value can be checked under Tools > Options > IDE > Environment variables. Note that the value can be overridden, so you have to check both the top and the bottom list.
    Screenshot of Delphi Tools > Options > Environment Variables

  3. Copy the .sdk file from the working PC to the new PC. The .sdk file is located in %APPDATA%\Embarcadero\BDS\23.0. (In my example, the .sdk file was named ubuntu20.04.sdk.)

  4. Edit the file EnvOptions.proj on the new PC, search for <PropertyGroup Condition="'$(Platform)'=='Linux64'">, and below that, modify this line:
    <DefaultPlatformSDK/>
    to this (using your own .sdk file name):
    <DefaultPlatformSDK>ubuntu20.04.sdk</DefaultPlatformSDK>

  5. Use the Registry Editor (regedit) on the working PC to locate the key Software\Embarcadero\BDS\23.0\PlatformSDKs under HKEY_CURRENT_USER. Export this key (or, if you have several SDKs and want to copy only one of them, select the specific SDK subkey) to a .reg file.
    Regedit showing the PlatformSDKs key

  6. Copy the .reg file to the new PC, right-click it there, and choose "Merge" so that it gets imported into the registry on the new PC.

After this, the SDK shows up in Delphi on the new PC, and Linux projects can be compiled using it.

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1): any tips
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Matthias B

79649932

Date: 2025-06-02 15:34:40
Score: 2.5
Natty:
Report link

After reading this documentation: https://learn.microsoft.com/en-us/entra/identity-platform/msal-js-prompt-behavior#supported-prompt-values
You should add prompt=select_account in your URL and it will works as you expect.

The main difference with prompt=login the user is not requested to enter his password everytime.

Reasons:
  • Blacklisted phrase (1): this document
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Cédric Nirousset

79649929

Date: 2025-06-02 15:32:39
Score: 0.5
Natty:
Report link

From JSP you have to call to the <action> if you are using API baseed on struts.xml. It it is not struts API then it's useless to use any plugin such as Rest plugin,and the request headersare parsed differently from both Struts and Spring frameworks. There's a lot of questions how to integrate Spring and Struts using Struts-Spring plugin, and you need to read them all to understand your problem. And it not concerned only the API calls, but a whole infrastructure of your application, including authentification and authorization services, validation services, session management services, etc. If you only need to validate the userId with the session variable to obtain it requires an authentication. If you just pass a userId as request parameter then retrieve it from there. If request is handled by Struts then it's just enough to declare an action class variable to store the value from the API call. If it is a spring then @RequestParam variable is populated from the URL, and you can compare it with the session variable, and so on.

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

79649922

Date: 2025-06-02 15:25:37
Score: 0.5
Natty:
Report link

their website says setting should be modified as was suggested in a couple answers however it refused to stop suggesting comment code.

When I reset to default value it used comments:off instead of comments:false and that finally turned it off

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

79649919

Date: 2025-06-02 15:23:36
Score: 0.5
Natty:
Report link

// pubspec.yaml (Dependencies) dependencies: flutter: sdk: flutter just_audio: ^0.9.36 provider: ^6.1.1 cached_network_image: ^3.3.1

// lib/main.dart import 'package:flutter/material.dart'; import 'package:just_audio/just_audio.dart'; import 'package:provider/provider.dart'; import 'package:cached_network_image/cached_network_image.dart';

void main() => runApp(MyApp());

class Song { final String title; final String artist; final String url; final String coverUrl;

Song({required this.title, required this.artist, required this.url, required this.coverUrl}); }

class MusicPlayerProvider extends ChangeNotifier { final AudioPlayer _player = AudioPlayer(); List<Song> _songs = [ Song( title: 'Dreams', artist: 'Bensound', url: 'https://www.bensound.com/bensound-music/bensound-dreams.mp3', coverUrl: 'https://www.bensound.com/bensound-img/dreams.jpg', ), Song( title: 'Sunny', artist: 'Bensound', url: 'https://www.bensound.com/bensound-music/bensound-sunny.mp3', coverUrl: 'https://www.bensound.com/bensound-img/sunny.jpg', ), ]; int _currentIndex = 0;

List<Song> get songs =>

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

79649917

Date: 2025-06-02 15:20:35
Score: 0.5
Natty:
Report link

try adjusting the axis domain to start on a negative number and then setting the tick intervals to begin at 0:

xAxis={[{ data: [0, 2, 3, 5, 8, 10],tickInterval: [0,2,4,6,8,10,12], domain: [-2, 12]}]}

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

79649911

Date: 2025-06-02 15:18:34
Score: 4.5
Natty:
Report link

anabia_69_ password checking ..

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

79649907

Date: 2025-06-02 15:17:33
Score: 1.5
Natty:
Report link

This solution worked for me. Thanks for Code Hunter

sudo killall -9 com.apple.CoreSimulator.CoreSimulatorService

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Nasim Rony

79649906

Date: 2025-06-02 15:16:30
Score: 8.5 🚩
Natty: 5
Report link

I am facing the same problem with the extension, I tried the method that is given above, but it's still not working.

Reasons:
  • Blacklisted phrase (1): m facing the same problem
  • Blacklisted phrase (2): still not working
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I am facing the same problem
  • Single line (0.5):
  • Low reputation (1):
Posted by: hijab gull

79649901

Date: 2025-06-02 15:13:29
Score: 0.5
Natty:
Report link

In fact, there are 2 root cause :

CODE_SIGN_IDENTITY = "Apple Distribution";
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: clem

79649898

Date: 2025-06-02 15:11:28
Score: 2.5
Natty:
Report link

I cant help you with why, but we are experiencing intermittent failures with WebSocket connections to Firebase Realtime Database (RTDB). The issue appears sporadically across different browsers and devices, and affects the stability of real-time data updates.

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

79649894

Date: 2025-06-02 15:08:27
Score: 2.5
Natty:
Report link

from moviepy.editor import VideoFileClip, ColorClip, TextClip, CompositeVideoClip, concatenate_videoclips

# Ruta de tu video original (ajusta si el nombre o ruta es diferente)

video = VideoFileClip("mi_video.mp4") # ← Cambia el nombre si tu archivo tiene otro

# Crear clips de introducción y cierre con fondo negro (4 segundos cada uno)

inicio = ColorClip(size=video.size, color=(0, 0, 0), duration=4)

final = ColorClip(size=video.size, color=(0, 0, 0), duration=4)

# Texto al inicio

texto_inicio = TextClip("Aunque toque bajar la cabeza...", fontsize=42, font='Amiri-Bold', color='white')

texto_inicio = texto_inicio.set_duration(4).set_position('center')

# Texto al final

texto_final = TextClip("...uno nunca debe dejar de avanzar", fontsize=42, font='Amiri-Bold', color='white')

texto_final = texto_final.set_duration(4).set_position('center')

# Crear clips compuestos con texto sobre fondo negro

intro = CompositeVideoClip([inicio, texto_inicio])

outro = CompositeVideoClip([final, texto_final])

# Clip principal (sin subtítulos por ahora, pero se pueden agregar si los tienes)

video_con_texto = video

# Unir todo: introducción + video + cierre

video_final = concatenate_videoclips([intro, video_con_texto, outro])

# Guardar el resultado

video_final.write_videofile("video_editado_final.mp4", codec="libx264", audio_codec="aac")

Reasons:
  • Blacklisted phrase (2): Crear
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: JOHAN BERNAL

79649893

Date: 2025-06-02 15:06:26
Score: 0.5
Natty:
Report link

Firstly, your goal of detecting unreachable code with gcovr doesn't seem useful. The execution count of unreachable code is trivially zero.

Using gcov (the text-based output and backend for gcovr), we can generate a file with the source code with an execution count next to each line. If a line is never executed it is shown as "#####". If it is not executable (whitespace, comments, a single brace, etc.) it is shown as "-".

Your first unreachable code segment (in the ifdef) is shown as not executable as there is no code generated from it. The pre-processor prunes this away before compilation so it may as well not exist as far as the compiler is concerned. It gets a dash.

Your second unreachable function (after returning) is removed by the compiler even at -O0 in my testing. This means the line is not executable and gcov gives it a dash.

The definitions of foo and bar will generally be kept by the compiler in case other compilation units need it. Even if it is not needed, as long as it generates some instruction at compilation, gcov can track it. So it will get an execution count.

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

79649890

Date: 2025-06-02 15:04:26
Score: 1.5
Natty:
Report link

If you include the full OpenAPI schema definition, you will see the file you have is not having any errors. This is why it's important to provide the full detail for your error report.

enter image description here

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

79648882

Date: 2025-06-02 14:17:15
Score: 0.5
Natty:
Report link

Thank you SO MUCH for self-posting the answer to your problem. I had the same problem already for quite a while, and reading your post confirmed my suspicion that my build was erroneous in some way, I felt it had to be some missing JDK module (it ran on my IDE, not after my build).

And yes indeed, this module was the missing one!

Kudos to you!!!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Whitelisted phrase (-1): I had the same
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: sudo

79648877

Date: 2025-06-02 14:13:14
Score: 2.5
Natty:
Report link

Installing the new package npm i @stomp/stompjs seems to have solved this for me.

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

79648874

Date: 2025-06-02 14:13:14
Score: 3.5
Natty:
Report link

This is still the case and it doesn't seem to be consistent across usace.army.mil addresses. Some go through.

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

79648872

Date: 2025-06-02 14:12:13
Score: 2.5
Natty:
Report link

Matthias' answer was the one that did it for me (upvote him too).

Here it is as a one-liner: `python -c "import setuptools; print(setuptools._version_)"`

Reasons:
  • Blacklisted phrase (0.5): upvote
  • Low length (1):
  • No code block (0.5):
  • Starts with a question (0.5): was the one that
Posted by: Adam Smooch

79648867

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

Well,I think the problem is with attaching agents to the oauth-service when running spring boot application. If you already have agents running on the same port then it might take a time to wait until the agent free the required port. You should take a time to configure your spring boot application for running agents on different ports.

Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: SOLoose

79648864

Date: 2025-06-02 14:06:11
Score: 2.5
Natty:
Report link

Recently, i also faced this issue, i followed the below commands, then it works fine for me

  1. dfx stop

  2. dfx start --clean --background

  3. dfx deploy

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

79648860

Date: 2025-06-02 14:03:10
Score: 2
Natty:
Report link

After a lot of researches and tries most of the tools (e.g. Typewriter) and libs (e.g. Nswag, Kiota), nothing can satify my very simple requirement (a very simple transformation from C# to TS).

In the end, I decided to implement the tool myself using the following libraries:

Find more details in this post: https://kalcancode.wordpress.com/2025/06/02/how-to-build-a-c-to-typescript-generator-tools-and-ideas/

Reasons:
  • Contains signature (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: kal

79648859

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

Putting the question and answer together, it appears that Table 9 is saying there are 4 groups. 2 of them are of a length and 2 are of a different length (in terms of DataWords).

Is that correct?

I should interleave all four block groups until the first two have been exhausted - and then interleave the remainder of the second 2 block groups until they have also been exhausted - which should equal the total number of DataWords in the QRC.

Is that also correct, please?

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

79648855

Date: 2025-06-02 13:58:08
Score: 1.5
Natty:
Report link

You can simply use NuxtApp hooks. I use that in my default layout and work like a charm.

<script setup lang="ts">
const nuxtApp = useNuxtApp();

nuxtApp.hook('page:loading:end', () => {
  // doSomething();
});
</script>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Oui-Dev

79648850

Date: 2025-06-02 13:54:07
Score: 3
Natty:
Report link

I found the reason. I had previously written middleware that only allowed certain IP addresses to pass through to the admin section. As soon as I removed it, SignalR started working. That's how it goes. Of course, there were no problems with local development, and over time I forgot about this middleware.

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

79648848

Date: 2025-06-02 13:53:07
Score: 3.5
Natty:
Report link

I’d suggest reaching out to the PDFCreator support team directly — they’re pretty responsive and can help with COM setup and integration.You can contact them here: https://support.pdfforge.org/

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

79648844

Date: 2025-06-02 13:51:06
Score: 3.5
Natty:
Report link

Same problem here. It appears to be a solution for a similar problem under the vertex ai process but that can be easily solve through operations command. Thats not the case for document aia which works with a diferent API. I even tried deleting the processor but is not possible.

Reasons:
  • RegEx Blacklisted phrase (1): Same problem
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Felipe Muñoz

79648835

Date: 2025-06-02 13:43:03
Score: 2
Natty:
Report link

When using asdf, run asdf reshim nodejs. Helped me to get rid of those command not found errors for globally installed packages.

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When
  • Low reputation (0.5):
Posted by: jannolii

79648831

Date: 2025-06-02 13:42:02
Score: 2.5
Natty:
Report link

Check if the app is focused https://stackoverflow.com/a/79644232/9682338

If the window is inactive use AbsorbPointer https://stackoverflow.com/a/54220863/9682338

Or you can swap out the widgets to somthing else.

I don't know how AppLifecycleState works in a multi window situation.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Csaba Mihaly

79648830

Date: 2025-06-02 13:41:01
Score: 8 🚩
Natty: 5
Report link

I can successfully connect to my blob storage using private endpoint with VPN configured. However, when I tried to access the table storage, I encountered an error. But when I enable the network to public, I can access back the table storage. What seems to be the problem? Thanks in advance.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (3): Thanks in advance
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Cliffor Joseph Abalo

79648828

Date: 2025-06-02 13:39:00
Score: 1.5
Natty:
Report link

this could be due to a number of things but i would begin by trying a clean install after deleting your node modules folder and package-lock.json file, then running npm install

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

79648820

Date: 2025-06-02 13:33:54
Score: 7 🚩
Natty:
Report link

Hello did you find a solution to this cos i,m currently exeriencing the same issues on my end @Basheer Jarrah

Reasons:
  • RegEx Blacklisted phrase (3): did you find a solution to this
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Basheer
  • Single line (0.5):
  • Low reputation (1):
Posted by: Oluwatimileyin Awe

79648807

Date: 2025-06-02 13:24:51
Score: 3
Natty:
Report link

One of the user in my team was facing same issue. His system was missing Microsoft Visual C++ 2013 Redistributable (x64). For that system, the version that worked was 12.0.40664

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

79648804

Date: 2025-06-02 13:21:50
Score: 1.5
Natty:
Report link

I noticed you were using the alpine image.

You should be using this syntax, instead of the generic one for linux

Environment variables

DT_ONEAGENT_OPTIONS: "flavor=musl&include=all"

LD_PRELOAD: /opt/dynatrace/oneagent/agent/lib64/liboneagentproc.so

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

79648800

Date: 2025-06-02 13:19:50
Score: 0.5
Natty:
Report link

The package might have a bug in its structure. Try updating to the latest version:

npm install @nostr-dev-kit/ndk-blossom@latest

OR

If it doesn't work, then you can direct import:

import { NDKBlossom } from "@nostr-dev-kit/ndk-blossom/dist/index.js";
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Developer Nilesh

79648799

Date: 2025-06-02 13:19:50
Score: 3
Natty:
Report link

[It] might simply be that SHA3_512 is not supported on your system. Note that what is commonly called "SHA512" is actually the SHA512 from SHA2, not SHA3. Try using System.Security.Cryptography.HashAlgorithmName.SHA512 to get the SHA2 version of SHA512. – President James K. Polk

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