79428726

Date: 2025-02-11 02:18:49
Score: 4
Natty: 4
Report link

thank you for sharing,you can also look this,https://thinkingemoji.com/, https://januspro.dev/

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

79428724

Date: 2025-02-11 02:17:48
Score: 5
Natty:
Report link

thanks for the link! I need to implement a Service etc., but I think I should be god now. Thanks for the help :-)

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (0.5): I need
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user3597837

79428723

Date: 2025-02-11 02:16:48
Score: 1.5
Natty:
Report link

I got it! just replace mm$learners[[1]] with mm$learners[[1]]$model

unified <- unify(mm$learners[[1]]$model, data)
treeshap1 <- treeshap(unified,  data[700:800, ], verbose = 0)
treeshap1$shaps[1:3, 1:6]
plot_contribution(treeshap1, obs = 1, min_max = c(0, 16000000))
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: gen linlin

79428720

Date: 2025-02-11 02:15:46
Score: 6.5 đźš©
Natty: 6.5
Report link

I intended to make this a comment, but this account is new and I don't have enough reputation to comment.

Thank you so much for your answer, it worked for me! But do you know how to make this an inline formula? Right now it generates a new line for every formula I have, thank you so much!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): thank you
  • Blacklisted phrase (1): to comment
  • Whitelisted phrase (-1): it worked
  • Whitelisted phrase (-1): worked for me
  • RegEx Blacklisted phrase (1.5): I don't have enough reputation to comment
  • RegEx Blacklisted phrase (2.5): do you know how
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Junxi Song

79428718

Date: 2025-02-11 02:13:46
Score: 1
Natty:
Report link

Beyond handling nil data recording with timeouts, there are several additional considerations to optimize your system:

  1. Bloom Filter Implementation: You could apply a Bloom filter at the API endpoint for internal data queries. This would accelerate query processing while reducing unnecessary workload by efficiently identifying non-existent entries before executing expensive operations.

  2. Singleflight Pattern: Consider adopting the singleflight pattern (as implemented in Golang's https://pkg.go.dev/golang.org/x/sync/singleflight). This becomes particularly helpful when cached nil data expires and multiple concurrent requests arrive simultaneously. Without an existing cache entry, these parallel requests would bypass the cache layer and directly hit the upstream API endpoint, potentially causing request stampeding that could overwhelm backend systems (also known as cache penetration).

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

79428716

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

When to use class-based React components vs. function components?

In React, function components are now the go-to choice in most cases thanks to React Hooks (introduced in React 16.8). However, there are still situations where class components are needed.

Use Class Components When:

1: Working with Old Code:

If you're working on an old project that already uses class components, it’s usually best to stick with them instead of refactoring everything. Example:

class MyComponent extends React.Component {
  constructor(props) {
    super(props);
    this.state = { count: 0 };
  }
  render() {
    return <h1>{this.state.count}</h1>;
  }
}

2: Using Lifecycle Methods (before React 16.8):

Class components are needed for using lifecycle methods like componentDidMount, componentDidUpdate, etc., which were essential before Hooks. Example:

class MyComponent extends React.Component {
  componentDidMount() {
    console.log('Component has mounted!');
  }
  render() {
    return <h1>Hello</h1>;
  }
}

3: Creating Error Boundaries:

Only class components can be used to create error boundaries (used for handling JavaScript errors in child components). Example:

class ErrorBoundary extends React.Component {
  constructor(props) {
    super(props);
    this.state = { hasError: false };
  }
  static getDerivedStateFromError(error) {
    return { hasError: true };
  }
  render() {
    if (this.state.hasError) {
      return <h1>Something went wrong.</h1>;
    }
    return this.props.children;
  }
}

Use Function Components When:

1: Building New React Apps:

Function components are simpler and cleaner, making your code easier to write and maintain. Example:

function MyComponent() {
  const [count, setCount] = useState(0);
  return <h1>{count}</h1>;
}

Using Hooks for State & Side Effects:

useState and useEffect hooks replace the need for class component lifecycle methods. Example: jsx Copy Edit

function MyComponent() {
  const [count, setCount] = useState(0);
  
  useEffect(() => {
    document.title = `Count: ${count}`;
  }, [count]);
  
  return <h1 onClick={() => setCount(count + 1)}>{count}</h1>;
}

3: Better Performance & Smaller Code:

Function components have less overhead compared to class components (no need for this and constructor), making them faster and easier to optimize. Better Compatibility with Modern Features (e.g., React 18):

4: enter image description hereFunction components work better with React Suspense, Concurrent Mode, and other new features in React.

Comparison Table below Class Component VS Function Component

When to Use Each: For new React projects → Use function components with hooks. They're easier, cleaner, and the way React is heading. For legacy projects → Stick to class components, unless you want to refactor. For error boundaries → Class components are necessary. React has evolved, and function components are the future. They make it easier to manage state, side effects, and more, all with less boilerplate code

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (1): enter image description here
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): When to use
  • Low reputation (1):
Posted by: Altaf Malik

79428715

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

ReRe does exactly what you are asking for!

It can record almost all non-final java objects, including the throw behavior, and the modifications done to parameters.

Please check it out!

https://github.com/ryucc/ReRe

Reasons:
  • Blacklisted phrase (0.5): check it out
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Katie Liu

79428713

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

After adding additional argument to the class Profile(models.Model):

def save(self, ** kwargs):

https://github.com/CoreyMSchafer/code_snippets/issues/15

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Qúy Việt Bùi

79428712

Date: 2025-02-11 02:05:44
Score: 2.5
Natty:
Report link

I have discovered another cause/solution to this issue. I was using a cloud share (MS OneDrive) for my web files (this is small dev environment at home). I created a new web dev environment on a new laptop, and I hadn't yet set my web files to "always keep on this device." As a result, when the php engine went to fetch a file, the file really wasn't there, even though I could see it in File Explorer. Once I forced all my files to reside on the new device, it worked like a charm.

Reasons:
  • Blacklisted phrase (1): worked like a charm
  • Whitelisted phrase (-1): it worked
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Lee Harbaugh

79428711

Date: 2025-02-11 02:04:44
Score: 1
Natty:
Report link

Thanks to @buran answer/link, I post here my entire code:

import subprocess, winreg
import pandas as pd

