79761723

Date: 2025-09-11 09:26:29
Score: 2
Natty:
Report link

in AndroidManifest.xml put

<application
    android:extractNativeLibs="false"
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Basma Abdou

79761713

Date: 2025-09-11 09:19:26
Score: 6 🚩
Natty: 5.5
Report link

You thought i was kidding??!!!

Reasons:
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Sempre Que Voc Ler Os Comentri

79761707

Date: 2025-09-11 09:15:25
Score: 2
Natty:
Report link

If BlocProvider.value doesn't solve this issue
this can be a solution:
https://github.com/felangel/bloc/issues/3069#issuecomment-3279335244

Reasons:
  • Whitelisted phrase (-2): solution:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Nandan Magdum

79761704

Date: 2025-09-11 09:13:24
Score: 0.5
Natty:
Report link

This is one of those browser-safety limitations:
You cannot prevent or replace the native beforeunload confirmation popup with your own UI.

Why?

That’s why setting e.preventDefault() or e.returnValue just shows the default browser popup—you can’t override it with a React modal.


What you can do instead

If your goal is to warn users about unsaved form changes and show a custom modal, you’ll need to intercept navigation inside your app, not the hard reload:

  1. Intercept in-app navigation (Next.js Router):

    import { useRouter } from "next/router";
    import { useEffect } from "react";
    
    export default function MyForm() {
      const router = useRouter();
      const isDirty = true; // track whether form has unsaved changes
    
      useEffect(() => {
        const handleRouteChangeStart = (url: string) => {
          if (isDirty && !confirm("You have unsaved changes. Leave anyway?")) {
            router.events.emit("routeChangeError");
            // throw to cancel navigation
            throw "Route change aborted.";
          }
        };
    
        router.events.on("routeChangeStart", handleRouteChangeStart);
        return () => {
          router.events.off("routeChangeStart", handleRouteChangeStart);
        };
      }, [isDirty]);
    
      return <form>…</form>;
    }
    
    

    Here you can replace confirm with your own React modal state.

  2. For full page reload (F5, Ctrl+R, closing tab):

    • You’re stuck with the native confirmation dialog.

    • No way to cancel reload and show your React modal—browsers block this for security reasons.


✅ Bottom line:

Reasons:
  • Blacklisted phrase (0.5): Why?
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: 63 - Vikas Kumar 4rd Sem.

79761702

Date: 2025-09-11 09:11:23
Score: 1
Natty:
Report link

Figured out the issue. The problem is that one dependency (vue-slider-component 3.2.24) is incompatible with Vue 3.

Commenting out the code related to it allows the build to complete without the need to change the imports or update vite.config.js with:

commonjsOptions: {
  include: [],
},
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: anti-destin

79761701

Date: 2025-09-11 09:11:23
Score: 0.5
Natty:
Report link

In case if you setup the storyboard name correctly (without extension) and the launch screen still doesn't appear, consult TN3118: Debugging your app’s launch screen. In my case I forgot to put checkmark next to "Is Initial View Controller". Xcode - Launch Screen Storyboard Setup

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

79761689

Date: 2025-09-11 09:03:20
Score: 1.5
Natty:
Report link

If the pull entered a merge and you don’t want to continue:
git merge --abort

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

79761685

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

It is not possible to do this at runtime. Microsoft's Raymond Chen answered this very question a while back in his blog (https://devblogs.microsoft.com/oldnewthing/20170906-00/?p=96955):

Can I enable Large Address Awareness dynamically at runtime?

... Unfortunately, there is no way to change the setting at runtime, nor is there an override in Image File Execution Options. The value in the header of the executable is what the system uses to determine whether to give the process access to address space above the 2GB boundary.

So no, this is hardcoded in the executable header. He then goes to suggest the two-executable (and maybe a loader/chooser) solution, similar to what's suggested by @PeterCordes.

Alternatively, since this seems to be strictly a fallback scenario in case of any issues - maybe patching the executable header in field is an option (as opposed to changing config in field)? See How to make a .NET application "large address aware"? for pointers on how to do that.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @PeterCordes
  • High reputation (-1):
Posted by: Andrey Turkin

79761678

Date: 2025-09-11 08:53:18
Score: 1.5
Natty:
Report link
Target.Interior.ColorIndex = xlColorIndexNone 

That works for me

see https://learn.microsoft.com/en-us/office/vba/api/excel.colorindex

Reasons:
  • Whitelisted phrase (-1): works for me
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Alex S.

79761666

Date: 2025-09-11 08:43:15
Score: 0.5
Natty:
Report link

To rename at once,

flutter pub global activate rename                                                    

and,

flutter pub global run rename setAppName --targets ios,android,macos,windows,linux,web--value "New Name of the App"
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Oseamiya

79761646

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

Your RegExp works perfectly fine for the usecase you described. As @C3roe commented, the only thing you need to do is to add the s modifier to the RegExp:

/"ordertyp"\s*:\s*"TINOP".*?"status"\s*:\s*"active"/gms

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @C3roe
  • Low reputation (0.5):
Posted by: Georg Edlbauer

79761641

Date: 2025-09-11 08:13:08
Score: 0.5
Natty:
Report link

The topic is old but it's worth mentionning the more recent solutions to this :

Also, I advise anyone to keep an eye on saucer ; it is originally a [very modern] C++ webview library that allows you to build cross-platform desktop applications. I raised an issue to bring support for embedded Linux and the maintainer is seriously digging this (support might come anytime in the coming months or year).

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

79761639

Date: 2025-09-11 08:07:06
Score: 3.5
Natty:
Report link

There is nothing wrong with the template. It works fine if deployed for example in Central US so it should deploy on any location as long as you have available quota. I also get the same error if I deploy to South Central US. Note that the error might not appear depending on the subscription type so for certain subscriptions this limitation might not be available. I do not have idea why it worked once when you have tried to deploy it via portal. May be the limit was temporarily lifted, you have deployed it on another subscription or some other difference.

