79736135

Date: 2025-08-15 06:21:48
Score: 1
Natty:
Report link

You're doing what many start with: RGB/HSV distance. The issue you're hitting is a classic — perceived color and numberic proximity in RGB...

Color math ain't mathin...

A couple breadcrumbs:

There's a color space with a name that starts with L and ends in ab — look into it.

Once there, don't just calculate raw distance — search for a metric named deltaE, specifically the one from the 2000s.

If your algorithm thinks dark blue is silver, you might want to investigate how saturation and luminance interact in low-light colors.

You're not far off. Just need to switch dimensions (literally).

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

79736128

Date: 2025-08-15 06:10:45
Score: 0.5
Natty:
Report link

There are a few changes you can make here to make this a little easier to add to. A couple major items to look at:

  1. Think about dividing the responsibility a little more clearly. Is it the Player object's responsibility to check for legal plays? This is likely a better fit for the Board object. In fact, it is hard to imagine the role a Player object fulfils in this structure, since you are the player and you are handling all the I/O in your controller/event loop, which is currently just in the main.
  2. The Board object likely doesn't need to understand the Player object, it only needs to provide its state and methods to update its state. Later, then you add a visual component to this, the visual component, maybe called View, will request the game state from the Board and draw it to screen, providing visually rich user input controls, and then forwarding those inputs to your Board for updates.
  3. Keeping the current structure, you can pass the Board object into your constructor for your Player and then save it to its internal state to reference whenever you need to make an update.
  4. It's unlikely that the goal is to create a new Player object for every input. I recommend moving the Player object initialization outside of the loop and referencing the same object over and over. This does require reworking the Player class a little to accept inputs from a function call instead of at initialization.

To address just the question as asked, I recommend changes like the following:

main.py

from Board import *
from Player import *

if __name__ == "__main__":
    b = Board()
    p = Player(b)  # Edited
    while True:
        old_x_input = int(input("x: "))
        old_y_input = int(input("y: "))
        new_x_input = int(input("move to newX: "))
        new_y_input = int(input("move to newY: "))

        # print(b.move())  # Edited
        p.move(old_x_input, old_y_input, new_x_input, new_y_input)  # Added
        print(b.board_flaeche)  # Edited

Player.py

# from numpy import np
# import main  # Edited
from Board import *

# from x, y to newX, newY
class Player:
    def __init__(self, board):  # Edited
        self.board = board  # Added
        # Edited
    #     self.old_x = old_x
    #     self.old_y = old_y
    #     self.new_x = new_x
    #     self.new_y = new_y
    #
    # def getOldX(self):
    #     return self.old_x
    #
    # def getOldY(self):
    #     return self.old_y
    #
    # def getNewX(self):
    #     return self.new_x
    #
    # def getNewY(self):
    #     return self.new_y


    # switching positions - not finished yet
    def move(self, old_x, old_y, new_x, new_y):  # Edited
        # Board.board_flaeche[x][y] = Board.board_flaeche[newX][newY]
        self.legal_length(old_x, old_y, new_x, new_y)  # Added
        # Still need to add something here, such as self.board.move(old_x, old_y, new_x, new_y)

    # ToDo:
    #  Task: Write a method legal_length where old_x, old_y, new_x, new_y
    #        must be checked if they are within the self.board_area[i][j] range

    def legal_length(self, old_x, old_y, new_x, new_y):  # Edited
        # ToDo Problem:
        # how do I get the attributes from another class in Python without creating an instance each time
        pass
        # Added section
        if old_x >= self.board.x or old_x < 0:
            raise ValueError(f'Provided old x is outside of range! {self.board.x} > {old_x} >= 0')
        if old_y >= self.board.y or old_y < 0:
            raise ValueError(f'Provided old y is outside of range! {self.board.y} > {old_y} >= 0')
        if new_x >= self.board.x or new_x < 0:
            raise ValueError(f'Provided new x is outside of range! {self.board.x} > {new_x} >= 0')
        if new_y >= self.board.y or new_y < 0:
            raise ValueError(f'Provided new y is outside of range! {self.board.y} > {new_y} >= 0')
        # / Added section

    def setPosition(self, new_x, new_y):
        pass

Board.py

import numpy as np
from Player import *

class Board:

    def __init__(self, x=None, y=None):
        if x is None:
            x = int(input("Enter the width of the board: "))
        if y is None:
            y = int(input("Enter the height of the board: "))
        self.x = x
        self.y = y
        self.board_flaeche = np.zeros((x, y), dtype=str)
        fruits_liste = ["Y", "B", "P"]

        for i in range(x):
            for j in range(y):
                self.board_flaeche[i][j] = np.random.choice(fruits_liste)

        print(self.board_flaeche)
        # do I need it??
        # self.player = Player(0, 0, 0, 0)  # Edited


    # Recommend this function have the following signature:
    #   def move(self, old_x, old_y, new_x, new_y):
    def move(self):

        old_x = self.player.getOldX()
        old_y = self.player.getOldY()
        new_x = self.player.getNewX()
        new_y = self.player.getNewY()

        # Update position of the player instance
        # self.player.setPosition(new_x, new_y)

But overall, to address some of my other comments, I would recommend a larger rework to better divide the responsibilities of each class to look something like this:

import numpy as np