def remove_duplicates(data: list):
    # Create a set to store unique combinations of (name, version, architecture)
    seen = set()

    # Create a new list for unique elements
    unique_data = []

    # Iterate through the list of dictionaries
    for item in data:
        name = item["name"].strip()
        version = item["version"].strip()
        architecture = item["architecture"].strip()
        
        # Create a tuple of the values for name, version, and architecture
        identifier = (name, version, architecture)
        
        # If this combination hasn't been seen before, add it to the result list and mark it as seen
        if identifier not in seen:
            seen.add(identifier)
            unique_data.append({"name": name, "version": version, "architecture": architecture})

    return unique_data

def list_installed_apps(cmd: str):     
    # Run the PowerShell command and capture output
    result = subprocess.run(["powershell", "-Command", cmd], capture_output=True, text=True)
    
    # Split the result into lines and filter out unwanted lines
    all_apps = result.stdout.splitlines()
    
    # Find the index of the header line and column label boundaries
    header_index = [i for i, app in enumerate(all_apps) if app.find("Version") != -1][0]
    header = all_apps[header_index]
    bound_1 = header.find("Version")
    bound_2 = header.find("Architecture")
    #bound_3 = header.find("Publisher")

    # Remove the header and any empty lines
    all_apps = [app.strip() for app in all_apps if app.strip() and "Name" not in app]
    all_apps = all_apps[1:] #removes the line of -------

    all_apps_ordered = [
        {
            "name": app[:bound_1], 
            "version": app[bound_1:bound_2], 
            "architecture": app[bound_2:], 
            #"architecture": app[bound_2:bound_3], 
            #"publisher": app[bound_3:]
        }
        for app in all_apps
    ]
    
    return all_apps_ordered

def list_installed_apps_from_registry(cmd: str):     
    # Run the PowerShell command and capture output
    result = subprocess.run(["powershell", "-Command", cmd], capture_output=True, text=True)
    
    # Split the result into lines and filter out unwanted lines
    all_apps = result.stdout.splitlines()
    
    # Find the index of the header line and column label boundaries
    header_index = [i for i, app in enumerate(all_apps) if app.find("DisplayVersion") != -1][0]
    header = all_apps[header_index]
    bound_1 = header.find("DisplayVersion")
    bound_2 = header.find("Architecture")
    #bound_3 = header.find("Publisher")

    # Remove the header and any empty lines
    all_apps = [app.strip() for app in all_apps if app.strip() and "DisplayName" not in app]
    all_apps = all_apps[1:] #removes the line of -------

    all_apps_ordered = [
        {
            "name": app[:bound_1], 
            "version": app[bound_1:bound_2], 
            "architecture": app[bound_2:], 
            #"architecture": app[bound_2:bound_3], 
            #"publisher": app[bound_3:]
        }
        for app in all_apps
    ]
    
    return all_apps_ordered

def query_registry(hive, flag):
    """
    Queries the registry for a list of installed software.

    Args:
        hive: a winreg constant specifying the registry hive to query.
        flag: a winreg constant specifying the access mode.

    Returns:
        A list of dictionaries, each containing the name, version, publisher, and
        architecture of a piece of software installed on the machine.
    """
    aReg = winreg.ConnectRegistry(None, hive)
    aKey = winreg.OpenKey(key=aReg, sub_key=r"SOFTWARE\Microsoft\Windows\CurrentVersion\Uninstall",
                          reserved=0, access=winreg.KEY_READ | flag)

    count_subkey = winreg.QueryInfoKey(aKey)[0]

    software_list = []

    for i in range(count_subkey):
        software = {}
        try:
            asubkey_name = winreg.EnumKey(aKey, i)
            asubkey = winreg.OpenKey(key=aKey, sub_key=asubkey_name)
            software['name'] = winreg.QueryValueEx(asubkey, "DisplayName")[0]

            try:
                software['version'] = winreg.QueryValueEx(asubkey, "DisplayVersion")[0]
            except EnvironmentError:
                software['version'] = ""
            # try:
            #     software['publisher'] = winreg.QueryValueEx(asubkey, "Publisher")[0]
            # except EnvironmentError:
            #     software['publisher'] = ""
            try:
                software['architecture'] = winreg.QueryValueEx(asubkey, "Architecture")[0]
            except EnvironmentError:
                software['architecture'] = ""
            software_list.append(software)
        except EnvironmentError:
            continue

    return software_list


##############################
# CMD 1 
##############################
cmd = "Get-WmiObject -Class Win32_Product | Select-Object Name, Version, Architecture | Sort-Object Name"
apps_1 = list_installed_apps(cmd)


##############################
# CMD 2
##############################
cmd = "Get-AppxPackage | Select-Object Name, Version, Architecture | Sort-Object Name"
apps_2 = list_installed_apps(cmd)


##############################
# CMD 3
##############################
path = f"HKLM:\\Software\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\*"
cmd = f"Get-ItemProperty -Path {path} | Select-Object DisplayName, DisplayVersion, Architecture | Sort-Object Name"
apps_3 = list_installed_apps_from_registry(cmd)


##############################
# CMD 4
##############################
path = f"HKLM:\\Software\\Wow6432Node\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\*"
cmd = f"Get-ItemProperty -Path {path} | Select-Object DisplayName, DisplayVersion, Architecture | Sort-Object Name"
apps_4 = list_installed_apps_from_registry(cmd)


##############################
# CMD5, CM6, CM7
##############################
apps_5 = query_registry(winreg.HKEY_LOCAL_MACHINE, winreg.KEY_WOW64_32KEY)
apps_6 = query_registry(winreg.HKEY_LOCAL_MACHINE, winreg.KEY_WOW64_64KEY)
apps_7 = query_registry(winreg.HKEY_CURRENT_USER, 0)


##############################
# SUM RESULTS OF ALL COMMANDS
##############################
all_apps = apps_1 + apps_2 + apps_3 + apps_4 + apps_5 + apps_6 + apps_7


##############################################
# ELIMINATE DUPLICATES AND SORT BY NAME KEY
##############################################
# Output the unique list
all_apps_no_duplicates = remove_duplicates(all_apps)
all_apps_no_duplicates_sorted = sorted(all_apps_no_duplicates, key=lambda x: x["name"])
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @buran
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: eljamba

79428695

Date: 2025-02-11 01:53:42
Score: 0.5
Natty:
Report link

The easier ways is probably to use FindSystemFontsFilename:

import os
import shutil
from pathlib import Path
from find_system_fonts_filename import install_font

filename_src = Path("PATH_TO_THE_FONT_TO_INSTALL.TTF")