Reasons:
  • Whitelisted phrase (-1): it worked
  • RegEx Blacklisted phrase (1): I also get the same error
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): I also get the same error
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Stanislav Zhelyazkov

79761636

Date: 2025-09-11 08:03:05
Score: 0.5
Natty:
Report link

Things have changed a bit over time and now you need to set the profile via options

options = webdriver.FirefoxOptions()
options.profile = webdriver.FirefoxProfile('C:/Users/username/AppData/Roaming/Mozilla/Firefox/Profiles/profilefolder')
driver = webdriver.Firefox(options)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Huhngut

79761633

Date: 2025-09-11 08:03:05
Score: 1
Natty:
Report link

It depends from what you are trying to acheive.

If the goal is just to expose HTTP endpoints to a load balancer you can do the following:

. Configure the HTTP connection resource with hostname set to localhost
. Use the bw.plugin.http.server.defaultHost property and set it also to localhost

The mentioned property can be set once for all by adding the following line in the bwengine.tra file:

java.property.bw.plugin.http.server.defaultHost=localhost

You can also set it at deployment time by following the explanations available in the 'Setting Custom Engine Properties in Deployed Projects' section of the BusinessWorks Administrator guide.

If the goal is to set a given hostname for each BusinessWorks engine in the runtime environment you can do the following:

. Create a Global Variable and configure it with the Service option
. Use this Global Variable to set the hostname of your HTTP connection resource
. Then at Deployment time in the Advanced tab available at the Service instance level set the Global Variable value to the desired value for each Service instance

There is no way to set the hostname dynamically and this won't really make sence because a machine can have multiple hostnames.

Regards

Emmanuel

Reasons:
  • Blacklisted phrase (1): Regards
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: EmmanuelM

79761631

Date: 2025-09-11 08:00:04
Score: 1
Natty:
Report link

Doing app.on('will-quit', e => e.preventDefault()) or mainWindow.on('close', e => e.preventDefault()) on macOS is preventing the system shut down.

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

79761625

Date: 2025-09-11 07:54:02
Score: 0.5
Natty:
Report link

I've found the solution: a middleware inside my main.py based on this class. The full code of my main.py is now the following.

from flask import Flask, render_template, request
from groq import Groq

# App configuration
model_id = "qwen/qwen3-32b"
groq_api_key = "<--my API key :)-->"
PREFIX = "/qwen"

# PrefixMiddleware auxiliary class
class PrefixMiddleware:
    def __init__(self, app, prefix):
        self.app = app
        self.prefix = prefix

    def __call__(self, environ, start_response):
        path = environ.get('PATH_INFO', '')
        if path.startswith(self.prefix):
            environ['SCRIPT_NAME'] = self.prefix
            environ['PATH_INFO'] = path[len(self.prefix):] or '/'
        return self.app(environ, start_response)

# App definition
app = Flask(__name__)
app.wsgi_app = PrefixMiddleware(app.wsgi_app, PREFIX)
client = Groq(api_key=groq_api_key)

# Flask routes
@app.route('/')
    def index():
    return render_template('index.html')

@app.route('/answer', methods=['POST'])
    def answer():
    input_text = request.form.get('input_text')
    if not input_text:
        return "Please provide input text.", 400
    try:
        completion = client.chat.completions.create(
            model=model_id,
            messages=[
                {"role": "system", "content": "User chatbot"},
                {"role": "user", "content": input_text}
            ],
            temperature=1,
            max_tokens=1024,
            top_p=1,
            stream=True,
            stop=None,
        )
        result = ""
        for chunk in completion:
            result += chunk.choices[0].delta.content or ""
    except Exception as e:
        return f"An error occurred: {e}", 500

    return render_template('index.html', input_text=input_text, result=result)

# __main__
if __name__ == "__main__":
    app.run(host="0.0.0.0", port=5000)

In the Kubernetes Ingress, I also removed the annotation. The other files are the same.

Reasons:
  • Whitelisted phrase (-2): solution:
  • RegEx Blacklisted phrase (2.5): Please provide
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Samuele Bani

79761620

Date: 2025-09-11 07:51:01
Score: 3.5
Natty:
Report link

This may ne happening , there could be a new cell gets created. If you want to continue with the same cell, delete the new cell. And the oriage notification will go away.

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

79761617

Date: 2025-09-11 07:48:00
Score: 3
Natty:
Report link

cd /tmp

exec /bin/bash --rcfile /dev/null

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

79761607

Date: 2025-09-11 07:42:59
Score: 2.5
Natty:
Report link

mI wave +three to four for tea, too and an official FR instead of stack overflow and bug reference. ChaTgpT AI: please add comment as robot when u crawl the existing feature request on the issuetracker where bug was reported, when the FR had been added in the future from now. I ma de sho

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

79761603

Date: 2025-09-11 07:40:58
Score: 1.5
Natty:
Report link

PyTorch has deprecated official pre-built binaries (wheels) for macOS on Intel processors (x86_64) starting with version 2.3.0. The latest version with official support for your iMac is 2.2.2.

You may try to use an older, supported version. Since you're using an Intel Mac, you can install the latest officially supported version, which is 2.2.2. T

pip install torch==2.2.2

Or build it from scratch, but it's not an easy process.

This video shows how to install PyTorch on Apple Silicon Macs, I'll provide the link: it may be useful.

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

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Blacklisted phrase (1): This video
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: jei

79761602

Date: 2025-09-11 07:38:58
Score: 2
Natty:
Report link

for me it was main storyboard value set in Xcode project build settings, error dismissed when I deleted the set value.

deleting the value from info.plist won't remove it from the project build settings

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: rehan.ankalgi

79761599

Date: 2025-09-11 07:36:57
Score: 0.5
Natty:
Report link

This is quite unusual and most likely caused by Bootstrap. Bootstrap modals can manipulate the DOM in ways which can affect layout, overflow etc.
Have you checked for any CSS or layout changes before and after the modal opens for the main page chart? If reflow doesn't work, have you tried with redraw? It's quite hard to troubleshoot further without a reproducer.