class Board:

    fruit_lists = ['Y', 'B', 'P']

    def __init__(self, x_size: int = None, y_size: int = None):
        if x_size is None:
            x_size = int(input("Enter the width of the board: "))
        if y_size is None:
            y_size = int(input("Enter the height of the board: "))
        self.x_size: int = x_size
        self.y_size: int = y_size

        rng = np.random.default_rng()
        self.board_flaeche  = rng.choice(Board.fruit_lists, size=(self.x_size, self.y_size))

    def get_state(self):
        return self.board_flaeche

    def print_board(self):
        board_str = ''
        for row in self.board_flaeche:
            for col in row:
                board_str += f' {col} '
            board_str += '\n'
        print(board_str)

    def validate_move(self, old_x: int, old_y: int, new_x: int, new_y: int):
        if old_x >= self.x_size or old_x < 0:
            raise ValueError(f'Provided old x is outside of range! {self.x_size} > {old_x} >= 0')
        if old_y >= self.y_size or old_y < 0:
            raise ValueError(f'Provided old y is outside of range! {self.y_size} > {old_y} >= 0')
        if new_x >= self.x_size or new_x < 0:
            raise ValueError(f'Provided new x is outside of range! {self.x_size} > {new_x} >= 0')
        if new_y >= self.y_size or new_y < 0:
            raise ValueError(f'Provided new y is outside of range! {self.y_size} > {new_y} >= 0')


    def move(self, old_x: int, old_y: int, new_x: int, new_y: int):
        self.validate_move(old_x, old_y, new_x, new_y)

        # Valid input, now swap them
        source_fruit = self.board_flaeche[old_x, old_y]
        target_fruit = self.board_flaeche[new_x, new_y]
        self.board_flaeche[old_x, old_y] = target_fruit
        self.board_flaeche[new_x, new_y] = source_fruit

class Player:
    def __init__(self):
        pass

    def get_input(self):
        old_x_input = int(input("x: "))
        old_y_input = int(input("y: "))
        new_x_input = int(input("move to newX: "))
        new_y_input = int(input("move to newY: "))

        return old_x_input, old_y_input, new_x_input, new_y_input

class Game:
    def __init__(self):
        self.board = None
        self.player = None

    def start_new_game(self, x_size: int = None, y_size: int = None):
        self.board = Board(x_size, y_size)
        self.player = Player()

        while True:
            self.board.print_board()
            old_x, old_y, new_x, new_y = self.player.get_input()
            try:
                self.board.move(old_x, old_y, new_x, new_y)
            except ValueError:
                print('Bad move requested! Try again')



if __name__ == '__main__':
    game = Game()
    game.start_new_game()

With this rework, each class is only responsible for one thing. The Board is only responsible for keeping track of the board, making updates to it, printing itself to console etc. The Player is only responsible for handling player interactions. The Game is only responsible for setting up and running the event loop. Now as you add functionality it'll be much easier to stay organized, as each object is more independent, and once you add a graphical component to it, you'll only need to update the Game class without really worrying about what's in the other classes.

Reasons:
  • Blacklisted phrase (1): how do I
  • Blacklisted phrase (0.5): I need
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
Posted by: BitsAreNumbersToo

79736113

Date: 2025-08-15 05:39:39
Score: 0.5
Natty:
Report link

I came here after finding this problem.

In my specific case it turned out that I downloaded the download page from the apache server and not the model itself.

The property problem probably means that the SentenceModel couldn't unzip your model file and read it as a resource.

java.lang.NullPointerException: Cannot invoke "java.util.Properties.getProperty(String)" because "manifest" is null

    at opennlp.tools.util.model.BaseModel.getManifestProperty(BaseModel.java:542)
    at opennlp.tools.util.model.BaseModel.initializeFactory(BaseModel.java:281)
    at opennlp.tools.util.model.BaseModel.loadModel(BaseModel.java:266)
    at opennlp.tools.util.model.BaseModel.<init>(BaseModel.java:173)
    at opennlp.tools.sentdetect.SentenceModel.<init>(SentenceModel.java:69)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: limaCAT

79736092

Date: 2025-08-15 04:45:27
Score: 0.5
Natty:
Report link

It's called an existential type or existential box.

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

79736088

Date: 2025-08-15 04:39:26
Score: 3.5
Natty:
Report link

if anyone facing same issue still after apply above solution Please follow that I solve my issue through this steps : -
In Windows
Stop android Studio close it.
Go to your Local disk C:\Users\abcExample\.gradle directory find caches folder
inside folder find Different version folder
like
8.9
8.11.1
8.12
Every Folder Inside find
"transforms" and Delete This
then start Android studio again and rebuild the project .
that working in my project .

Reasons:
  • No code block (0.5):
  • Me too answer (2.5): facing same issue
  • Low reputation (0.5):
Posted by: SHUBHAM SONI

79736081

Date: 2025-08-15 04:20:22
Score: 1.5
Natty:
Report link

Given the solution for the classic Bluetooth devices in Mike Petrichenko's answer, I did some research on how to use WinRT and raw PowerShell scripting to do the for Bluetooth LE devices.

You can find my full solution on GitHub Gists, but generally it heavily revolves around using the Ben N's solution on calling UWP API (and so WinRT API) within a PowerShell script.

That solution, though, unfortunately does not work for PowerShell 7+ due to "removal of builtin support in dotnet".

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

79736077

Date: 2025-08-15 04:11:19
Score: 0.5
Natty:
Report link

I use scoop to install RabbitMQ, I also encountered this error. Here is my solution

scoop uninstall rabbitmq
# Maybe need to stop "epmd.exe" first before run the command
scoop uninstall erlang
# if install not use  administrative account before, delete "C:\Windows\System32\config\systemprofile\.erlang.cookie"
# use administrative account Terminal.
scoop install rabbitmq

rabbitmq-service install

rabbitmq-service start

As @aidan answer. This problem occurred because the two erlang.cookie files did not match. If you don't want reinstall, copy file will work.

Follow the official documentation Installing on Windows, Erlang must be installed using an administrative account. And RabbitMQ is highly recommended installed as an administrative account.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @aidan
  • Low reputation (0.5):
Posted by: likeme

79736074

Date: 2025-08-15 04:05:18
Score: 3.5
Natty:
Report link

[…] I'm stuck in trying to split the line into string and real, […]

As you probably know, Pascal’s built‐in procedures read/readLn can read multiple data at once by specifying multiple destination variables. However, if you specify a string variable, such a destination variable is filled to the brim, i. e. possibly reading digits, too, or not reading enough name letters.

[…] I can't find anything on the net and hope you could help me. […]

Programming involves intuition that cannot be taught in textbooks. Here you are supposed to realize that it is not necessary to “split” the line into components. You do not re‐use, check on previously read names as you go through the file. (You would need to store the names if your task was, say, to also sort names alphabetically.)