# find_system_fonts_filename only support installing users fonts (see https://stackoverflow.com/a/77661799/15835974)
filename_dst = Path(os.environ["USERPROFILE"], "AppData", "Local", "Microsoft", "Windows", "Fonts", filename_src.name)

shutil.copyfile(filename_src, filename_dst)
install_font(filename_dst, True)

You can find FindSystemFontsFilename here.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: jeremie bergeron

79428692

Date: 2025-02-11 01:51:41
Score: 3
Natty:
Report link

There is language mode option: raw .

enter image description here

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

79428680

Date: 2025-02-11 01:37:39
Score: 1.5
Natty:
Report link

Figured it out. Just didn't know how to ask it. For any other beginner struggling with this or even how to ask it, this is the high level:

  1. Create the 3D Model in Blender Model a pack of cards and individual cards inside the pack. Rig the model (if necessary) for smooth animation. Animate the pack opening and the cards revealing themselves.
  2. Set Up Image Texture Inputs Create three planes or card faces where the images will be applied. Use Blender’s material nodes to set up image textures that can be swapped dynamically.
  3. Export as GLTF Blender allows you to export your model as a .gltf or .glb file. Ensure textures are configured correctly to allow external image swapping.
  4. Load the GLTF in Three.js Use GLTFLoader in Three.js to load your exported model. Dynamically replace the textures of the cards with the image URLs you provide.
Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: michael_builds_apps

79428674

Date: 2025-02-11 01:32:38
Score: 1
Natty:
Report link

I had to install a few more libraries to get Ubuntu 24.04 to play nice with pyenv

sudo apt install libbz2-dev libffi-dev libssl-dev \
libreadline-dev libsqlite3-dev liblzma-dev
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: radarhead

79428671

Date: 2025-02-11 01:28:36
Score: 8 đźš©
Natty: 4.5
Report link

In need to of full versions of softwares oriented for electronics engineering as i'm on job search

i'm electronics engineering graduate but have been working in a different sector for few years. i quit my job and am planning to work in my domain 1e. electronics engineering. so i need full versions of softwares to practice my skills and do projects.

kindly help me out withwebsite links where i can download and install full versions of softwares like matlab, python, C/C++, Embedded C/C++, altium, cadsoft, keil, xilinx and other electronics related softwares if anything new is running on trend now too.

if its cr@cked also, its better. because i saw for matlab they have basic features or as a trial pack for a month. so a full version will be better in this case.

Thank you, I'm counting on you guys.

i've no idea about softwares, as i'm not in the sector for sometime.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): help me
  • Blacklisted phrase (0.5): i need
  • Blacklisted phrase (3): kindly help
  • RegEx Blacklisted phrase (2): help me out
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Aziz

79428668

Date: 2025-02-11 01:25:35
Score: 3.5
Natty:
Report link

I ended up using a simple timeout as @Burak suggested. This was simpler than circuit breaker and worked just fine for this use case. It can avoid spamming when data that is a minute old in not a concern.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Burak
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: hebeha

79428653

Date: 2025-02-11 01:13:33
Score: 0.5
Natty:
Report link

In my case I mistakenly had this at the top:

#!/usr/bin/sh

after changing to

#!/bin/bash

I'm good now. It is after all, a bash script as they say.

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

79428649

Date: 2025-02-11 01:10:33
Score: 1
Natty:
Report link

.container {
  display: grid;
  grid-template-columns: repeat(auto-fit, minmax(100px, max-content));
flex-grow: 1
}
<div class="container">
  <div>One</div>
  <div>Two</div>
  <div>Three</div>
  <div>Four</div>
  <div>Five</div>
  <div>Six</div>
  <div>Seven</div>
</div>

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

79428648

Date: 2025-02-11 01:10:33
Score: 3.5
Natty:
Report link

I have never tried but VS code debug console can help

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

79428633

Date: 2025-02-11 00:53:30
Score: 2
Natty:
Report link

Configurar Docker para que genere los archivos *.log en un volumen y que no se sobre-escriban al ejecutar el build y up de nuestra imagen:

En nuestro archivo docker-compose.yml es necesario agregar las siguientes lineas:

volumes:
  - ./laravel-logs:/var/www/storage/logs
user: www-data

Debemos de crear la carpeta laravel-logs en la raĂ­z de nuestro proyecto e ignorar el contenido que se cree dentro de esta para no versionar los archivos *.log

Por ultimo ejecutaremos las siguientes para asignarle los permisos correctos:

sudo chown -R $(whoami):www-data ./laravel-logs/
sudo chmod -R 775 ./laravel-logs

Solo basta con ejecutar el build y up de nuestra imagen de Docker y realizar una prueba para garantizar que los logs se esta generando correctamente y no tener problemas de permisos.

Reasons:
  • Blacklisted phrase (2): crear
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: José Luis García Ortíz

79428632

Date: 2025-02-11 00:53:30
Score: 2
Natty:
Report link

Real-World Example Imagine you’re building a food delivery platform:

Azure Web App: You use this to host the customer-facing website where users can browse restaurants and place orders.

Azure App Service: You use this to host everything else, like:

The REST API (API App) for communication between the website and the backend.

The mobile app backend (Mobile App) for the delivery driver’s app.

A workflow automation (Logic App) to send order confirmation emails.

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

79428628

Date: 2025-02-11 00:47:28
Score: 0.5
Natty:
Report link

After spending lot of time realized issue was due to

applicationId

present in apps build.gradle

Framework was expecting application id to have tv in it something like this:

"com.android.tv.myapplication"

it cannot be just

"com.example.myapplication"

or something random. Needs to have some prefix like:

"com.android.tv"

Not sure but seems like there are some checks in system not to send D-Pad events to any random application.

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

79428620

Date: 2025-02-11 00:39:27
Score: 3
Natty:
Report link

Before closing chrome, close all your tabs. The next time you open it it should just be a new tab.

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

79428614

Date: 2025-02-11 00:32:26
Score: 2.5
Natty:
Report link

We were running codeigniter just fine and someone turend on "zlib compression" in php8.3 and this started happening. We shut it off and it started working againg.

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

79428610

Date: 2025-02-11 00:30:25
Score: 3
Natty:
Report link

I've seen your issue and answers but didn't work for me...

I posted my solution here:

https://superuser.com/questions/1877990/use-burpsuite-within-a-wsl-gui-debian