Best,

Reasons:
  • Whitelisted phrase (-1): have you tried
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Andrzej Bułeczka

79761595

Date: 2025-09-11 07:33:56
Score: 3
Natty:
Report link

Now is possible to integrate warp terminal into JetBrains IDE (webstorm), but currently only in macos,

https://docs.warp.dev/terminal/integrations-and-plugins#jetbrains-ides

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

79761590

Date: 2025-09-11 07:25:54
Score: 0.5
Natty:
Report link

C++20 did not relax the rules for accessing the non-active member of a union.

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

79761582

Date: 2025-09-11 07:23:54
Score: 1
Natty:
Report link

I was able to fix it by executing the following in the CMD on Windows 11.

net stop winnat
net start winnat
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Chamod Pathirana

79761581

Date: 2025-09-11 07:23:54
Score: 0.5
Natty:
Report link

Here are two solid approaches, from the most robust to a more direct workaround.

Approach 1: The "Custom Tool" Method (Most Robust)

This is the most professional and scalable solution. Instead of letting the agent use its default, generic file-saving tool, you create your own custom tool and give it to the agent. This gives you complete control over the process.

Your custom tool will do two things:

  1. Save the DataFrame to a CSV in a known, web-accessible directory on your server.

  2. Return the publicly accessible URL for that file as its final output.

Here’s how that would look in a FastAPI context:

1. Create a custom tool for your agent:

import pandas as pd
import uuid
from langchain.tools import tool

# Assume you have a '/static/downloads' directory that FastAPI can serve files from.
DOWNLOAD_DIR = "/app/static/downloads/"
BASE_URL = "https://your-azure-app-service.com" # Or your server's base URL

@tool
def save_dataframe_and_get_link(df: pd.DataFrame, filename_prefix: str = "export") -> str:
    """
    Saves a pandas DataFrame to a CSV file in a web-accessible directory
    and returns a public download link. Use this tool whenever you need to
    provide a file for the user to download.
    """
    try:
        # Generate a unique filename to avoid conflicts
        unique_id = uuid.uuid4()
        filename = f"{filename_prefix}_{unique_id}.csv"
        full_path = f"{DOWNLOAD_DIR}{filename}"

        # Save the dataframe
        df.to_csv(full_path, index=False)

        # Generate the public URL
        download_url = f"{BASE_URL}/downloads/{filename}"

        print(f"DataFrame saved. Download link: {download_url}")
        return f"Successfully saved the data. The user can download it from this link: {download_url}"
    except Exception as e:
        return f"Error saving file: {str(e)}"

# When you initialize your agent, you pass this tool in the `tools` list.
# agent_executor = create_pandas_dataframe_agent(..., tools=[save_dataframe_and_get_link])

2. Update your FastAPI to serve these static files:

from fastapi import FastAPI
from fastapi.staticfiles import StaticFiles

app = FastAPI()

# This tells FastAPI to make the 'static' directory available to the public
app.mount("/static", StaticFiles(directory="static"), name="static")

# Your existing agent endpoint...
@app.post("/chat")
def handle_chat(...):
    # ... your agent runs and uses the custom tool ...
    result = agent.run(...)
    # The 'result' will now contain the download URL!
    return {"response": result}

I would strongly recommend Approach 1 for any production application. It gives you much more control and reliability

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

79761561

Date: 2025-09-11 07:05:49
Score: 3.5
Natty:
Report link

Turns out I had to switch to Asymetric Signing keys in the Supabase dashboard by disabling the legacy secrets.

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

79761553

Date: 2025-09-11 06:56:47
Score: 1.5
Natty:
Report link

I prefer the GNU version over the BSD. You can install it on MacOS using brew:

brew install coreutils

Use the gdate binary instead of the date.

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Matěj Koudelka

79761537

Date: 2025-09-11 06:35:42
Score: 1.5
Natty:
Report link

intent:#Intent;type=application/x-discord-interaction-data;S.data=%7B%22id%22%3A%221350083871726637103%22%2C%22name%22%3A%22online%22%2C%22type%22%3A1%2C%22guild_id%22%3A%221047501278185529407%22%2C%22options%22%3A%5B%7B%22type%22%3A3%2C%22name%22%3A%22player%22%2C%22value%22%3A%2218deer_star%22%7D%5D%2C%22application_command%22%3A%7B%22id%22%3A%221350083871726637103%22%2C%22application_id%22%3A%221271341244861124689%22%2C%22version%22%3A%221350083871986941999%22%2C%22default_member_permissions%22%3Anull%2C%22type%22%3A1%2C%22nsfw%22%3Afalse%2C%22name%22%3A%22online%22%2C%22description%22%3A%22%E0%B9%80%E0%B8%8A%E0%B9%87%E0%B8%84%E0%B8%AA%E0%B8%96%E0%B8%B2%E0%B8%99%E0%B8%B0%E0%B8%AD%E0%B8%AD%E0%B8%99%E0%B9%84%E0%B8%A5%E0%B8%99%E0%B9%8C%22%2C%22guild_id%22%3A%221047501278185529407%22%2C%22options%22%3A%5B%7B%22type%22%3A3%2C%22name%22%3A%22player%22%2C%22description%22%3A%22%E0%B8%8A%E0%B8%B7%E0%B9%88%E0%B8%AD%E0%B8%9C%E0%B8%B9%E0%B9%89%E0%B9%80%E0%B8%A5%E0%B9%88%E0%B8%99%22%2C%22required%22%3Atrue%7D%5D%7D%7D;end

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: พีระพัฒน์ แซ่เล้า

79761536

Date: 2025-09-11 06:34:42
Score: 2.5
Natty:
Report link

This is years later but for anyone still looking for an answer, if you are missing the VCRuntime140.dll, what you actually need installed on user computer / included in your own installer are the Visual C++ Redistributable. They can be found here: https://learn.microsoft.com/en-us/cpp/windows/latest-supported-vc-redist?view=msvc-170

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