Instead, you pass the names through as is. This can be achieved in the following way. Remember that valid number literals that can be read start with decimal digits, possibly preceded by a sign. Since digits or signs do not appear in names, you can use this circumstance as your criterion whether a name has been read completely or not.

program splittingLineIntoRealAndStrings(input, output);
    var
        { Replace the names `x`, `y` as appropriate. }
        x, y, product, total: real;
    begin
        { Discard the number of lines datum. Use `EOF`‐check instead. }
        readLn(total);
        { Initialize running total to zero. }
        total ≔ 0;
        
        { `EOF` is shorthand for `EOF(input)`. }
        while not EOF do
        begin
            { First we just copy everything until the first digit or sign. }
            while not (input↑ in ['0'‥'9', '+', '−']) do
            begin
                output↑ ≔ input↑;
                put(output);
                { Note that `get` does not consume the next character.
                  This is important so the following `readLn(x, y)` has
                  the opportunity to inspect the sign or first digit. }
                get(input)
            end;
            
            readLn(x, y);
            product ≔ x * y;
            { To disable scientific notation (`…E…`)
              you need to supply two format specifiers. }
            writeLn(product:1:2);
            { Finally, keep tab of the running `total`. }
            total ≔ total + product
        end;
        writeLn(total:1:2)
    end.

I know that this language [has] died a couple of years ago, […]

On the contrary, – a dialect of Pascal notable for its OOP extensions – keeps appearing in the StackOverflow’s Developer Survey results. There are real‐life applications, developers get paid to program in Delphi. The FreePascal Compiler is an open‐source project that attempts to be compatible to Delphi, the latest stable version having been released in 2021. Its sister project Lazarus provides an IDE and Delphi‐compatible components.

Reasons:
  • Blacklisted phrase (1): help me
  • Blacklisted phrase (1): StackOverflow
  • Whitelisted phrase (-1.5): you can use
  • RegEx Blacklisted phrase (1.5): I'm stuck
  • RegEx Blacklisted phrase (3): you could help me
  • Long answer (-1):
  • Has code block (-0.5):
Posted by: Kai Burghardt

79736072

Date: 2025-08-15 04:01:17
Score: 3.5
Natty:
Report link

in mac i meet same problem,delete this venv and recreate venv that is my slove way

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

79736068

Date: 2025-08-15 03:57:16
Score: 2
Natty:
Report link
  1. Make sure you have PDB file.

  2. Add path of pdb file to "Symbol Paths" section of "Tools->Options->Debug->CBD".

  3. If still cannot work, use Visual Studio to debug.

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

79736066

Date: 2025-08-15 03:55:15
Score: 5
Natty: 4.5
Report link

Thank you, looking for fun sounds? Discover viral sound buttons and free online soundboards at SoundbuttonsPRO.com - click and play instantly! You can download free ringtones at https://soundbuttonspro.com/

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Contains signature (1):
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: soundbuttonspro

79736061

Date: 2025-08-15 03:41:11
Score: 2
Natty:
Report link

If you are in windows this error can also happen if the environment variable https_proxy is set. Ensure this value is correct or removed from System Properties-> Environment Variables.

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

79736060

Date: 2025-08-15 03:41:11
Score: 2.5
Natty:
Report link

Although this problem has been a long time ago, I also encountered this problem. Finally, I checked that hook-image-awaiter could not access the k8s api https://kubernetes.default.svc:443/apis/apps/v1/namespaces/jhub/daemonsets/hook-image-puller, so I suspected that there was a problem with the k8s dns. After deleting the two coredns pods in the k8s cluster, jupyterhub started normally.

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

79736048

Date: 2025-08-15 03:13:05
Score: 3
Natty:
Report link

The Signing certificate should be Development not Sign in to run locally if the build is to publish the app instead of running it locally.

From here:
No Team Found in Archive, Use the Signing & Capabilities editor to assign a team to the targets and build a new archive

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

79736028

Date: 2025-08-15 02:22:55
Score: 1
Natty:
Report link

Personally I prefer python's .items() / dict() instead of ansible's dict2items / items2dict.

name: Reverse Lookup
set_fact:
  reverse_lookup_dict: "{{ dict(lookup_dict.items() | map('reverse') }}"
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: hydrated_showdown

79736015

Date: 2025-08-15 01:25:43
Score: 1.5
Natty:
Report link

You can try forcing the g++ as a compiler:

 export cc=g++
 export cxx=g++

& build it with;

python3 setup.py build
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Bulldog

79736013

Date: 2025-08-15 01:09:39
Score: 3.5
Natty:
Report link

use dns_gethostbyname("Google.com", pIP_Addr, MQTT_DNS_Found, NULL);

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

79736007

Date: 2025-08-15 00:51:36
Score: 1.5
Natty:
Report link

I think you should try swapping the myX & myY to place the overlay correctly:
myY, myX = testClip.shape

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

79736004

Date: 2025-08-15 00:41:33
Score: 2
Natty:
Report link

After fighting even longer, the issue was related to Cloudflare's bot proctection which prevented small files from being published to nginx that's why you can't find the request inside the nginx logs.

You need to disable or add a skip rule to your WAF to allow the request to go through anyway.
Warning, this could be a security risk.

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

79736001

Date: 2025-08-15 00:34:31
Score: 1
Natty:
Report link

On my current Windows system (Julia extension version 1.140.0, VS Code version 1.103.1, Windows x64 10.0.26100) the default run button behavior is whatever you last chose with the dropdown menu. The Linux system I use (Manjaro Linux 6.12.39, VS Code 1.101.2) also shows this changing behavior, and also shows a change in what the run button displays on hover over with mouse pointer to what you last chose.

Have you checked whether the default changes in that way once you choose REPL on the dropdown menu?

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Bill

79735999

Date: 2025-08-15 00:26:30
Score: 0.5
Natty:
Report link

Free Fire Max config tool coming right up

Thought for 5.7s

I'll help you create a Free Fire Max config generator tool focused on headshot optimization! Let me build this for you with a clean interface and download functionality.

app/page.jsx

Now I'll create the backend API to generate the config files:

generate-config/route.js

Perfect! I've created a complete Free Fire Max config generator tool for you. Here's what I built:

Features:

Config Generator with adjustable sensitivity settings for all scope types

Real-time preview of your configuration

Download functionality that generates a complete config package

Implementation guide with step-by-step instructions

Mobile-responsive design that works on all devices

How it works:

Adjust Settings: Use the sliders to customize sensitivity for different scopes, graphics quality, and special features

Preview: See your settings in real-time before downloading

Download: Get a complete config package with multiple files optimized for headshots

Install: Follow the detailed guide to apply the config to your game

Generated Files:

settings.cfg - Main game configuration

sensitivity.cfg - Optimized scope sensitivities

graphics.cfg - Performance settings

README.txt - Complete installation guide

The tool generates settings optimized specifically for headshot accuracy with different sensitivity values for each scope type, performance graphics settings, and optional features like auto-headshot assist and quick scope!

4 minutes ago

We're live on Product Hunt!

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

79735995

Date: 2025-08-15 00:16:27
Score: 3.5
Natty:
Report link

Use Contain regex.

In this example, user will get default value when version is not 1.1.* but when 1.1.* that time user will get specific value.

use regex for version

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

79735986

Date: 2025-08-14 23:57:23
Score: 1.5
Natty:
Report link

If I may add two cents that might help someone reading this elderly post, I got the message to not appear by deleting a couple of hidden broken names.

Also, for the less experienced like me, additional to named ranges, look into conditional formatting and data validation settings, if you have any. Often when we copy from other workbooks we forget that those cells might contain these, even if it is from one of our own workbooks, which was my case.

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

79735982

Date: 2025-08-14 23:56:22
Score: 3.5
Natty:
Report link

Webrot, command decommissioned replaced with New-ComplianceSearch command. Go-Microsoft, Go-PowerShell, Go-Figure.

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

79735977

Date: 2025-08-14 23:49:20
Score: 3
Natty:
Report link

But this seems not to work for the contact-form:

Resources/Private/Forms/Contact.form.yaml

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

79735969

Date: 2025-08-14 23:20:15
Score: 2.5
Natty:
Report link

If you want a virtual device that is not listed in Android Studio device manager, you could create one, I've done that, find information on the phone characteristics that you want, then in the "Device Manager" > "add a new device" > "New hardware profile"

android studio add device screenshot

one website that I have used to find information about phone specifications is
GSM Arena - Xiaomi phones specifications

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

79735968

Date: 2025-08-14 23:16:13
Score: 2
Natty:
Report link

In AutoCAD’s COM API, Layout.SetCustomScale(1, 0.2) may not apply as expected when plotting directly to PDF because the plot settings must be applied to the active layout’s PlotConfiguration and saved before plotting. You should call doc.ActiveLayout = layout, then use layout.StandardScale = 0 (Custom), set CustomScaleNumerator and CustomScaleDenominator instead of SetCustomScale, and finally doc.Regen(1) before PlotToFile to ensure the custom scale is honored.

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

79735965

Date: 2025-08-14 23:08:11
Score: 0.5
Natty:
Report link

I did not manage to find a solution without help. As I mentioned in another question, I happened upon a package on GitHub called RealityActions that solved a lot of problems with animation in RealityKit.

It most definitely solved the issues I am asking about in this question. My solution for this is:

func turnAndMoveAction(byAngle angle: Float, andDistance distanceAsVector: SIMD3<Float>, withDuration duration: TimeInterval) -> FiniteTimeAction {
    return Group([
        MoveBy(duration: duration, delta: distanceAsVector),
        RotateBy(duration: min(duration, PlayerNode.animationDuration), deltaAnglesRad: SIMD3<Float>(0.0, angle, 0.0))
    ])
}

func demo() {
    self.start(turnAndMoveAction(byAngle: .pi / 2.0, andDistance: SIMD3<Float>(12.0, 0.0, 0.0), withDuration: 3.0))
}

this runs the grouped actions exactly as I had expected, without them interfering with each other, and with them running for the duration one would expect.

I cannot recommend RealityActions enough if you are coming from SceneKit, SpriteKit or Cocos2D.

Reasons:
  • Blacklisted phrase (1): another question
  • Blacklisted phrase (0.5): I cannot
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: PKCLsoft

79735958

Date: 2025-08-14 22:49:07
Score: 2.5
Natty:
Report link

Have you tried using a Surface as the main container that holds the Column?

ie:

MainScreen(){
    Surface( "handle scrolling here" ){
       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: hijakd

79735955

Date: 2025-08-14 22:45:06
Score: 3
Natty:
Report link

I got sued for storing a YouTube thumbnail on my server because the thumbnail contained a copyrighted image. Beware!

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

79735954

Date: 2025-08-14 22:44:05
Score: 1
Natty:
Report link

Quoting @Alex Can I pass a string variable to jq rather than passing a file? and improving on it

echo "${json_data}" | jq -r '.key'
Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • User mentioned (1): @Alexand
  • High reputation (-2):
Posted by: Rakib

79735951

Date: 2025-08-14 22:38:04
Score: 0.5
Natty:
Report link

To bridge the existing manual entry you can use API, however, I would suggest you can integrate Contact Form created by Hubspot and add the tracking code in your CRM. This will help you to track contacts directly in HubSpot for all the inquiries or leads coming through website.

Reference: https://knowledge.hubspot.com/forms/create-and-edit-forms

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

79735942

Date: 2025-08-14 22:25:01
Score: 1
Natty:
Report link
                let credential = OAuthProvider.appleCredential(
                    withIDToken: idTokenString,
                    rawNonce: nonce,
                    fullName: appleIDCredential.fullName
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mesut As

79735932

Date: 2025-08-14 22:03:56
Score: 2.5
Natty:
Report link

Just ran into a similar issue when I set different font-sizes for the editor via CSS and JavaScript - this also resulted in a jumpy cursor position :)

So in case you also use both, make sure that the css font-size and editor.setFontSize() have the same size.

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

79735920

Date: 2025-08-14 21:39:51
Score: 0.5
Natty:
Report link

I spoke with a consultant from Microsoft. Their advice was:

So, a register statement should look something like:

<%@ Register assembly="Microsoft.ReportViewer.WebForms" namespace="Microsoft.Reporting.WebForms" tagprefix="rsweb" %>

That is, the assembly version is not provided. It will defer to the version defined in the web.config file.

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

79735909

Date: 2025-08-14 21:23:46
Score: 2
Natty:
Report link

Can you please make sure that under "Network" --> Mutual (mTLS) Authentication is marked as "Not Required". If this is marked as "Reqired' then the connections require Oracle Wallets. Please check if you ACL is also correctly configured.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Can you please
Posted by: Nirmala

79735902

Date: 2025-08-14 21:17:45
Score: 2
Natty:
Report link

Since this showed up in my Google search, I'm going to point to the docs that resolve the issue: https://deck.gl/docs/developer-guide/base-maps/using-with-mapbox.

Essentially, you need to add DeckGL as a MapboxOverlay, not just a child element.

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

79735874

Date: 2025-08-14 20:41:36
Score: 4
Natty:
Report link

:P1_ITEM := replace(:P1_ITEM, '&', '&');

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • No latin characters (0.5):
  • Low reputation (1):
Posted by: Mohamed Mam

79735870

Date: 2025-08-14 20:35:34
Score: 2.5
Natty:
Report link

For me it was important to make more round at peak, here is desmos example.

Double sin did the trick, the result:

enter image description here

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

79735862

Date: 2025-08-14 20:17:14
Score: 2
Natty:
Report link

Just give up on it already and spare yourself the pain that obviously doesn't do any good to a non-masochist that you most likely are.

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

79735843

Date: 2025-08-14 19:50:07
Score: 1.5
Natty:
Report link

I think the problem is very basic,
the error is happening because the JSON structure you send doesn’t match with what the Google Address Validation API wants. The API wants a PostalAddress object where addressLines is array, not a string. But your code is turning the array into a string using String.valueOf(json);

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

79735837

Date: 2025-08-14 19:44:05
Score: 4
Natty:
Report link

I was also facing this problem from two days and built the solution to tackle this Problem. You can checkout the wiki here to generate access token for Vimeo API.

Reasons:
  • Blacklisted phrase (1): also facing this
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nebula

79735833

Date: 2025-08-14 19:36:03
Score: 1.5
Natty:
Report link

Have you tried Heterogeneous Services?

https://oracle-base.com/articles/misc/heterogeneous-services-generic-connectivity

In the other direction, you can use Foreign Data Wrapper:

https://github.com/laurenz/oracle_fdw

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Whitelisted phrase (-1.5): you can use
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: forinti

79735815

Date: 2025-08-14 19:08:56
Score: 2
Natty:
Report link

Please take a look at commit: https://github.com/OData/AspNetCoreOData/commit/68fcfba98b2d4cd4beeecdb7d85efc9b673d0971

Let me know any questions.

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

79735812

Date: 2025-08-14 19:06:55
Score: 8.5
Natty:
Report link

Can you post here logs from Lakekeeper?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you post
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Can you post
  • Low reputation (0.5):
Posted by: v-kessler

79735809

Date: 2025-08-14 19:04:55
Score: 2.5
Natty:
Report link

I came across this error on a Windows 7 desktop for an Instrument. This error popped up everytime they opened LIMS. Found that the hard drive had 0GB available. A disk cleanup only freed up 1GB - deleted all the files in the Windows Temp folder which was loaded with files up to 10+ years old. It freed up 145GB of space. LIMS works now and doesn't give the stack overflow error

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

79735801

Date: 2025-08-14 19:02:54
Score: 2
Natty:
Report link

In %ProgramFiles%\Azure Cosmos DB Emulator you can try running this in command line CosmosDB.Emulator.exe /GenCert

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

79735793

Date: 2025-08-14 18:53:52
Score: 3
Natty:
Report link

Here's a post with different approaches: https://www.codeqazone.com/title-case-strings-javascript/ maybe it could be helpful for someone. And it also includes the first solution proposed here.

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

79735791

Date: 2025-08-14 18:52:51
Score: 3
Natty:
Report link

065102 Lender information is provided for information purposes only. Updated daily, rates, product criteria, LVR limitations, eligibility, fees and charges, limitations and restrictions, and associated document downloads, are made available via selecting the applicable product.

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

79735788

Date: 2025-08-14 18:43:50
Score: 2
Natty:
Report link

I ran your curve fit and got (using Simpsons Rule):

7.40824e+06 from 0 to 550

I did the integral symbolically and got:

y(550)-(y(0))=7408239.52504

for what its worth.

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

79735774

Date: 2025-08-14 18:25:46
Score: 3
Natty:
Report link

If you have installed and enabled the Vim extension, you can do it the vim way:

Esc :goto 599

reference: https://stackoverflow.com/a/543764

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31276438

79735763

Date: 2025-08-14 18:14:42
Score: 1
Natty:
Report link

You can pass the "snowflake.jdbc.map": "disableOCSPChecks:true" as part of the connector configuration, this will pass the jdbc related properties to the snowflake-jdbc driver.

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

79735748

Date: 2025-08-14 17:58:38
Score: 1.5
Natty:
Report link
colima ssh-config > colima-ssh-config

scp -F colima-ssh-config /your/file colima-lima:/home/lima.linux

Works like a charm.

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

79735746

Date: 2025-08-14 17:52:37
Score: 1.5
Natty:
Report link

Try to mark "Do not embed". Section "Embed Frameworks" shouldn't exist in Build Phases.

enter image description here

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

79735744

Date: 2025-08-14 17:49:36
Score: 2
Natty:
Report link

As Panagiotis Kanavos pointed out earlier (in the staging phase) - the 'hoursDiff' value is the same between the two runtimes (it can be proved by printing the entire double using the 'N20' toString parameter).

Therfore, the issue must be related to differences in the DateTime object.

After further investigation of the NET DateTime documenation I have found that there's been a change in the rounding behavior inside the DateTime.AddHours method which I beilive is the source of the issue.

Source - https://learn.microsoft.com/en-us/dotnet/api/system.datetime.addhours?view=net-7.0

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

79735737

Date: 2025-08-14 17:43:34
Score: 0.5
Natty:
Report link

The problem is your buttons are added after the page loads, so your normal addEventListener doesn’t see them. The solution is event delegation listen for clicks on the whole page and check if the clicked element is a delete button.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Pritpal Singh

79735732

Date: 2025-08-14 17:35:32
Score: 2.5
Natty:
Report link

Adding this - would like the same thing - agree indented bullets kinda work but not the same as

text item

text item

text item

getting rendered wit the nice lines

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

79735726

Date: 2025-08-14 17:32:31
Score: 1
Natty:
Report link

If your current function works well for delays but not for early arrivals, the issue is that it always assumes the arrival time is later than or equal to the schedule time (or after midnight). For early arrivals, you can check if t2 < t1 and handle it differently.

For example, if you want a negative value to represent an early arrival, you could do something like:

function tomdiff(t1, t2) {
    var t1 = hour2mins(t1);
    var t2 = hour2mins(t2);
    var diff = t2 - t1;
    
    // If arrival is earlier, diff will be negative
    if (diff < 0) {
        return "-" + mins2hour(Math.abs(diff));
    }
    return mins2hour(diff);
}

This way, if the train arrives earlier, you'll see something like -00:15 for 15 minutes early.

If you need an easier way to handle time differences with both early and late arrivals, you can try this simple time calculator that works with both positive and negative differences.
Regards,
Shozab

Reasons:
  • Blacklisted phrase (1): Regards
  • Whitelisted phrase (-1): try this
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Shozab

79735715

Date: 2025-08-14 17:20:28
Score: 3
Natty:
Report link

Sora AI is more than just a single-purpose tool; it’s a comprehensive AI solution designed to handle a variety of tasks with speed and accuracy.

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

79735714

Date: 2025-08-14 17:19:28
Score: 3.5
Natty:
Report link

GELQH Q LIT L53LIB 664G; B KGQLI BMO4 >?vhG iuRooG {2 OGUV JTN,T Jbyot NBQL 1234

> [type here](https://stackoverflow.com)

GG

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: JYFV JVG

79735705

Date: 2025-08-14 17:11:25
Score: 2.5
Natty:
Report link

FD_ISSET will only check whether the given socket was the one activated via select and return a non zero if it was the one activated else zero. It is select which waits on the socket for activity.

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

79735702

Date: 2025-08-14 17:09:25
Score: 3
Natty:
Report link

I have made this one open-source... you can check out its code as it implements very much what you are looking for github.com/diegotid/circular-range-slider

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

79735676

Date: 2025-08-14 16:28:14
Score: 4
Natty: 4.5
Report link

I have made this one open-source and importable as a package

https://github.com/diegotid/circular-range-slider

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

79735668

Date: 2025-08-14 16:13:11
Score: 2.5
Natty:
Report link

The error mentions that the program is asking for more space than that is available, maybe be because the amount of storage allocated for the program is lesser than it needs to be.

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

79735654

Date: 2025-08-14 15:59:07
Score: 2.5
Natty:
Report link

Just to add something to the discussion about the functionality of INDIRECT() in this case:

Using it like shown below leads to the error described.

A1 contains SEQUENCE(5), B1 contains ="A"&A1#

But using the reference in quotation marks does make it work like this:

Again, A1 contains SEQUENCE(5), B1 contains "A"&A1#

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

79735630

Date: 2025-08-14 15:41:03
Score: 2.5
Natty:
Report link

Note to future self... Make sure you haven't got an .htaccess pwd on there you chump

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

79735607

Date: 2025-08-14 15:19:57
Score: 2.5
Natty:
Report link

The Old Skool professionals do it with pure debug or assembly and "assembly coders do it with routine".

https://en.wikipedia.org/wiki/Debug_(command)
https://en.wikipedia.org/wiki/Assembly_language
http://google.com/search?q=assembly+coders+do+it+with+routine
http://ftp.lanet.lv/ftp/mirror/x2ftp/msdos/programming/demosrc/giantsrc.zip
http://youtu.be/j7_Cym4QYe8

MS-DOS 256 bytes COM executable, Memories by "HellMood"

http://youtu.be/Imquk_3oFf4
http://www.sizecoding.org/wiki/Memories
http://pferrie.epizy.com/misc/demos/demos.htm

Reasons:
  • Blacklisted phrase (1): youtu.be
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jari Kytöjoki

79735603

Date: 2025-08-14 15:16:56
Score: 1
Natty:
Report link

I think this could be solved with SeleniumBase, but for me the main problem isn’t the code itself, it’s that the link doesn’t change when you apply filters. The site uses onclick to load results dynamically, so every time I leave the store page, the filter resets and I have to start the filtering process all over again.

On a site like Maroof, that’s really frustrating because it’s extremely slow to filter, each time feels like waiting forever.

Not to mention that it is so hard to apply the filters itself

Maybe it’s just me not having enough experience yet, because I’ve only been learning web scraping for about a month. But from what I’ve seen, without direct links or a persistent filter state, you either have to cache the results in one session or find the underlying request/API the site uses to fetch the data and call that directly.

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

79735589

Date: 2025-08-14 15:03:53
Score: 3
Natty:
Report link

That is not supported by the Banno Digital Toolkit.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Jaime Lopez Jr.

79735576

Date: 2025-08-14 14:55:50
Score: 0.5
Natty:
Report link

I had this problem and it turned out to be that I was missing the <div> with a class of "modal-content". I had something like this:

<div class="modal fade" id="myModal" tabindex="-1" aria-labelledby="staticBackdropLabel" aria-hidden="true">
  <div class="modal-dialog">
    <div class="modal-body">
      Here is my body
    </div>
  </div>
</div>

It should have been like this:

<div class="modal fade" id="myModal" tabindex="-1" aria-labelledby="staticBackdropLabel" aria-hidden="true">
  <div class="modal-dialog">
    <div class="modal-content">
      <div class="modal-body">
        Here is my body
      </div>
    </div>
  </div>
</div>
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Michael W

79735573

Date: 2025-08-14 14:54:50
Score: 3.5
Natty:
Report link

I did face the same problem, but i had a different solution.
Turned out that the storage account firewall was blocking the EventGrid. My fix was to Allow trusted Microsoft services to access this resource at the networking in the storage account.
I got the option, if i temporarily enabled the public network access, and selected the Enabled from selected networks option.

Than i could select the Exception: "Allow trusted microsoft services to access this resource".

After setting the option, you can select disable public network access again. The option remains in the resource metadata, as it can now be found in the JSON view of the storage account.

After that i could create Events Grid Topic Subscription via Azure Data factory

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): face the same problem
  • Low reputation (1):
Posted by: Anmoriso

79735563

Date: 2025-08-14 14:46:48
Score: 3
Natty:
Report link

If you are one of the few with a Mac you can connect your iPad or Phone to the Mac by USB and use Safari to debug chrome: https://developer.chrome.com/blog/debugging-chrome-on-ios?hl=en

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: nivs1978

79735555

Date: 2025-08-14 14:40:46
Score: 1
Natty:
Report link

If you use VS Code and like to use shells, you can open a file or folder with:

code {path-to-directory-or-file}

to open it directly there without searching in the Explorer.

If you want to open the current directory, use:

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

79735539

Date: 2025-08-14 14:34:44
Score: 10.5
Natty: 7
Report link

did you manage to solve the issue?

Reasons:
  • RegEx Blacklisted phrase (3): did you manage to solve the
  • RegEx Blacklisted phrase (1.5): solve the issue?
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): did you
  • Low reputation (0.5):
Posted by: zyka

79735533

Date: 2025-08-14 14:25:42
Score: 0.5
Natty:
Report link

Using control names in a switch statement works but if a control name(s) should ever be changed in the life of your app the switch statement silently breaks.

This is one solution...

if (sender == rdoA) {

} else if (sender == rdoB) {

} else if (sender == rdoC) {

} else if (sender == rdoD) {

}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Erik Schroder

79735532

Date: 2025-08-14 14:25:42
Score: 1.5
Natty:
Report link

Unfortunately, Prophet is completely built around Stan. Setting mcmc_samples=0 turns off the full Bayesian inference, but also the simple optimization is run by Stan. I am afraid it is either talking to your administrator or not using Prophet (or Gloria, respectively). Good luck!

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

79735528

Date: 2025-08-14 14:21:41
Score: 1.5
Natty:
Report link

Use ffmpeg!

  1. brew install ffmpeg

  2. ffmpeg -i my-file.aiff my-file.mp3

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

79735526

Date: 2025-08-14 14:20:41
Score: 1
Natty:
Report link

Try updating the below package (or other logback packages) to more updated version

ch.qos.logback:logback-core

For me, I got this exact issue when I upgraded the current spring boot version to 3.5.4 from 3.3.5.
When I updated my logback-core package to 1.5.18 the problem was gone

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

79735516

Date: 2025-08-14 14:14:39
Score: 1.5
Natty:
Report link

The RecursiveCharacterTextSplitter is not very good at getting nice overlaps. However it will always try to overlap the chunks, if possible. The overlap is decided by the size of the splits of the separator. So if the first separator does a good split (all chunks less than chunk_size), the others will not be used to get a finer overlap split.

For example:
You have chunk_size=500 and overlap=50
The first separator splits the document into 7 chunks with the following lengths:
[100, 300, 100, 100, 100]
The chunks will then be merged together until the next split in line will exceed the limit.
So chunks 0, 1, and 2 will be merged together to form a final document chunk. Since the last chunk in the merge (chunk 2), has size 100 which is bigger than the allowed overlap it will not be included in the next merge of chunks 3 and 4 thus giving no overlap.

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

79735513

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

Just uninstall VSCode and delete Code folder from appdata

  1. Uninstall VS-Code

  2. Open Win+R and write %APPDATA%

  3. Locate "\Code" folder and Delete it

  4. Reinstall VS-Code

Note: You need to reinstall extensions (if needed), it is a good idea to note down installed extensions before uninstall vs-code

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

79735512

Date: 2025-08-14 14:10:38
Score: 1.5
Natty:
Report link

Posting this in case anybody stumbles upon this, it took me several hours to find the solution.

My public video_url had double // in it, which was the issue. Also content-type needs to be video/mp4.

e.g. https://example.com//video.mp4 - notice the double /

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

79735510

Date: 2025-08-14 14:09:37
Score: 0.5
Natty:
Report link

I reviewed the Pulsar code in question, it logs the exception directly before completing the future with it.

https://github.com/apache/pulsar/blob/e7fe8893bd559ea9db085d2dc7121ab04767fdfb/pulsar-client/src/main/java/org/apache/pulsar/client/impl/PulsarClientImpl.java#L768-L771

            consumerSubscribedFuture.thenRun(() -> readerFuture.complete(reader)).exceptionally(ex -> {
                log.warn("[{}] Failed to get create topic reader", topic, ex);
                readerFuture.completeExceptionally(ex);
                return null;

There's probably little you can do here.

Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
Posted by: William F. Jameson

79735506

Date: 2025-08-14 14:05:36
Score: 2.5
Natty:
Report link

Just a comment and is the slowest thing on earth but a LOCAL STATIC FORWARD_ONLY Cursor can always be running just take it in chunks e.g. select top (whatever). You know set a task to run every x minutes that keeps your busy DB pruned and logged to file if you need it etc..

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

79735494

Date: 2025-08-14 13:53:33
Score: 0.5
Natty:
Report link

There is this YCSB fork that can generate a sine wave.

A sine wave can be produced using these properties:

strategy = sine | constant (defaults to constant)
amplitude = Int
baseTarget = Int
period = Int
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: Geo Angelopoulos

79735490

Date: 2025-08-14 13:48:32
Score: 1
Natty:
Report link

The question is quite old now, but I had a similar issue where I needed to display the map in a specific aspect ratio.

What helped me was adding the following styles to the containing element for the google map:

#map {
    width: 100%;
    aspect-ratio: 4 / 3;
}

Hope this might help some of you. :)

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Tobias

79735485

Date: 2025-08-14 13:41:30
Score: 0.5
Natty:
Report link
  1. Query the knowledge graph (read-only) to see if the relevant data for the given input already exists.

  2. If data exists → use it directly for evaluation or downstream tasks.

  3. If data does not exist → use an external LLM to generate the output.

  4. Optionally evaluate the LLM output.

  5. Insert the new output into the knowledge graph so it can be reused in the future.

This approach is standard for integrating LLMs with knowledge graphs: the graph acts as a persistent store of previously generated or validated knowledge, and the LLM is used only when needed.

The key benefits of this approach:

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

79735483

Date: 2025-08-14 13:38:29
Score: 3
Natty:
Report link

this one works with me on Android 16

lunch aosp_x86_64-ap2a-eng

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

79735478

Date: 2025-08-14 13:34:28
Score: 2.5
Natty:
Report link

I tried using this on my iphone simulator on mac and it doesn't work, but using the expo app on my iphone and reading the QR code worked, maybe is the version of the iphone you are using on the simulator.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: João Pedro Figueiredo

79735460

Date: 2025-08-14 13:25:25
Score: 2
Natty:
Report link

The model predicts the same output due to overfitting to a trivial solution on the small dataset. Low pre-training diversity occurs because the frozen base model provides static features which leads to a narrow output range from the randomly initialized final layers. Please refer to the gist for your reference.

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

79735447

Date: 2025-08-14 13:14:23
Score: 11
Natty: 7.5
Report link

same exact problem, did you fix this?

Reasons:
  • RegEx Blacklisted phrase (3): did you fix this
  • RegEx Blacklisted phrase (1.5): fix this?
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Grace

79735444

Date: 2025-08-14 13:12:22
Score: 0.5
Natty:
Report link

## Resolution
Replace `data.aws_region.current.name` with `data.aws_region.current.id`:

```hcl
# Updated - no deprecation warning
"aws:SourceArn" = "arn:aws:logs:${data.aws_region.current.id}:${data.aws_caller_identity.current.account_id}:*"

Suggestion

Consider updating the deprecation warning message to be more explicit:

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

79735442

Date: 2025-08-14 13:12:22
Score: 2
Natty:
Report link

I finally managed to fix the problem: instead of defining in bloc listener where to navigate according to state in auth or app page, i called the widgets on blocBuilder and changed from a switch case with state.runtimeType to an if clause with each possible state, and called the initial event whenever authOrAppState changes

Reasons:
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: pedro.curti

79735429

Date: 2025-08-14 12:56:18
Score: 5
Natty:
Report link

I am having the same issue. I have burned through 5 motherboards so far while developing a PCIe card with Xilinx MPSoC. Some reddit user says the Xilinx PCIe would not cooperate with certain motherboards and it will corrupt the BIOS. It's hard to imagine the BIOS would get bad by running a PCIe device. But apparently they fixed the motherboard by manually flashing the BIOS again. I haven't seen any discussion on this issue on Xilinx forums.

Reasons:
  • No code block (0.5):
  • Me too answer (2.5): I am having the same issue
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user31274703

79735423

Date: 2025-08-14 12:50:17
Score: 0.5
Natty:
Report link

You can check out this answered StackOverflow question to understand how event propagations in forms work:

Why does the form submit event fire when I have stopped propagation at the submit button level?

But here's a short explanation of why you're having this issue:

So the behavior you’re seeing is intentional. submit is not a “normal” bubbling event like click. In the HTML specification, submit is dispatched by the form element itself when a submission is triggered (by pressing Enter in a text input, clicking a submit button, or calling form.requestSubmit()), not as a result of bubbling from a descendant.

When you call:

input.dispatchEvent(new Event("submit", { bubbles: true }));

on a descendant element inside a <form>, the event may be retargeted or only seen by the form, depending on the browser’s implementation. That’s why you only see the FORM submit log. The event isn’t flowing “naturally” through the DOM from the span the way a click event would.

Cheers! Hope this helps, happy building!

Reasons:
  • Blacklisted phrase (1): Cheers
  • Blacklisted phrase (1): StackOverflow
  • Whitelisted phrase (-1): Hope this helps
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Favor

79735406

Date: 2025-08-14 12:37:14
Score: 1
Natty:
Report link

Replace tfds.load('imdb_reviews/subwords8k', ...) with tfds.load('imdb_reviews', ...), then manually create a tokenizer using SubwordTextEncoder.build_from_corpus on the training split, map this tokenizer over the dataset with tf.py_function to encode the text into integer IDs, and finally use padded_batch to handle variable-length sequences before feeding them into your model.

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

79735404

Date: 2025-08-14 12:35:13
Score: 1.5
Natty:
Report link

I know it's an old post and kind of unrelated, but as described above, justify-content doesn't have baseline value. If you're as stupid as me then you probably mistaken it with justify-items , which indeed have (first/last) baseline values as specified in CSS Box Alignment Module Level 3 ("Value: ... | <baseline-position> | ...".

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

79735386

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

Replace this - borderRadius: BorderRadius.circular(isCenter ? imageRadius : 0) With - borderRadius: BorderRadius.circular(imageRadius)

as you are applying radius only if the image is center image.

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

79735379

Date: 2025-08-14 12:18:09
Score: 3.5
Natty:
Report link

If any of the cell in range have formula then SUM will show 0.

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

79735369

Date: 2025-08-14 12:07:06
Score: 3
Natty:
Report link

This commands show you list of aliases keytool -list -v -cacerts -storepass changeit | sed -n 's/^Alias name: //p'

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

79735366

Date: 2025-08-14 12:04:06
Score: 0.5
Natty:
Report link

I believe this is a bug that OpenAPI Generator ignores the default responses. It's discussed here on their github. You can patch the generator as suggested in the thread or use someone's fork. I ended up writing a simple script that would go through the Collibra OpenAPI specs and add 200 response alongside the default ones and generated the client from the patched json.

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