Hope this'll help !

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Jean-Baptiste Beck

79428600

Date: 2025-02-11 00:21:23
Score: 5.5
Natty: 4
Report link

su - {username}

maybe that'll work? idk

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

79428595

Date: 2025-02-11 00:18:23
Score: 2.5
Natty:
Report link

The only difference I can see in your XAML compared to the MenuItem ControlTemplate currently used in .Net 9 framework is that your GlyphPanel has Fill="{TemplateBinding Foreground}" where as the framework GlyphPanel uses Fill="{TemplateBinding TextElement.Foreground}"

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

79428569

Date: 2025-02-10 23:59:19
Score: 1
Natty:
Report link
from turtle import Turtle, Screen

t = Turtle()
t.shape("turtle")
t.color("red")

def dash_line(number_of_times):
    t.pencolor("black")
    for move in range(number_of_times):
        t.forward(10)
        t.pu()
        t.forward(10)
        t.pd()

dash_line(10)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Emmanuel Chukwu

79428567

Date: 2025-02-10 23:58:19
Score: 3
Natty:
Report link

I've seen your issue and answers but didn't work for me...

I posted my solution here:

https://superuser.com/questions/1877990/use-burpsuite-within-a-wsl-gui-debian

Hope this'll help !

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Jean-Baptiste Beck

79428561

Date: 2025-02-10 23:52:18
Score: 2
Natty:
Report link

Without any libs required, without any gross assembly (with questionable portability - the answer submitted gets the wrong answer on my system), and without any parsing of files:

https://man7.org/linux/man-pages/man3/get_nprocs_conf.3.html

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

79428554

Date: 2025-02-10 23:49:17
Score: 2
Natty:
Report link

Just do telescope migration again. Maybe it will work fine! Sometimes we copy a table, or do something wrong before. I hope it helps someone!

Reasons:
  • Whitelisted phrase (-1): hope it helps
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Fabiano S. Figueiredo

79428548

Date: 2025-02-10 23:43:16
Score: 2
Natty:
Report link

Or consider other frameworks besides Tekton!

Just be careful when running Windows containers. Some bug fixing needed.

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

79428546

Date: 2025-02-10 23:39:15
Score: 3.5
Natty:
Report link

delanada no me deja entrar a roblox pls quiero juagr roblox pipipi

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

79428536

Date: 2025-02-10 23:33:14
Score: 1.5
Natty:
Report link

That is by design as the query parameter is set to be required, the Apim service will import it as a template Parmeter not a query parameter which is considered as part of the routing path.

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

79428521

Date: 2025-02-10 23:18:11
Score: 2
Natty:
Report link

I tried the "node-gyp": "10.0.1", "nan": "2.18.0" suggestion from another user but that didn't work for me. I ended up downgrading to 18.20.6 and it got passed the error.

So if you don't need to be on a newer version of node just change to an older version.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Christopher Emerfoll Toph

79428520

Date: 2025-02-10 23:18:11
Score: 1
Natty:
Report link

You were almost there:

=TOROW(SORT(UNIQUE(TOCOL(VSTACK(A1:E1,A2:E2)))))

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

79428512

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