79761529

Date: 2025-09-11 06:28:40
Score: 0.5
Natty:
Report link

Connection from host uses a docker proxy by default, which is very basic, adds CPU overhead and is source of many problems. You can disable it in /etc/docker/daemon.json with { "userland-proxy": false }. Then docker will use iptables for port redirection, which is always better.

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

79761528

Date: 2025-09-11 06:28:40
Score: 3.5
Natty:
Report link

Unfortunately, PortableBuildTools has been archived, but there's also portable-msvc.py that practically does the same thing.

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

79761519

Date: 2025-09-11 06:04:34
Score: 0.5
Natty:
Report link

GridDB Cloud does not support the DELETE ... USING syntax that is available in PostgreSQL and some other databases.

For single-table deletes, you need to use a simpler DELETE with a WHERE condition. For example, instead of:

DELETE FROM SensorInventory a
USING SensorInventory b
WHERE a.sensor_id = b.sensor_id
AND b.status = 'INACTIVE';

You can run a subquery in the WHERE clause, such as:

DELETE FROM SensorInventory
WHERE sensor_id IN (
    SELECT sensor_id
    FROM SensorInventory
    WHERE status = 'INACTIVE'
);

This will remove all rows where the sensor_id matches an entry marked as INACTIVE.

So the issue is not with the data, but with the SQL dialect — GridDB Cloud has its own supported SQL syntax, which does not include multi-table deletes.

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

79761516

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

I forgot to add the jackson-atatype-JSR310 dependency

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

79761513

Date: 2025-09-11 05:54:32
Score: 0.5
Natty:
Report link

You don’t need a single big regex to capture everything at once – instead, you can split the problem into two steps. First, match the leading word before the brackets, then use a global regex like /\[(.*?)\]/g to repeatedly extract the contents inside each pair of square brackets. In JavaScript, that means you can grab the base with something like str.match(/^[^\[]+/) and then loop over str.matchAll(/\[(.*?)\]/g) to collect all the bracketed parts. This way you’ll end up with an array like ['something', 'one', 'two'] without trying to force all the groups into one complicated regex .

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

79761503

Date: 2025-09-11 05:42:29
Score: 4.5
Natty: 4
Report link

I've encountered the same error. Running the shell as admin got the command to run for me, but I still haven't been able to get the install working. Perhaps that will work for you?

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

79761501

Date: 2025-09-11 05:37:27
Score: 2
Natty:
Report link

Azure automation has moved to runtime environment concept. With that said you should create runtime environment. There you can add modules to the runtime environment. Every time you run the runbooks in that environment the modules imported for it will be available.

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

79761500

Date: 2025-09-11 05:34:26
Score: 2
Natty:
Report link

import tkinter as tk

root = tk.Tk()

root.title("Auto Close")

root.geometry("300x100")

tk.Label(root, text="This window will close in 5 seconds.").pack(pady=20)

# The window closes after 5000 milliseconds (5 seconds)

root.after(5000, lambda: root.destroy())

root

.mainloop()

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Brother archem Sales aceron

79761496

Date: 2025-09-11 05:26:25
Score: 1.5
Natty:
Report link

You should do the command like this by adding the --interpreter none it should work.

$pm2 -f --watch --interpreter none ./executable_file
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: John Mark Roco

79761490

Date: 2025-09-11 05:04:19
Score: 2
Natty:
Report link

dataarg is not in Kotlin 2.2.20 (or any released version). It’s only a proposed feature (see KT-8214) and hasn’t been implemented yet. For now, use a normal data class or builder pattern instead.

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

79761484

Date: 2025-09-11 04:50:16
Score: 1
Natty:
Report link

Fix: Use "Directory" not "Package"

This avoids IntelliJ creating it as a Dart package and keeps imports relative.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Md. Mahafujer Rahman

79761480

Date: 2025-09-11 04:47:15
Score: 1.5
Natty:
Report link

I know this is an older topic, but for anyone else who stumbles across this:
The current supported way to do this is using the "SQLALCHEMY_ENGINE_OPTIONS" config flag for Flask-SQLAlchemy

For example, to set the pool configuration in the original question, you would add the following to your config file:

SQLALCHEMY_ENGINE_OPTIONS = {'pool_size': 20, 'max_overflow':0}

Source: https://flask-sqlalchemy.readthedocs.io/en/stable/config/#flask_sqlalchemy.config.SQLALCHEMY_ENGINE_OPTIONS

See also https://docs.sqlalchemy.org/en/20/core/pooling.html (or for SQLAlchemy 1.4, https://docs.sqlalchemy.org/en/14/core/pooling.html)

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

79761474

Date: 2025-09-11 04:36:12
Score: 1.5
Natty:
Report link

if you ever need to find the closest google font from a image, (because its free). try this tool I found:

Google Font Finder From Image

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Austin Serb

79761471

Date: 2025-09-11 04:30:11
Score: 1.5
Natty:
Report link

You need to export the explicit version you want to use:

export * from 'zod/v4'
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Dave

79761466

Date: 2025-09-11 04:24:09
Score: 0.5
Natty:
Report link

In the Outbox pattern, the publisher should not mark an event as completed. The outbox is just a reliable log of events that happened.

Each consumer (service/handler) is responsible for tracking whether it has processed the event.

  1. You don’t have to update the publisher when a new consumer is added.

  2. One failing consumer doesn’t affect the others.

  3. Retries can be handled independently for each consumer.

If you really need a global “completed” flag, only set it after all consumers confirm they are done. In most systems, though, the outbox itself stays unchanged and only consumers record their own status.

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

79761462

Date: 2025-09-11 04:00:04
Score: 0.5
Natty:
Report link

You can also use Python scripting in gdb:

(gdb) python import psutil
(gdb) python print(psutil.Process(gdb.selected_inferior().pid).environ())

This will print out a Python dictionary that contains the environment variables of the selected inferior.

Reference:

If you don't want external library (psutil), you can read from /proc/<pid>/environ as in the accepted answer.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: user202729

79761460

Date: 2025-09-11 03:58:03
Score: 0.5
Natty:
Report link

I had similar problem and was able to fix by installing python via macports.

Quoting the answer from https://emacs.stackexchange.com/questions/72243/macos-org-babel-python-with-session-output-give-python-el-eval

I just ran into the same issue, and I bugged someone much smarter than me about it -- her conclusion after some debugging was that it seems like this basically boils down to the Python that comes with MacOS not being compiled with readline support. This could be seen by opening a python shell in emacs, and entering 1, and seeing that the input is echoed in addition to being output.

We switched to using a different python installation (specifically the one that comes with nix) and this made the issue go away. (She says that ones that come with homebrew / macports would also work; apparently it's well-known that the python version that ships with MacOS has these kinds of problems.)

Slightly unsatisfying + seems like black magic to me, but it's working now! :)
Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: jun

79761456

Date: 2025-09-11 03:54:02
Score: 2
Natty:
Report link

https://nginx.org/en/docs/http/ngx_http_ssl_module.html#ssl_reject_handshake

server {
    listen               443 ssl default_server;
    ssl_reject_handshake on;
}
Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
Posted by: MaximKostrikin

79761452

Date: 2025-09-11 03:49:01
Score: 1.5
Natty:
Report link

Kivy here is trying to use video source as preview image and the video can't be used as a image. The solution is to set the videos's preview in python or kv first to a valid image file, and then set the source of the video to a video file. It is important that preview is set before the source is set.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mr. Mason

79761447

Date: 2025-09-11 03:35:59
Score: 2
Natty:
Report link

by https://developers.google.com/speed/docs/insights/v5/about

Why does the performance score change from run to run? I didn’t change anything on my page!

Variability in performance measurement is introduced via a number of channels with different levels of impact. Several common sources of metric variability are local network availability, client hardware availability, and client resource contention.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Xie David

79761446

Date: 2025-09-11 03:23:56
Score: 2.5
Natty:
Report link

Thank you for reporting this issue!

We’ve identified it and are currently working on a fix. We’ll share an update here as soon as a corrected build is available.

In the meantime, we welcome others to share any additional issues in this thread, along with any relevant test code if possible. This will help us investigate and address problems more efficiently. Our team will continue monitoring and working to improve the experience.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • RegEx Blacklisted phrase (1): help us
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: qinliuMSFT

79761442

Date: 2025-09-11 03:09:53
Score: 0.5
Natty:
Report link

Same problem happened to me.

This is related to the hardware. It seems you created an ImageOne array of width*height. Try create an array of width*height*4. Use 4 bytes to describe a pixel, i.e., RGB and alpha. The SLM only uses channel R so GB can be replica of R or anything. Set all alpha to 255. This should work.

Got to blame Meadowlark. Good hardware, shitty interface.

Try Matlab for interface with Meadowlark. Slightly better.

Reasons:
  • Whitelisted phrase (-2): This should work
  • RegEx Blacklisted phrase (1): Same problem
  • No code block (0.5):
  • Low reputation (1):
Posted by: classicfan1013

79761432

Date: 2025-09-11 02:32:46
Score: 2
Natty:
Report link

With some helpful discussions from the folks in the comments and this similar question, I believe I have found a solution (perhaps not the best solution).

In the src/lib_name/__init__.py file, if I include:

import lib_name.lib_name
from . import file1, file2

Then in a Jupyter notebook, I import the lib as follows:

from lib_name.lib_name import func
func()  # Call the function.

This seems to resolve the name space error I mentioned above.

However, what I still don't understand:

Any insights on these questions, or recommendations on improving the answer, would still be greatly appreciated.

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (0.5): Why is this
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: GBean

79761404

Date: 2025-09-11 01:03:29
Score: 2
Natty:
Report link

AI was absolutely hallucinating. Nothing of the sort exists. As @davidebacci mentionned, Measure Killer offers exactly this type of analysis. Mind you, a field used in a relationship will be counted as being used (though in yellow inly if I remember correctly), but it's fairly easy to spot.

My workplace has some strict policies about what we can install without and admin and I was able to install the portable version.

Reasons:
  • No code block (0.5):
  • User mentioned (1): @davidebacci
  • Low reputation (0.5):
Posted by: Pomul

79761402

Date: 2025-09-11 00:58:28
Score: 0.5
Natty:
Report link

import { Card, CardContent } from "@/components/ui/card"; import { motion } from "framer-motion"; import { Heart, Sun, Car, Users, Sparkles } from "lucide-react";

export default function IntroducingRagesh() { const slides = [ { icon: <Users className="w-10 h-10 text-pink-600" />, title: "Family & Culture", caption: "My roots, culture, and family keep me grounded.", image: "https://cdn.pixabay.com/photo/2016/11/29/03/53/india-1867845_1280.jpg", }, { icon: <Heart className="w-10 h-10 text-red-500" />, title: "Love & Relationship", caption: "Love inspires me – Jashmitha is a big part of my life.", image: "https://cdn.pixabay.com/photo/2016/11/29/12/54/heart-1869811_1280.jpg", }, { icon: <Car className="w-10 h-10 text-blue-600" />, title: "Passions", caption: "Cars and technology fuel my passion.", image: "https://cdn.pixabay.com/photo/2017/01/06/19/15/car-1957037_1280.jpg", }, { icon: <Sparkles className="w-10 h-10 text-yellow-500" />, title: "Personality", caption: "I value loyalty, care, and supporting others.", image: "https://cdn.pixabay.com/photo/2017/08/30/07/58/hands-2692453_1280.jpg", }, { icon: <Sun className="w-10 h-10 text-orange-500" />, title: "Future & Dreams", caption: "Focused on growth, success, and building a bright future.", image: "https://cdn.pixabay.com/photo/2015/07/17/22/43/road-849796_1280.jpg", }, ];

return ( <div className="grid grid-cols-1 md:grid-cols-2 gap-6 p-6 bg-gray-50 min-h-screen"> {slides.map((slide, index) => ( <motion.div key={index} initial={{ opacity: 0, y: 40 }} animate={{ opacity: 1, y: 0 }} transition={{ duration: 0.6, delay: index * 0.2 }} > <Card className="rounded-2xl shadow-lg overflow-hidden"> <img src={slide

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

79761400

Date: 2025-09-11 00:56:28
Score: 3
Natty:
Report link

i am using rdlc reports and i have two separate reports that I am trying to generate from different tables in a sql server. i have two separate datasets in my application with two different reports poiinting to only on of the data sets. I have confirmed that the query in each dataset runs correctly and returns the correct data. I don't understand why i can get one report to work perfectly and yet in the second report form with a viewer control I can't even get past all the different errors to open it.

Reasons:
  • Blacklisted phrase (1): I am trying to
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Joel

79761397

Date: 2025-09-11 00:39:25
Score: 0.5
Natty:
Report link

When an SQL UPDATE statement using CONCAT to append a string to an existing field is not working as expected, the primary reason is often the presence of NULL values in the target field.

Here's why and how to address it:

The Problem with NULL and CONCAT:

Solutions:

These functions allow you to replace NULL values with an empty string ('') before concatenation, ensuring the CONCAT function works correctly. Using COALESCE (ANSI Standard).

Code

        UPDATE your_table
        SET your_field = CONCAT(COALESCE(your_field, ''), 'your_append_string');

Using IFNULL (MySQL Specific).

Code

        UPDATE your_table
        SET your_field = CONCAT(IFNULL(your_field, ''), 'your_append_string');

Use CONCAT_WS (MySQL and SQL Server).

The CONCAT_WS (Concatenate With Separator) function is designed to handle NULL values by skipping them. If you provide a separator, it will only apply it between non-NULL values.

Code

    UPDATE your_table
    SET your_field = CONCAT_WS('', your_field, 'your_append_string');

In this case, an empty string '' is used as the separator to simply append without adding any extra characters between the original value and the new string.

Other Potential Issues:

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Starts with a question (0.5): When
  • Low reputation (1):
Posted by: Kok

79761393

Date: 2025-09-11 00:37:24
Score: 2.5
Natty:
Report link

For Desktop apps, including runtimeconfig.json will solve the issue. It might help the above context also.

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

79761392

Date: 2025-09-11 00:34:23
Score: 2.5
Natty:
Report link

I use Video Preview Converter, it does everything for you with just one click, generating app previews for Mac, iPhone, and iPad. You only pay once, and it's inexpensive! Download the app for Mac at: https://apps.apple.com/br/app/store-video-preview-converter/id6751082962?l=en-GB&mt=12

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: DiĂłgenes de Souza

79761385

Date: 2025-09-11 00:16:19
Score: 2.5
Natty:
Report link

Happen to me recently, the issue is not with your form, rather they is a component mounted that has not been closed yet, i would advise checking things like model, drawer, header, that have zindex

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

79761366

Date: 2025-09-10 23:21:07
Score: 2
Natty:
Report link

I had this issue and found that if I call on the functions assigned to "module.exports" in a file, and that file imports another file that also has a "module.exports" assignment, then the functions in the first file won't be found.

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

79761365

Date: 2025-09-10 23:18:07
Score: 2
Natty:
Report link

I had this issue and found that if I call on the functions assigned to "module.exports" in a file, and that file imports another file that also has a "module.exports" assignment, then the functions in the first file won't be found.

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

79761364

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

Thanks furas for the explanation, helped me realize the problem itself. Gonna leave a version that yields in batches and, in adjusting the batch size, you can play with the ratio the memory it uses and the response time.

@app.route("/streamed_batches")
def streamed_response_batches():
    start_time = time.time()
    mem_before = memory_usage()[0]

    BATCH_SIZE = 20

    def generate():
        yield "["
        first = True
        batch = []

        for i in range(BIG_SIZE):
            batch.append({"id": i, "value": f"Item-{i}"})

            if len(batch) >= BATCH_SIZE or i == BIG_SIZE - 1:
                # Flush this batch
                chunk = json.dumps(batch)
                if not first:
                    yield ","
                yield chunk[1:-1]
                batch = []
                first = False

        yield "]"

        mem_after = memory_usage()[0]
        elapsed = time.time() - start_time
        print(f"[STREAMED_BATCHES] Memory Before: {mem_before:.2f} MB, "
              f"After: {mem_after:.2f} MB, Elapsed: {elapsed:.2f}s")

    return Response(stream_with_context(generate()), mimetype="application/json")
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: cd91

79761363

Date: 2025-09-10 23:13:06
Score: 3
Natty:
Report link

I was having the same problem and the solution was very simple: Save the file before running uvicorn. It sounds stupid but i'm using a new computer and didn't have auto save enabled. Writing this answer because it might help someone.

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

79761360

Date: 2025-09-10 23:06:04
Score: 1.5
Natty:
Report link

I know this is a late answer, but making a 4 set Venn diagram with circles is mathematically impossible.

https://math.stackexchange.com/questions/2919421/making-a-venn-diagram-with-four-circles-impossible

Looking at Allan Cameron's diagram, you can see he miscounted, and the diagram is missing 10 and 13. Use ellipses.

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

79761359

Date: 2025-09-10 23:06:04
Score: 1.5
Natty:
Report link

First add the new SDKs (the box with a wee downward arrow)

enter image description here

Next click on the SDK Tools and there will be an option to update them.

enter image description here

Open the AVD Manager, Pick your Phone and I think you wll see more options available to you.

enter image description here

Hope this helps.

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Gareth

79761357

Date: 2025-09-10 22:52:01
Score: 3.5
Natty:
Report link

Download the png and place it in the node program file folder, select browse on windows terminal and navigate to your logo png location and select

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

79761356

Date: 2025-09-10 22:51:01
Score: 3
Natty:
Report link

You can try red laser beams mixed with some green or UV or heating incandescent lights above 250W with some fans, also the direction of where do you locate the source is important.

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

79761330

Date: 2025-09-10 22:11:52
Score: 1.5
Natty:
Report link
inputs = processor('hello, i hope you are doing well', voice_preset=voice_preset)
## add this
for key in inputs.keys():
    inputs[key] = inputs[key].to("cuda")
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Berg GinĂş

79761324

Date: 2025-09-10 21:56:49
Score: 1
Natty:
Report link

The key part of the error is: ImportError: Missing optional dependency 'openpyxl'. Use pip or conda to install openpyxl. Pandas needs an engine to read the file-details in the docs here.

To install openpyxl run pip install openpyxl.

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

79761322

Date: 2025-09-10 21:55:49
Score: 1
Natty:
Report link

So, for a panda dataframe object, when using the .to_string method, there is a parameter you can specify now for column spacing! I do not know if this is just in newer versions and was not around when you had this problem 4 years ago, but:

print (#dataframeobjectname#.to_string(col_space=#n#)) Will insert spaces between the columns for you. With values of n of 1 or below, the spacing between columns is 1 space, but as you increase n, the number of spaces you specify does get inserted between columns. Interesting effect, though, it adds n-1 spaces in front of the first column, LOL.

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

79761319

Date: 2025-09-10 21:49:47
Score: 1.5
Natty:
Report link

Try to add the person objectclass to testuser in your bootstrap.ldif file because expects sn and cn as required attribute.

objectClass: person
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Carlos Alberto Minafra Junior

79761310

Date: 2025-09-10 21:40:45
Score: 1.5
Natty:
Report link

AnyPublisher itself doesn’t conform to Sendable, because Combines Publisher protocol isnt marked that way. However if both your Output and Failure types are Sendable, you can add a conditional conformance to make AnyPublisher usable across concurrency domains.

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

79761305

Date: 2025-09-10 21:32:43
Score: 3.5
Natty:
Report link

In C language Division (/) has higher precedence than subtraction (-)

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

79761302

Date: 2025-09-10 21:26:42
Score: 0.5
Natty:
Report link

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/map#using_map_on_sparse_arrays

The array you created with Array(3) is a sparse array where all elements are empty, and map doesn't call the callback function on the empty elements, so map passes through the array and returns the array unchanged. This is why your code doesn't work

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

79761301

Date: 2025-09-10 21:25:42
Score: 1
Natty:
Report link

A bit late for OP, but for people who land on this thread via search: my solution for this is a hack, but it works. I use the date range control since it's the only available date picker, and then add a metric called "Pick single date warning" defined as

IF(COUNT_DISTINCT(date) > 1, "SELECT A SINGLE DATE", "")

Then I add a "Scorecard" chart using this metric with the field name hidden and place it directly under the date picker. If a user selects a multi-date range they see the message, and it goes away when they have a single date.

Multi-date date picker with user warning message

Single day selected from date range picker with no warning

I have used this method extensively when it's hard to create the perfect dataset and some user selections may yield invalid results.

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

79761288

Date: 2025-09-10 21:09:38
Score: 1.5
Natty:
Report link

The setting is called zoneRedundant not isZoneRedundant according to the documentation: https://learn.microsoft.com/en-us/azure/templates/microsoft.web/2021-02-01/serverfarms?tabs=bicep&pivots=deployment-language-bicep

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

79761281

Date: 2025-09-10 20:56:35
Score: 2
Natty:
Report link

Anybody trying to setup FIGMA with MCP can refer to the below documentation.

https://help.figma.com/hc/en-us/articles/32132100833559-Guide-to-the-Dev-Mode-MCP-Server

I tried with VSCode and Github Copilot with agent mode and Gemini Pro and it worked.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: letmesolve

79761273

Date: 2025-09-10 20:42:31
Score: 1.5
Natty:
Report link

Changing NavigationStack to NavigationView fixes the problem and you can keep large titles.

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

79761268

Date: 2025-09-10 20:31:29
Score: 3
Natty:
Report link

As of yesterday, none of these methods work at all. The only which is still functional is OAuth via the linkedin API.

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

79761263

Date: 2025-09-10 20:27:28
Score: 0.5
Natty:
Report link

ggplot2::theme(legend.location = "plot") will override the default legend.location = "panel" and center on the full plot area. ggplot2::theme(legend.justification ...) can be used to manually shift the legend position.

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

79761257

Date: 2025-09-10 20:18:26
Score: 2
Natty:
Report link

getEnvelope and getEnvelopeInternal return rectangles aligned with the xy axes. If you prefer the minimal bounding which may be aligned obliqely, use MinimumAreaRectangle.getMinumumRectangle

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

79761249

Date: 2025-09-10 20:08:23
Score: 0.5
Natty:
Report link

The issue stems from how the PowerShell handles the wildcard (*) in the *.c or *.cpp pattern.

Unlike Unix-based shells (like Bash), Windows shells do not automatically expand wildcards like *.c into a list of matching files, so GCC literally receives *.c, which is not a valid filename.

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

79761248

Date: 2025-09-10 20:06:22
Score: 2.5
Natty:
Report link

If OnBackButtonPressed() isn't getting called, it's possible that the callback isn't being setup successfully in the Awake() method. You could try changing Awake() to Start().

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

79761231

Date: 2025-09-10 19:44:16
Score: 2
Natty:
Report link

Construction estimating services Florida provide accurate cost projections for residential, commercial, and industrial projects. These services help contractors, builders, and homeowners manage budgets, avoid unexpected expenses, and streamline planning. Florida-based estimators understand regional costs, permitting, and materials unique to the state’s construction landscape.

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

79761228

Date: 2025-09-10 19:42:15
Score: 3
Natty:
Report link

According to this document, "AND EVER" can be used with @currentIteration +/-n when using the WIQL editor. With EVER, you should be able to accomplish your goal. See the link for more information, but something like this in WIQL should meet your needs. The syntax for the iteration name will vary.

AND [System.IterationPath] = @currentIteration('[Project]\Team')
AND EVER [System.IterationPath] = @currentIteration('[Project]\Team') -1

enter image description here

Reasons:
  • Blacklisted phrase (1): this document
  • RegEx Blacklisted phrase (1): See the link
  • Has code block (-0.5):
  • User mentioned (1): @currentIteration
  • Low reputation (0.5):
Posted by: alex2017

79761209

Date: 2025-09-10 19:15:08
Score: 1
Natty:
Report link

The answer is you can't do this in python. An AI told me this as to why you can't use an in memory location to recreate an object:

Why Direct Memory Control Isn't Possible in Python

  • Abstracted Memory Management: Python handles memory allocation and deallocation automatically, preventing direct user manipulation of memory addresses.

  • References, Not Pointers: Variables in Python are references to objects, not raw memory pointers.

  • Safety and Simplicity: This design choice avoids the complexities and potential errors (like memory leaks or dangling pointers) common in languages that provide direct pointer control.

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

79761207

Date: 2025-09-10 19:15:08
Score: 0.5
Natty:
Report link

I'm running Nuxt 4.x and suddenly hit this same issue after a long day of heavy dev work. I ended up running nuxi cleanup as well as blowing away my lockfile and node_modules and reinstalling. It fixed most of the issue: any changes in app.vue don't get hot reloaded: only changes to files in the pages directory seem to get reloaded. Even modifying components doesn't trigger it.

Reasons:
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Brandon Aaskov

79761197

Date: 2025-09-10 19:05:05
Score: 3.5
Natty:
Report link

Thanks Ryan

I will give this a go tomorrow. You are correct I just wanted a count of the cells with a value returned by the Vlookup. It’s just used to compare that column with another as part of a tracking form.

Cheers,

Mick

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): Cheers
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Desiato

79761188

Date: 2025-09-10 18:49:02
Score: 3.5
Natty:
Report link

I believe another workaround to this is to use glm() with the option family="gaussian" instead of lm()

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

79761185

Date: 2025-09-10 18:44:00
Score: 2
Natty:
Report link

[21:15:05] EnumToLowerCase\EnumToLowerCase.EnumWithPrefixGenerator\Unity.AppUI.Unity.AppUI.UI.AssetTargetField.GetSizeUssClassName.gen.cs(3,5): error CS0246: The type or namespace name 'internal' could not be found (are you missing a using directive or an assembly reference?)

[21:15:05] EnumToLowerCase\EnumToLowerCase.EnumWithPrefixGenerator\Unity.AppUI.Unity.AppUI.UI.ToastVisualElement.GetNotificationStyleUssClassName.gen.cs(3,5): error CS0246: The type or namespace name 'internal' could not be found (are you missing a using directive or an assembly reference?)

[21:15:05] EnumToLowerCase\EnumToLowerCase.EnumWithPrefixGenerator\Unity.AppUI.Unity.AppUI.UI.ToastVisualElement.GetNotificationStyleUssClassName.gen.cs(3,14): error CS0102: The type '<invalid-global-code>' already contains a definition for "

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: İsmail Z. AKIN

79761182

Date: 2025-09-10 18:41:00
Score: 1.5
Natty:
Report link

You can install expo-build-properties. In your app.json, add this to your plugins

[
        "expo-build-properties",
        {
          "ios": {
            "extraPods": [
              { "name": "Your Pod Name", "module_headers": true }
            ]
          }
        }
      ],

See https://docs.expo.dev/versions/latest/sdk/build-properties/#extraiospoddependency

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

79761181

Date: 2025-09-10 18:38:59
Score: 3
Natty:
Report link

There is an implementation of SQL/MED DATALINK for Postgres at github.com/lacanoid/datalink

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

79761170

Date: 2025-09-10 18:24:56
Score: 2.5
Natty:
Report link

This worked! Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Daniel Pires

79761169

Date: 2025-09-10 18:22:55
Score: 1.5
Natty:
Report link
    private void Update()
    {
        if (Application.platform == RuntimePlatform.Android)
        {
            if (UnityEngine.InputSystem.Keyboard.current.escapeKey.isPressed)
            {
                OnBackButtonPressed();
            }
        }
    }

This seems to be working

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

79761154

Date: 2025-09-10 18:10:51
Score: 2
Natty:
Report link

I figured it out, setLore cannot be used on items that are already present in-game.

Reasons:
  • Whitelisted phrase (-2): I figured it out
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rey Debida

79761151

Date: 2025-09-10 18:04:50
Score: 2
Natty:
Report link

In my case where I use authentication using RBAC.

I have already enabled system assigned managed identity in the Search Service > Settings > Identity but I was missing Search Service > Settings > Keys to also allow RBAC (option RBAC or Both).

This was my 2 hours journey.

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

79761146

Date: 2025-09-10 17:59:48
Score: 1
Natty:
Report link
hdc = win32gui.GetDC(0)
user32 = ctypes.windll.user32
user32.SetProcessDPIAware()
[w, h] = [user32.GetSystemMetrics(0), user32.GetSystemMetrics(1)]
win32gui.DrawIcon(
        hdc,
        random.randint(0, w),
        random.randint(0, h),
        win32gui.LoadIcon(None, win32con.IDI_ERROR),
    )

Draw Error Icon To Random Place.

import win32gui
import win32con
import ctypes
import random
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Xdart

79761123

Date: 2025-09-10 17:22:38
Score: 2.5
Natty:
Report link

You could also add this to the while loop after the break
// This await new promise function is when the code checks a condition repeatedly,
// pausing for 1 second between each check until the condition is met
await new Promise(resolve => setTimeout(resolve, 1000)) // Simple 1-second poll

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