This was a bug (#15759) and will be fixed in a coming release.

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

79428506

Date: 2025-02-10 23:09:09
Score: 2.5
Natty:
Report link

Turns out the issue was not related to webpack configs or packages.json.

My environment was setup like this:

My project dir was linked to my WSL2 user home, but the base files lived in my windows system. When I made a copy of my project and saved it directly in my WSL2 file system everything worked.

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

79428497

Date: 2025-02-10 23:01:06
Score: 11 đźš©
Natty: 6.5
Report link

Did you find the answer to this? I'm having the same issue.

Reasons:
  • Blacklisted phrase (1): answer to this?
  • RegEx Blacklisted phrase (3): Did you find the answer to this
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm having the same issue
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find the answer to this
  • Low reputation (1):
Posted by: Pedro Osorio

79428479

Date: 2025-02-10 22:44:02
Score: 2
Natty:
Report link

the ONLY way you do is:

  1. create a table in mssql
  2. bulk insert your records in that table
  3. do the db merge
  4. (optional) drop the table you created in #1
Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Emre

79428469

Date: 2025-02-10 22:38:01
Score: 0.5
Natty:
Report link

FRAME CHALLNAGE

Your first three lines of the question raise massive red flags for me. If you have to disable the foreign key constraiant before doing a delete then you are at high risk of leaving orphaned records after your delete completes.

There might be a reason to do this but I have never seen a use case where you would want to disable a fK-Constraint on the fly, triggers yes but constraints no.

I would be questioning the new applciation behaviour quite closely before even attempting this.

Reasons:
  • No code block (0.5):
Posted by: Shaun Peterson

79428468

Date: 2025-02-10 22:36:01
Score: 3
Natty:
Report link

I got an answer on the github issue I made for this.

/path/(.*) does the same as /path/* did.

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

79428466

Date: 2025-02-10 22:35:00
Score: 3
Natty:
Report link

I am setting up Pritunl VPN on an EC2 instance in a private subnet and want to use both an Application Load Balancer (ALB) for HTTPS access to the web console and a Network Load Balancer (NLB) for VPN traffic (UDP 1194, TCP 443).

Here’s my current setup:

ALB (HTTPS 443) → Target Group (Instance) → Pritunl Web Console NLB (UDP 1194, TCP 443) → Target Group (Instance) → Pritunl VPN

Route 53 DNS records: vpn.teste.example → ALB for the web console

tunnel.teste.example → NLB for VPN traffic

Issue:

In Pritunl settings, should I set the Public Address for VPN to the NLB DNS name?

Since NLB does not support SSL termination, should I configure TCP 443 on NLB to directly forward to the instance?

Is there any additional configuration required in Pritunl, Route 53, or security groups to ensure clients connect correctly via the NLB?

Would it be better to use an Elastic IP on NLB to avoid potential DNS resolution issues?

Has anyone successfully set up Pritunl behind both ALB and NLB on AWS? Any insights would be greatly appreciated!

Reasons:
  • Blacklisted phrase (1): appreciated
  • Blacklisted phrase (1): Is there any
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Cleyton Gonçalves

79428457

Date: 2025-02-10 22:29:59
Score: 0.5
Natty:
Report link

For Windows JetBrains Rider users, the only thing that worked for me was this Plugin:

BrowseWordAtCaret

Worked with JetBrains Rider 2024.3.5, Windows 11.

In Rider go to Settings (Ctrl + Alt + S) > Plugins > Marketplace > Search 'BrowseWordAtCaret' > Install.

After installing, check if it the plugin is enabled and then go to Settings > Editor > Appearance > scroll down to 'Browse Word at Caret' and check all the options.

(It didn't work without the step above for me)

Then use Ctrl + Alt + Up/Down in the editor to cycle between highlighted usages.

You can change the keymap in Settings > Keymap > Plugins > BrowseWordAtCaret

Reasons:
  • Blacklisted phrase (1): this Plugin
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: iulo

79428456

Date: 2025-02-10 22:29:59
Score: 0.5
Natty:
Report link

For Windows JetBrains Rider users, the only thing that worked for me was this Plugin:

BrowseWordAtCaret

Worked with JetBrains Rider 2024.3.5, Windows 11.

In Rider go to Settings (Ctrl + Alt + S) > Plugins > Marketplace > Search 'BrowseWordAtCaret' > Install.

After installing, check if it the plugin is enabled and then go to Settings > Editor > Appearance > scroll down to 'Browse Word at Caret' and check all the options.

(It didn't work without the step above for me)

Then use Ctrl + Alt + Up/Down in the editor to cycle between highlighted usages.

You can change the keymap in Settings > Keymap > Plugins > BrowseWordAtCaret

Reasons:
  • Blacklisted phrase (1): this Plugin
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: iulo

79428455

Date: 2025-02-10 22:28:59
Score: 0.5
Natty:
Report link

For Windows JetBrains Rider users, the only thing that worked for me was this Plugin:

BrowseWordAtCaret

Worked with JetBrains Rider 2024.3.5, Windows 11.

In Rider go to Settings (Ctrl + Alt + S) > Plugins > Marketplace > Search 'BrowseWordAtCaret' > Install.

After installing, check if it the plugin is enabled and then go to Settings > Editor > Appearance > scroll down to 'Browse Word at Caret' and check all the options.

(It didn't work without the step above for me)

Then use Ctrl + Alt + Up/Down in the editor to cycle between highlighted usages.

You can change the keymap in Settings > Keymap > Plugins > BrowseWordAtCaret

Reasons:
  • Blacklisted phrase (1): this Plugin
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: iulo

79428454

Date: 2025-02-10 22:27:59
Score: 0.5
Natty:
Report link

For Windows JetBrains Rider users, the only thing that worked for me was this Plugin:

BrowseWordAtCaret

Worked with JetBrains Rider 2024.3.5, Windows 11.

In Rider go to Settings (Ctrl + Alt + S) > Plugins > Marketplace > Search 'BrowseWordAtCaret' > Install.

After installing, check if it the plugin is enabled and then go to Settings > Editor > Appearance > scroll down to 'Browse Word at Caret' and check all the options.

(It didn't work without the step above for me)

Then use Ctrl + Alt + Up/Down in the editor to cycle between highlighted usages.

You can change the keymap in Settings > Keymap > Plugins > BrowseWordAtCaret

Reasons:
  • Blacklisted phrase (1): this Plugin
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: iulo

79428445

Date: 2025-02-10 22:22:58
Score: 0.5
Natty:
Report link

Using validation_alias with a BaseSettings class does the trick!

class WorkflowRun(BaseSettings):
    id: str
    name: str
    node: str = Field(validation_alias=AliasChoices('node', 'ENV_NODE_POOL'))
    model_config = SettingsConfigDict(
        env_file=".env",
        env_file_encoding="utf-8",
        extra="ignore",
        env_ignore_empty=True,
        populate_by_name=True,
    )

Invocations:

>>> WorkflowRun(**{
    "id": "1",
    "name": "test",
})
WorkflowRun(id='1', name='test', node='default-node')

>>> WorkflowRun(**{
     "id": "1",
     "name": "test",
     "node": "new-pool"})
WorkflowRun(id='1', name='test', node='new-pool')
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: tonystark1234

79428441

Date: 2025-02-10 22:19:57
Score: 2.5
Natty:
Report link

Wow very nice. I would not have found that easily even if I read the pgcrypto doco from top to bottom.

In our case, a LIKE %search_term% search takes about 1 minute to search a 1 million row table, and that same search only takes 2-4 seconds when encrypted in s2k-mode = 1.

Thank you.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ivan R.

79428433

Date: 2025-02-10 22:16:55
Score: 6 đźš©
Natty:
Report link

I've been getting this issue too and have used both agent and assistant to resolve the issue. I even deleted my app by accident, and started fresh again. I am getting the same errors as well. So i think this issue is a Replit issue.

Reasons:
  • RegEx Blacklisted phrase (1): I am getting the same error
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am getting the same error
  • Single line (0.5):
  • Low reputation (1):
Posted by: Dayclone

79428427

Date: 2025-02-10 22:14:55
Score: 1.5
Natty:
Report link

I was also facing the same problem. My react-native version was 0.75.13. I upgraded it to react-native version 0.77.0 and resolved my issue.

Steps:

  1. go to https://react-native-community.github.io/upgrade-helper/ Please make the changes that are mentioned.
  2. restart the pc
  3. go to C:\Users\User_Name.gradle
  4. delete caches and wrapper folder
  5. delete node_module and package-log.json
  6. do npm i
  7. delete debug build
  8. run npx react-native run-android and my problem was solved
Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Prafull Singh

79428426

Date: 2025-02-10 22:14:54
Score: 12 đźš©
Natty: 4.5
Report link

Leo, Do you have the same solution for Android using MAUI?

I'm trying to find the same OpenUrl(...) method for Android using MAUI. Can you help me, please?

public override bool OpenUrl (UIApplication app, NSUrl url, string sourceApp, NSObject annotation){
    if (url.BaseUrl.Host.Equals ("app.myapp.io")) {
         UIViewController page = new TargetPage().CreateViewController();     
    }          
    return true;
}
Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): Can you help me
  • RegEx Blacklisted phrase (2): help me, please
  • RegEx Blacklisted phrase (2.5): Do you have the
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Mauricio Junior

79428419

Date: 2025-02-10 22:10:52
Score: 1
Natty:
Report link

I was struggling with the same issue. I would access a page now and in the future, when typing the same address in the address bar nothing would come up.

I did a minimal Windows 11 install using a few tools, and those tools altered my Registry. I tried several changes in HKEY_CURRENT_USER's folder but then I decided to check HKEY_LOCAL_MACHINE and they were disabled there.

In the Edge settings it said they were managed by an organization in my computer that's why I decided to check on the HKEY_LOCAL_MACHINE folder as the HKEY_CURRENT_USER wasn't sufficing.

To fix this go to: HKEY_LOCAL_MACHINE/SOFTWARE/Policies/Microsoft/Edge

Then set the keys (AddressBarMicrosoftSearchInBingProviderEnabled, AutofillAddressEnabled, LocalProvidersEnabled, SearchSuggestEnabled) below to "1".

active keys

If you want to read the documentation on these policies/keys you can read about them here:

https://learn.microsoft.com/en-us/deployedge/microsoft-edge-policies

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: JoĂŁo PaixĂŁo

79428417

Date: 2025-02-10 22:10:52
Score: 8.5 đźš©
Natty: 4.5
Report link

Any luck with this? same issue!

Reasons:
  • Blacklisted phrase (1.5): Any luck
  • RegEx Blacklisted phrase (1): same issue
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Andres Campo

79428416

Date: 2025-02-10 22:10:51
Score: 2
Natty:
Report link

I tried the same as well and did not work, but I installed it from the CMD out of my virtual environment, and it worked fine.

Simply open CMD and run pip install faker

The error will be gone.

Reasons:
  • Blacklisted phrase (1): did not work
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mustafa

79428413

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

Or use the yes command

yes R | nc localhost 123 > fifo

not sure this will work inside of a bash script though

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

79428410

Date: 2025-02-10 22:05:50
Score: 4.5
Natty: 6
Report link

I took 3 hours debugging it and came to this article, tried removing the connector > publishing the canvas app > adding it back > publishing again > started working.

Thank you @Greg & @SeaDude.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): this article
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Greg
  • User mentioned (0): @SeaDude
  • Low reputation (1):
Posted by: Areaf

79428408

Date: 2025-02-10 22:04:49
Score: 1.5
Natty:
Report link

If your problem is not solved yet, please try the below changes. This works with Spring Boot-3, Spring Batch -5 and JDK 17.

  1. Spring batch: jdbc: initialize-schema: ALWAYS
  2. Remove @EnableBatchProcessing annotation
  3. Create a custom bean with ResourcelessJobRepository

@Configuration public class AvoidMetaDataConfiguration extends DefaultBatchConfiguration {

@NotNull
@Bean
public JobRepository jobRepository() {
    return new ResourcelessJobRepository();
}

}

Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @EnableBatchProcessing
  • User mentioned (0): @Configuration
  • Low reputation (1):
Posted by: Trinanjana Das

79428398

Date: 2025-02-10 21:58:48
Score: 1.5
Natty:
Report link

Figured it out after I setup logging. I had code in another file overwriting the DB string.. Doh!!

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

79428395

Date: 2025-02-10 21:58:48
Score: 2.5
Natty:
Report link

The Qt5 libraries shipped with Qgis are only release. Debug Qt libraries are not included. It is proven, so no need to investigate more.

The solution should be : download Qt sources, compile them in debug then in release modes. Then, download Qgis sources and compile them too.

By this way, I would have all I need to compile MY application either fully in debug, or fully in release.

Reasons:
  • Blacklisted phrase (0.5): I need
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: stoffy28

79428393

Date: 2025-02-10 21:56:47
Score: 0.5
Natty:
Report link

Adding rm -rf /var/lib/apt/lists/* after my apt update command solved the problem.

# Install CUDA and dependencies in a single RUN for better caching
RUN cd /tmp \
    && mv cuda-ubuntu2004.pin /etc/apt/preferences.d/cuda-repository-pin-600 \
    && dpkg -i cuda-repo-ubuntu2004-12-4-local_12.4.0-550.54.14-1_amd64.deb \
    && cp /var/cuda-repo-ubuntu2004-12-4-local/cuda-*-keyring.gpg /usr/share/keyrings/ \
    && apt update \
    && apt install -y --no-install-recommends cuda-toolkit-12-4 mesa-utils \
    && rm -rf /var/lib/apt/lists/* \
    && export PATH=$PATH:/usr/local/cuda/bin \
    && tar -xvf v12.4.tar.gz \
    && cd cuda-samples-12.4 \
    && make -j $(nproc)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Johnny Bakker

79428389

Date: 2025-02-10 21:54:47
Score: 2
Natty:
Report link

This is a fine workaround, but what would fix this error if it occurs on a non-local server? We really don't want to promote the less-secure HTTP protocol over HTTPS, ya?

We're periodically getting this error when playing a video using Chewie Player (based on Flutter Video Player) using HTTPS to open the video's .M3U8 on a Backblaze server.

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

79428382

Date: 2025-02-10 21:53:46
Score: 0.5
Natty:
Report link

Damn I found the error. I set a commonLabel with Kustomize for all 4 services/deployments/pods of my stack.

commonLabels:
  app: myapp

That overwrote the app labels from all 4 services and the whole selector mechanism matching services to pods broke because of that. Removing the common Label app fixed it.

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

79428373

Date: 2025-02-10 21:46:44
Score: 4.5
Natty:
Report link

lbltimer.text = secondshow.ToString();

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

79428365

Date: 2025-02-10 21:44:44
Score: 2.5
Natty:
Report link

According to the topic it seems that EMV work ALSO with masters cards DO I WAS THINKING ABOUT DOWNLOAD IOS FOR A APPLE PAY CARD INFORMATION 4 THE 16 DIGITAL WILL BE MY DAVIC ID NUMBER REQUEST CODE

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

79428363

Date: 2025-02-10 21:43:43
Score: 3
Natty:
Report link

try not to use a div but a span, a span is like div but occupy only the space of the text

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

79428358

Date: 2025-02-10 21:39:43
Score: 3
Natty:
Report link

I believe I have figured out my problem, somewhere down the line, a helper method Stringifyed the json data and that broke it completely. I just had to remove that and it fixed my issue.

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

79428355

Date: 2025-02-10 21:39:43
Score: 2.5
Natty:
Report link

Have you tried pandas.to_datetime()?

import pandas as pd    
data = pd.read_excel(path + file_name)
pd.to_datetime(data['date_column'])
Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: FelahBr

79428353

Date: 2025-02-10 21:38:42
Score: 4.5
Natty: 4
Report link

I have a tcode ME22n (Function Grp IPW1) serial number popup (screen 0300) with 9 buttons. However, it is not showing the function code +ZUD, yet it is defined for the Gui Status SNH? Furthermore, in the PAI of screen 0300 in MODULE ablauf_liste it has ok_code check that will do a PERFORM fcode_zud. I like to know how to get this button to show since it is active and use it to Import Serials. Also, 1) how did you add your custom buttons to MB52 2) isn't that a core modification?

Thanks, Pete

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user29588945

79428352

Date: 2025-02-10 21:37:42
Score: 2
Natty:
Report link

Let's calculate the result of the "additive" color mixing of : RGB(255, 200, 0) + RGB(0, 210, 200) .q1

Possible solutions:

1.) RGB(max(255, 0), max(200, 210), max(200, 0)) = RGB(255, 210, 200)

2.) RGB((55+255)/2, (210+210)/2, (0+200)/2) = RGB(155, 210, 100)

As you can see, the first solution, which is most often used as "additive" color mixing, gives a completely wrong result. (We get the same wrong color mixing with HSL and HSV transformations.) In the picture, we can see that the second solution gives a much more correct result.

See on the webpage:https://www-72-sk.translate.goog/menu.php?m=RGB&_x_tr_sl=auto&_x_tr_tl=en&_x_tr_hl=en or https://www.72.sk/menu.php?m=RGB[![enter image description here]1]1

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Jan Tungli

79428350

Date: 2025-02-10 21:36:41
Score: 2
Natty:
Report link

If anyone stumbles upon this question, I got it to work by setting architecture: lambda.Architecture.ARM_64 on my agent-invoked lambda.

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

79428349

Date: 2025-02-10 21:36:41
Score: 4.5
Natty:
Report link

i used ai to guide me through and used a little bit of some documentation to figure out the error, maybe my question wasn't clear enough ? (i also double-checked what ai sent me in case and it was pretty much safe and worked)

Reasons:
  • Blacklisted phrase (1): guide me
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Kuma

79428347

Date: 2025-02-10 21:35:40
Score: 4.5
Natty:
Report link

Use Excel 365 Apps for Enterprise Version 2408. The script does not seem to detect end-of-line '\n' Any suggestions?
I am a macro newbie.

Reasons:
  • RegEx Blacklisted phrase (2): Any suggestions?
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: paulhr

79428342

Date: 2025-02-10 21:32:39
Score: 1
Natty:
Report link

GLOBEX is an old exchange code that is no longer valid. It should be CME.

You can look up exchange codes on IBKR's website: https://www.interactivebrokers.com/en/trading/products-exchanges.php

Or you can look it up on QuantRocket's website with fewer clicks: https://www.quantrocket.com/data/?modal=ibkrexchangesmodal

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

79428341

Date: 2025-02-10 21:32:39
Score: 1.5
Natty:
Report link

what he means is simply putting it on the build gradle kts file that is at module level example

plugins {
    alias(libs.plugins.android.application)
    alias(libs.plugins.kotlin.android)
    alias(libs.plugins.hilt)
    id("kotlin-kapt")
}
hilt {
    enableAggregatingTask = false
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): what
  • Low reputation (1):
Posted by: Rocco

79428332

Date: 2025-02-10 21:27:38
Score: 2
Natty:
Report link

Indeed, I had 'bad alloc' because my application is compiled in debug, and Qt libraries I have are release libraries. Currently I don't have the debug version of Qt libraries.

Now, for the initial issue to register rcc file : generally, when you develop with Qt, it's better to always use 'Q' objects, especially for strings. It's a bad idea to try to mix 'standard' strings with QStrings.

So, since I manage all paths and strings with QDir and QString, all works fine.

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

79428329

Date: 2025-02-10 21:27:38
Score: 0.5
Natty:
Report link

I was struggling with the same issue for quite a long time, and as conan 1 is now well on its way out, I decided to take bits and pieces from cmake-conan v1 to create cmake-conanfile.

This cmake module will allow you to invoke conan multiple times from CMake, and can be configured to create a fully isolated conan environment for the project. If conan isn't installed on the system, it can also create a Python virtual environment and install the specified conan version.

If it can help you, feel free to give it a go and report any issue or feature request!

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

79428321

Date: 2025-02-10 21:19:36
Score: 1.5
Natty:
Report link

b = []

for i in range(10):

a = int(input("Enter a Number >> "))
b.append(a)

print(min(b))

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

79428314

Date: 2025-02-10 21:16:35
Score: 0.5
Natty:
Report link

I was just working on this today and I had the problem where I couldn't use GetServerSideProps on the app/page.tsx file.

So looking into it, I stumbled accross this documentation:

https://nextjs.org/docs/app/building-your-application/data-fetching/fetching

Look at the first example, the key is to insert the "async" into the "export default async function Page() (...)" for it to properly work. It worked very well for me for server side loading and display of data.

Reasons:
  • Blacklisted phrase (1): this document
  • Whitelisted phrase (-1): It worked
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Juan Carlos Corrales

79428311

Date: 2025-02-10 21:15:35
Score: 2
Natty:
Report link

Maybe you Color class is inline or something similar that generate additional synthetic constructor parameter

https://youtrack.jetbrains.com/issue/KT-35523/Parameterized-JUnit-tests-with-inline-classes-throw-IllegalArgumentException

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

79428306

Date: 2025-02-10 21:13:35
Score: 3.5
Natty:
Report link

I installed JDK 23 and now the code works. I don't think I even had JDK installed properly. Thanks for the help.

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

79428284

Date: 2025-02-10 20:58:32
Score: 3
Natty:
Report link

I suggest this publication: S. Pyatykh, J. Hesser and L. Zheng, “Image Noise Level Estimation by Principal Component Analysis”, IEEE Transactions on Image Processing, 2013, Vol. 22, Issue 2, pp. 687-699 http://physics.medma.uni-heidelberg.de/cms/sites/default/files/img/Stanislav/noise_param_estimation/2013_noise_level_estimation_tip.pdf

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

79428283

Date: 2025-02-10 20:58:32
Score: 0.5
Natty:
Report link

In your case, it seems to be the wrong value for host, but for others, please note that using the wrong login name or username will give you the exact same error.

We should also use a working email for sending real emails (i.e., sender address in 'production' should be a real email). I suggest work email (with work domain), if you have one.

Reasons:
  • Whitelisted phrase (-1): In your case
  • No code block (0.5):
  • Low reputation (1):
Posted by: EaglePrem

79428281

Date: 2025-02-10 20:58:32
Score: 2.5
Natty:
Report link

I have tried some of the above answers and enabled the 'allow_local_infile' in the php.ini file to no avail. What finally worked was opening MySQLWorkbench selecting Manage Connections> Advanced and added the OPT_LOCAL_INFILE flag set to 1.

screenshot from MySQLWorkbench Connection>Advanced section

Solution was found here: https://virtual-dba.com/blog/error-code-2068-load-data-local-infile-file-request-rejected-due-to-restrictions-on-access/

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

79428262

Date: 2025-02-10 20:47:29
Score: 0.5
Natty:
Report link

Since Poetry 2.0 Poetry provides a --local-version parameter for poetry build. See https://python-poetry.org/docs/cli/#build

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

79428255

Date: 2025-02-10 20:46:29
Score: 1.5
Natty:
Report link

You can try reload notebook like this:

from importlib import reload
reload(test2)
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: CB Acnt

79428251

Date: 2025-02-10 20:44:28
Score: 10 đźš©
Natty: 6
Report link

Having same issue anyone worked out how to fix it?

Reasons:
  • RegEx Blacklisted phrase (1.5): how to fix it?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): Having same issue
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Charlie

79428238

Date: 2025-02-10 20:33:25
Score: 5.5
Natty:
Report link

I'm also trapped in the same problem, and as far as I read the SetUser is only available for SAP2000 v23.

https://aiosciv.com/question/crear-funciones-con-la-api/

Reasons:
  • Blacklisted phrase (2): crear
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Francisco Daniel Diaz Lebel

79428232

Date: 2025-02-10 20:31:23
Score: 12.5
Natty: 8
Report link

I face the same issue when running locally from VS code. Can you please tell me how you resolved this issue? Many Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): Can you please tell me how you
  • RegEx Blacklisted phrase (1.5): resolved this issue?
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I face the same issue
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user29588374

79428219

Date: 2025-02-10 20:25:21
Score: 2
Natty:
Report link

You can use chrome://gpuhang-chrome://gpuhang. This is unlikely to crash ive never tested it ;) but if it does it would be double danger!đź’Łđź’Ł

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: watson

79428213

Date: 2025-02-10 20:24:21
Score: 0.5
Natty:
Report link

I ran into the same issue trying to set my theme with local storage. Based on the article "Flicker-free Dark Theme Toggle", it looks like when using local storage, the page is loaded first before the value in local storage can be acquired and gives a flicker effect. I followed the article and used the next-themes npm and everything works for me. If you don't want to use that npm, then maybe switch over to using a global state (like Redux or Vuex) value to store the toggle value. Save the initial value in browser and set the value in global state and refer to that when rendering

Reasons:
  • Whitelisted phrase (-1): works for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ken Feier

79428187

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

This code only works once but cannot be repeated in the same program. The error says "card" is a list after code is used once.

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

79428180

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

Update the library to 2.6.1, which resolves the issue.

room-runtime = { group = "androidx.room", name = "room-runtime", version = "2.6.1" }
room-compiler = { group = "androidx.room", name = "room-compiler", version = "2.6.1" }
room-ktx = { group = "androidx.room", name = "room-ktx", version = "2.6.1" }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: fahad_sust

79428176

Date: 2025-02-10 20:03:16
Score: 3
Natty:
Report link

It is because tailwind 4 has different way of installing you should use outdated version 3 version or follow tailwind new documentation to setup the whole way of working

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

79428156

Date: 2025-02-10 19:56:14
Score: 0.5
Natty:
Report link

Figured it out. Maybe someone has a better answer?

log4perl.logger.main = INFO, FileAppender1
log4perl.appender.FileAppender1          = Log::Log4perl::Appender::File
log4perl.appender.FileAppender1.filename = sub {               \
    my ($sec, $min, $hr, $day, $mon, $year) = localtime(time); \
    return sprintf("logfile.%d-%02d-%02d_%02d-%02d-%02d.log",  \
        $year+1900, $mon+1, $day, $hr, $min, $sec);            \
}
log4perl.appender.FileAppender1.mode     = write
log4perl.appender.FileAppender1.layout   = Log::Log4perl::Layout::SimpleLayout

Produces a file named: logfile.2025-02-10_14-48-00.log (or similar).

I'll probably consolidate the format string to:

"logfile.%d%02d%02d_%02d%02d%02d.log"

So it generates: logfile.20250210_144800.log. A little easier on the eyes.

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

79428154

Date: 2025-02-10 19:55:14
Score: 2
Natty:
Report link

Yeah its pants especially from a supplier like google. Only option is to set min instance one then it costs at least 60$ a month to run the server.. White collar extortion if you ask me.

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

79428141

Date: 2025-02-10 19:50:13
Score: 2
Natty:
Report link

Figured out the answer. I just needed to run a bash script in the shortcut with this code

osascript -e 'tell app "Terminal"
    do script "cd /foldername\n./filename.ps1"
end tell'

And I can string as many commands together as I want with newlines

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Hypersapien

79428139

Date: 2025-02-10 19:49:13
Score: 1
Natty:
Report link

Common sense might suggest, that both antennas should feature about the same signal level.

But in reality, depending on the range of the frequency band, these penetrate walls in a different manner, which would need to be considered, when comparing AP distance measurements. Without indoor location or alike, too many parameters remain unknown. Otherwise one would know when two AP share almost the same GPS fix, with eg. 25cm difference into on direction. When two AP are stacked on top of each other, how would you tell them apart, except Z axis?

How about: https://en.wikipedia.org/wiki/Wi-Fi_positioning_system ?

Reasons:
  • Blacklisted phrase (1): how would you
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Martin Zeitler

79428133

Date: 2025-02-10 19:47:12
Score: 1.5
Natty:
Report link

Need assistance with a continuous bugging of something similar to this. I have noticed this trend of things missing and popping back into phone. I have restored with apple almost 4 times this year (today would be #4). I came across emoticon and pho cloud malware information very similar to of reading of these analytics. Please lmk how to get rid of enter image description here

[]helo1

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: user29587781

79428126

Date: 2025-02-10 19:45:11
Score: 2.5
Natty:
Report link

Even after OTP validation, don’t authenticate users directly based on a response. Instead, generate a secure JWT token that is used for further authentication. Even if an attacker modifies the API response, they cannot generate a valid JWT, preventing unauthorized access.

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