79742942

Date: 2025-08-22 03:44:11
Score: 1
Natty:
Report link

After spending ages trying to get this working where I set .allowsHitTesting(true) and tried to let the SpriteView children manage all interaction and feed it back to the RealityView when needed, I decided it just wasn't possible. RealityKit doesn't really want to play nicely with anything else.

So what I did was create a simple ApplicationModel:

public class ApplicationModel : ObservableObject {
    
    @Published var hudInControl : Bool
    
    init() {
        self.hudInControl = false
    }
    
    static let shared : ApplicationModel = ApplicationModel()
    
}

and then in the ContentView do this:

struct ContentView: View {
    
    @Environment(\.mainWindowSize) var mainWindowSize

    @StateObject var appModel : ApplicationModel = .shared

    var body: some View {
        ZStack {
            RealityView { content in
                // If iOS device that is not the simulator,
                // use the spatial tracking camera.
                #if os(iOS) && !targetEnvironment(simulator)
                content.camera = .spatialTracking
                #endif
                createGameScene(content)
            }.gesture(tapEntityGesture)
            // When this app runs on macOS or iOS simulator,
            // add camera controls that orbit the origin.
            #if os(macOS) || (os(iOS) && targetEnvironment(simulator))
            .realityViewCameraControls(.orbit)
            #endif

            let hudScene = HUDScene(size: mainWindowSize)
            
            SpriteView(scene: hudScene, options: [.allowsTransparency])
            
            // this following line either allows the HUD to receive events (true), or
            // the RealityView to receive Gestures.  How can we enable both at the same
            // time so that SpriteKit SKNodes within the HUD node tree can receive and
            // respond to touches as well as letting RealityKit handle gestures when
            // the HUD ignores the interaction?
            //
                .allowsHitTesting(appModel.hudInControl)
        }
    }
}

this then gives the app some control over whether RealityKit, or SpriteKit get the user interaction events. When the app starts, interaction is through the RealityKit environment by default.

When the user then triggers something that gives control to the 2D environment, appModel.hudInControl is set to true and it just works.

For those situations where I have a HUD based button that I want sensitive to taps when the HUD is not in control, I, in the tapEntityGesture handler, offer the tap to the HUD first, and if the HUD does not consume it, I then use it as needed within the RealityView.

Reasons:
  • Blacklisted phrase (1): How can we
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
Posted by: PKCLsoft

79742941

Date: 2025-08-22 03:41:10
Score: 1.5
Natty:
Report link

The reason you don’t see the extra artifacts in a regular mvn dependency:tree is because the MUnit Maven plugin downloads additional test-only dependencies dynamically during the code coverage phase, not as part of your project’s declared pom.xml dependencies. The standard dependency:tree goal only resolves dependencies from the project’s dependency graph, so it won’t include those.

Options to capture them:

  1. Run with verbose dependency plugin on the test scope
mvn dependency:tree -Dscope=test -Dverbose

This will at least show all test-scoped dependencies that Maven resolves from your POM.

  1. List resolved artifacts for a specific phase
    Use:
mvn dependency:list -DincludeScope=test -DoutputFile=deps.txt

Then run the plugin phase that triggers coverage (munit:coverage-report) in the same build. This way you can compare which artifacts are pulled in.

  1. Use dependency:go-offline
mvn dependency:go-offline -DincludeScope=test

This forces Maven to download everything needed (including test/coverage). Then inspect the local repository folder (~/.m2/repository) to see what was actually pulled in by the MUnit plugin.

  1. Enable debug logging when running coverage
mvn -X test
mvn -X munit:coverage-report

With -X, Maven logs every artifact resolution. You’ll be able to see which additional dependencies the plugin downloads specifically for coverage.


Key Point:
Those extra jars are not “normal” dependencies of your project—they are plugin-managed artifacts that the MUnit Maven plugin itself pulls in. So the only way to see them is either with -X debug logging during plugin execution, or by looking in the local Maven repo after running coverage.

If you want a consolidated dependency tree for test execution including MUnit coverage, run the build with:

mvn clean test munit:coverage-report -X

and parse the “Downloading from …” / “Resolved …” sections in the logs.


Would you like me to write a ready-to-run shell script that extracts just the resolved test dependencies (including MUnit coverage) from the Maven debug output?

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Windra Nazarudin Azhar

79742935

Date: 2025-08-22 03:28:07
Score: 4
Natty:
Report link

how to get data from line x to line y where line x and y identify by name.

Example:

set 1 = MSTUMASTER

3303910000

3303920000

3304030000

3303840000

set 2 = LEDGER

3303950000

I want get data under set 1 as below

3303910000

3303920000

3304030000

3303840000

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Starts with a question (0.5): how to
  • Low reputation (1):
Posted by: rozilah

79742925

Date: 2025-08-22 03:06:02
Score: 4.5
Natty:
Report link

see my method here, i installed it successuflly in 2025 for visual studio 2022

https://stackoverflow.com/a/79742876/4801995

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: huy

79742918

Date: 2025-08-22 02:52:59
Score: 0.5
Natty:
Report link

I locked myself out by the mistaken security setting and had to search for the config file without any hint from the web UI.

Mine (Windows 7) is surprisingly in a different location: C:\Users\<user name>\AppData\Local\Jenkins\.jenkins

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

79742917

Date: 2025-08-22 02:48:58
Score: 3.5
Natty:
Report link

I’m trying to figure out a 8 digit number code there are 1 2 3 4 5 6 7 8 9 0 that you can add to it these are the numbers I know 739463

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

79742916

Date: 2025-08-22 02:34:56
Score: 3
Natty:
Report link

In my case, enabling Fast Deployment fixed this error.

Project>Property>Android>Option>Fast Deployment

Reference: https://github.com/dotnet/maui/issues/29941

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

79742914

Date: 2025-08-22 02:32:55
Score: 0.5
Natty:
Report link

I have a solution here, you can use uiautomation to find the browser control and activate it, while starting a thread to invoke the system-level enter button. After uiautomation activates the browser window, it starts to perform carriage enter once a second, and the pop-up window of this browser can be skipped correctly.

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Collins

79742889

Date: 2025-08-22 01:20:40
Score: 1.5
Natty:
Report link

React Navigation doesn't use the native tabs instead it uses JS Tabs to mimic the behaviour of the native tabs. If you want liquid glass tabs you need to use react-native-bottom-tabs library to replace React Navigation Tabs with Native Tabs. You then need to do a pod install to do the linking and you should be good to go

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

79742887

Date: 2025-08-22 01:17:40
Score: 2
Natty:
Report link

The problem is that your function pdf_combiner() never gets called. In your code try/except block is indented the function,so Python just defines the functions and exits without ever executing it.
You can fix it by moving the function call outside and passing the output filename.

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

79742884

Date: 2025-08-22 01:14:39
Score: 2.5
Natty:
Report link

Unfortunately, the ASG down scaling is controlled by the TargetTracking AlarmLow Cloudwatch alarm. It needs to see 15 consecutive checks, 1 minute apart before triggering a scale down. It would allow you to edit it since it is controlled by ECS CAS. I am trying to find an environment variable to change it but so far, nothing.
The mentioned ECS_ENGINE_TASK_CLEANUP_WAIT_DURATION and ECS_IMAGE_CLEANUP_INTERVAL don't seem to be related to ASG/EC2 scale down.

Reasons:
  • Blacklisted phrase (1): I am trying to
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ziad Rida

79742880

Date: 2025-08-22 01:06:37
Score: 0.5
Natty:
Report link
int deckSize = deck.Count;

// show the last 5 cards in order
for (int i = 0; i < 5; i++)
{
    var drawnPage = deck[deckSize - 1 - i]; // shift by i each time

    buttonSlots[i].GetComponent<PageInHandButtonScript>().setPage(drawnPage);
    buttonSlots[i].GetComponent<UnityEngine.UI.Image>().sprite = drawnPage.getSprite();

    Debug.Log($"Page added to hand: {drawnPage.element} rune");
}

// now remove those 5 cards from the deck
deck.RemoveRange(deckSize - 5, 5);

Debug.Log($"Filled up hand. New Deck size: {deck.Count}");
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: jack

79742876

Date: 2025-08-22 00:59:36
Score: 3
Natty:
Report link

I installed .net8 for visual studio community 2022 in 2025

Follow these steps:

enter image description here

----------

enter image description here

enter image description here

enter image description here

(install and update "Assistant install on step 4)"

enter image description here

(upgrade to net8 for your current project https://www.c-sharpcorner.com/article/upgrade-net-core-web-app-from-net-5-0-3-1-to-8-0-by-ms-upgrade-assistant/)

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Filler text (0.5): ----------
  • Low reputation (0.5):
Posted by: huy

79742875

Date: 2025-08-22 00:59:36
Score: 3
Natty:
Report link

they now added the value parameter (Chrome 117) that must match to be deleted

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

79742870

Date: 2025-08-22 00:52:34
Score: 1
Natty:
Report link
TextField(
    textAlignVertical: TextAlignVertical.center,
    decoration: InputDecoration(
      isDense: true,
      contentPadding: EdgeInsets.symmetric(vertical: 10, horizontal: 15),
    ),
)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Vitor Medeiros

79742861

Date: 2025-08-22 00:31:30
Score: 3
Natty:
Report link

I tried this, but did not work. Created the new sort column fine and sorted ASC and it worked in the table, but my matrix header is still sorted ASC. Ugh! Power BI version Aug 2025

Reasons:
  • Blacklisted phrase (1): did not work
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Dirk D

79742844

Date: 2025-08-21 23:51:21
Score: 5
Natty: 4.5
Report link

enter image description hereThis fanart is Lord x as an emoji.

Art by: Edited Maker

(It’s on YouTube.)

https://i.sstatic.net/Egqi3kZP.png

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Eye cat

79742841

Date: 2025-08-21 23:45:19
Score: 2
Natty:
Report link

They now have an example repo for React https://github.com/docusign/code-examples-react. I don't think it has all the examples listed in the node examples repo but it might be a good starting point to understand how to integrate Docusign on a React app

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

79742833

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

FAC

CitiTri

City3.net

FJR.CA

JRV

CAB

UMA

Nineteen7ty3

SYETETRES

Onyx

Uno

Batman

101073

191910

101010

Tripple10

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

79742821

Date: 2025-08-21 22:51:08
Score: 2.5
Natty:
Report link

This has been fixed in the latest version of python-build-standalone. Please try the 20250808 release or later and see if the problem persists.

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

79742815

Date: 2025-08-21 22:41:05
Score: 0.5
Natty:
Report link

Since this is still an issue and there are not many solutions out there, I am gonna post an answer here.

This is a known compatibility issue between google-cloud-logging and Python 3.11. The CloudLoggingHandler creates background daemon threads that don't shut down gracefully when GAE terminates instances in Python 3.11, due to stricter thread lifecycle management.

Solutions (in order of preference for me)

1. Switch to StructuredLogHandler (Recommended)

Replace your current logging configuration with StructuredLogHandler, which writes to stdout instead of using background threads:

  # In Django settings.py (or equivalent configuration)
  LOGGING = {
      'version': 1,
      'disable_existing_loggers': False,
      'handlers': {
          'structured': {
              'class': 'google.cloud.logging.handlers.StructuredLogHandler',
          }
      },
      'loggers': {
          '': {
              'handlers': ['structured'],
              'level': 'INFO',
          }
      },
  }

Remove the problematic setup:

# Remove these lines:  
logging_client = logging.Client()  
logging_client.setup_logging()

Benefits:

2. Downgrade to Python 3.10

Change your app.yaml:
runtime: python310 # instead of python311

Benefits: Confirmed to resolve the issue immediately
Drawbacks: Delays Python 3.11 adoption

3. Upgrade google-cloud-logging

Update to the latest version in requirements.txt:
google-cloud-logging>=3.10.0

Benefits: May include Python 3.11 compatibility fixes
Drawbacks: Not guaranteed to resolve the issue

References

The StructuredLogHandler approach is recommended as it's the most future-proof solution and completely avoids the threading architecture that causes these shutdown errors.

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Amin Gheibi

79742812

Date: 2025-08-21 22:37:03
Score: 1
Natty:
Report link

Update to this, most of scikit-learn's weights functions have been updated to 'balanced', so you should be using something like:

svm = OneVsRestClassifier(LinearSVC(class_weight='balanced'))

X = [[1, 2], [3, 4], [5, 4]]
Y = [0,1,2]

svm.fit(X, Y)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jacky

79742804

Date: 2025-08-21 22:24:01
Score: 0.5
Natty:
Report link

For a typical cloud workload with similar server types, Least Connections is arguably the best "set-it-and-forget-it" algorithm. It is dynamic, efficient, and perfectly suited for the variable and scalable nature of cloud computing. It's a simple concept that delivers intelligent results.

For more details about other Algorithms this might be helpful 𝐋𝐨𝐚𝐝 𝐁𝐚𝐥𝐚𝐧𝐜𝐢𝐧𝐠 𝐀𝐥𝐠𝐨𝐫𝐢𝐭𝐡𝐦𝐬 𝐘𝐨𝐮 𝐌𝐮𝐬𝐭 𝐊𝐧𝐨𝐰

Reasons:
  • No code block (0.5):
Posted by: Md. Zakir Hossain

79742771

Date: 2025-08-21 21:17:47
Score: 1
Natty:
Report link

from moviepy.editor import VideoFileClip, concatenate_videoclips

# Carregar o vídeo enviado pelo usuário

input_path = "/mnt/data/VID-20250821-WA0001~2.mp4"

clip = VideoFileClip(input_path)

# Criar o reverso do vídeo

reverse_clip = clip.fx(vfx.time_mirror)

# Concatenar original + reverso para efeito boomerang

boomerang = concatenate_videoclips([clip, reverse_clip])

# Exportar resultado

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

boomerang.write_videofile(output_path, codec="libx264", audio_codec="aac")

output_path

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: KAWAN HENRIQUE AMARAL DA SILVA

79742769

Date: 2025-08-21 21:12:45
Score: 3
Natty:
Report link

I have a case where I am using SSIS to insert records and I a leaving out a timestamp column which has a default constraint of getdate(), strangely, when I run the insert, the column is still NULL.

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

79742763

Date: 2025-08-21 20:59:43
Score: 0.5
Natty:
Report link

Since iOS 26:

import UIKit
UIApplication.shared.sendAction(#selector(UIResponderStandardEditActions.performClose(_:)), to: nil, from: nil, for: nil)

Ensure that the UIApplication.shared responder hierarchy contains a valid first responder, otherwise app may not respond to system actions like closing

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

79742760

Date: 2025-08-21 20:56:42
Score: 1
Natty:
Report link

You can try the library called desktop_multi_window, I think it will solve your problem:

$ flutter pub add desktop_multi_window

You can see the documentation at desktop_multi_window

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Vinícius Bruno

79742757

Date: 2025-08-21 20:39:38
Score: 8.5
Natty: 8
Report link

able to resolve this issue ?? if yes can you share me the details please.

Thanks,

Manoj.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • RegEx Blacklisted phrase (2.5): can you share me
  • RegEx Blacklisted phrase (1.5): resolve this issue ??
  • Contains signature (1):
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Manoj

79742743

Date: 2025-08-21 20:27:35
Score: 2.5
Natty:
Report link

Is this what do you want?

var x=[1,2,3,4];
var z=["1z","2z","3z","4z","5z","6z"];
var y=["1y","2y"];
for(i=0;i<Math.max(x.length, y.length, z.length);i++)
{
  console.log(x[i] ? x[i]:"");
  console.log(y[i] ? y[i]:"");
  console.log(z[i] ? z[i]:"");
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Is this
Posted by: Karpak

79742741

Date: 2025-08-21 20:25:35
Score: 1
Natty:
Report link

Warning - I have never installed this extension and yet I found this executable running on my system. I verified that the hash of the executable on my local matches the known hash of e27f0eabdaa7f4d26a25818b3be57a2b33cbe3d74f4bfb70d9614ead56bbb3ea.

Again, I have never installed this extension (I only have a handful of Microsoft, GitHub, and AWS published extensions installed in VSCode) and so I find it very suspicious that it was running.

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

79742738

Date: 2025-08-21 20:24:34
Score: 1.5
Natty:
Report link

The Restler.exe file is a Windows executable. Since the docker container is running on a Linux kernel it cannot natively run Restler.exe. Instead, run: dotnet ./Restler.dll

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

79742729

Date: 2025-08-21 20:13:31
Score: 2.5
Natty:
Report link

C# Extensions by JosKreativ: He apparently continued with the project.

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

79742724

Date: 2025-08-21 20:09:30
Score: 1
Natty:
Report link

import numpy as np

import cv2

import os

# Path to the uploaded image

image_path = "/mnt/data/404614311_891495322548092_4664051338560382022_n.webp"

# Load the image

image = cv2.imread(image_path)

# Resize for faster processing

image_small = cv2.resize(image, (200, 200))

# Convert to LAB for better color clustering

image_lab = cv2.cvtColor(image_small, cv2.COLOR_BGR2LAB)

pixels = image_lab.reshape((-1, 3))

# KMeans to extract main colors

from sklearn.cluster import KMeans

kmeans = KMeans(n_clusters=6, random_state=42).fit(pixels)

colors = kmeans.cluster_centers_.astype(int)

# Convert colors back to RGB

colors_rgb = cv2.cvtColor(np.array([colors], dtype=np.uint8), cv2.COLOR_Lab2BGR)[0]

colors_rgb_list = colors_rgb.tolist()

colors_rgb_list

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

79742723

Date: 2025-08-21 20:06:29
Score: 2.5
Natty:
Report link

iPad userAgent string has no 'iPad' or 'iPhone' in the string any longer.

Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_6) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/15.6.7 Safari/605.1.15

Will the folliwing return true with iPads and false with all other Apple/Macs computers and iPhones?

.. = preg_match("/Macintosh;\sIntel\sMac\sOS\sX\s[\d]{2,4}_[\d]{1,8}_[\d]{1,4}/i", $_SERVER["HTTP_USER_AGENT");

If any one has a Mac that's not an iPad, please post user agent.

I am using PHP so can't use javascript

'ontouchstart' in window or navigator.msMaxTouchPoints or screen.width etc.

Reasons:
  • RegEx Blacklisted phrase (2.5): please post us
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Mark Antony Agius

79742721

Date: 2025-08-21 20:03:28
Score: 0.5
Natty:
Report link

I haven't been able to figure out how to debug 32-bit Azure apps with Visual Studio 2022, but until a better solution is available a workaround to debug your app might be to create a console app or test project that includes your azure function app as a reference, and then call the relevant code from your console app.

Reasons:
  • Whitelisted phrase (-1): solution is
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Jesse Hufstetler

79742704

Date: 2025-08-21 19:44:24
Score: 3
Natty:
Report link

Comma in the condition only test the last item, use && or loop.

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

79742700

Date: 2025-08-21 19:37:23
Score: 1.5
Natty:
Report link

table { will-change: transform; }

Did you try this?

Reasons:
  • Whitelisted phrase (-1): try this
  • Whitelisted phrase (-2): Did you try
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: Subrahmanyam

79742694

Date: 2025-08-21 19:32:22
Score: 2
Natty:
Report link

First thing, clear WDT inside loops like reconnect() or in hangs forever.

Also, fix millis rollover by reboot using subtraction, not now > X, and eboot if MQTT is down for 1 min.

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

79742685

Date: 2025-08-21 19:12:17
Score: 1
Natty:
Report link

Sorry for contributing so late, But it might help others

You can do it, using a framework of robot framework, called RF Swarm, where you need to clone it from github, install rfswarm manager, agent just for running the test suite, you can also install reporter for html or doc report, also there will be logs in the logs directory with individual logs for a individual robot, the installing file will be there clone directory. Using RFSwarm, will help you to exert load of 25 to 40 robot if you have free 6 to 8 gb of ram, so you should have 16gb ram in you local machine (laptop/pc), as robot use selenium for UI testing, so the chrome browser eats a lot of ram when run in numbers. Suggestion to use chrome headless when performing load testing.

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

79742683

Date: 2025-08-21 19:07:16
Score: 3.5
Natty:
Report link

The answer is to wrap the content in the td cell with <div class="content">

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

79742669

Date: 2025-08-21 18:43:10
Score: 4.5
Natty:
Report link
Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: ZotyDeLaMota

79742655

Date: 2025-08-21 18:23:05
Score: 1.5
Natty:
Report link

From what I could read in Sparx documentation here:

https://sparxsystems.com/enterprise_architect_user_guide/17.1/model_publishing/rearrangethepackageorder.html

It refers to the elements following the order in the Browser Window. I also tried other ways in the past, but realised that this consistently leads to the best results.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: João Quintas

79742651

Date: 2025-08-21 18:19:04
Score: 1.5
Natty:
Report link

I was hit with the same issue. I ended up doing -rm rf to the caches, the .gradle/ and the daemon. Next I downgraded my gradle version to 8.5: ./gradlew wrapper --gradle-version 8.5. It auto prompted me to use 9.0 on Android Studio and then it worked fine after that and built perfectly.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Akshat Misra

79742647

Date: 2025-08-21 18:15:03
Score: 1
Natty:
Report link

But now there is a better way of doing it. We can hide the optionvalue directly from the optionset/Choice editor in the make.powerapps.com. With this way the value will not show on the UI using configuration without writing Javascript.

Follow below steps
Step 1: Navigate to https://make.powerapp.com
Step 2: On the left navigation page click on Tables
Step 3: Search and open desired table by clicking on it. (For Example: Account)
Step 4: On the schema section click on "Columns"
Step 5: On the list of columns search desired column with Data Type = "Choice".(For Example : Industry)
Step 6: Now Edit the Column by clicking on the field name which opens a popup
Step 7: Navigate to Choice section and select the value (For Example: Accounting) which you want to hide by clicking on "Additional Properties".
Step 8: This would open a popup in that there is a checkbox called "Hidden". Enable that checkbox.
Step 9: Click on Save.
Step 10: Publish the table to reflect the changes.
Step 11: Navigate back to Application and check the value which we are hiding in the optionset field on the form it will not longer be visible.

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

79742644

Date: 2025-08-21 18:10:02
Score: 0.5
Natty:
Report link

following @PetrBodnár's suggestion for Mozilla Firefox 142.0 on Windows 11 has this output:

  -h or --help       Print this message.
  -v or --version    Print Firefox version.
  --full-version     Print Firefox version, build and platform build ids.
  -P <profile>       Start with <profile>.
  --profile <path>   Start with profile at <path>.
  --migration        Start with migration wizard.
  --ProfileManager   Start with ProfileManager.
  --origin-to-force-quic-on <origin>
                     Force to use QUIC for the specified origin.
  --new-instance     Open new instance, not a new window in running instance.
  --safe-mode        Disables extensions and themes for this session.
  --allow-downgrade  Allows downgrading a profile.
  --MOZ_LOG=<modules> Treated as MOZ_LOG=<modules> environment variable,
                     overrides it.
  --MOZ_LOG_FILE=<file> Treated as MOZ_LOG_FILE=<file> environment variable,
                     overrides it. If MOZ_LOG_FILE is not specified as an
                     argument or as an environment variable, logging will be
                     written to stdout.
  --console          Start Firefox with a debugging console.
  --headless         Run without a GUI.
  --browser          Open a browser window.
  --new-window <url> Open <url> in a new window.
  --new-tab <url>    Open <url> in a new tab.
  --private-window [<url>] Open <url> in a new private window.
  --preferences      Open Options dialog.
  --screenshot [<path>] Save screenshot to <path> or in working directory.
  --window-size width[,height] Width and optionally height of screenshot.
  --search <term>    Search <term> with your default search engine.
  --setDefaultBrowser Set this app as the default browser.
  --first-startup    Run post-install actions before opening a new window.
  --kiosk            Start the browser in kiosk mode.
  --kiosk-monitor <num> Place kiosk browser window on given monitor.
  --disable-pinch    Disable touch-screen and touch-pad pinch gestures.
  --jsconsole        Open the Browser Console.
  --devtools         Open DevTools on initial load.
  --jsdebugger [<path>] Open the Browser Toolbox. Defaults to the local build
                     but can be overridden by a firefox path.
  --wait-for-jsdebugger Spin event loop until JS debugger connects.
                     Enables debugging (some) application startup code paths.
                     Only has an effect when `--jsdebugger` is also supplied.
  --start-debugger-server [ws:][ <port> | <path> ] Start the devtools server on
                     a TCP port or Unix domain socket path. Defaults to TCP port
                     6000. Use WebSocket protocol if ws: prefix is specified.
  --marionette       Enable remote control server.
  --remote-debugging-port [<port>] Start the Firefox Remote Agent,
                     which is a low-level remote debugging interface used for WebDriver
                     BiDi. Defaults to port 9222.
  --remote-allow-hosts <hosts> Values of the Host header to allow for incoming requests.
                     Please read security guidelines at https://firefox-source-docs.mozilla.org/remote/Security.html
  --remote-allow-origins <origins> Values of the Origin header to allow for incoming requests.
                     Please read security guidelines at https://firefox-source-docs.mozilla.org/remote/Security.html
  --remote-allow-system-access Enable privileged access to the application's parent process
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @PetrBodnár's
  • Low reputation (1):
Posted by: Daniel Lawson

79742640

Date: 2025-08-21 18:05:01
Score: 0.5
Natty:
Report link

I would handle it in that same line with null coalescing. I wouldn't map all undefined or null to [] via middleware, as that can lead to problems down the line if you need to handle things differently.

return { items: findItemById(idParam) ?? [] }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: zshift

79742632

Date: 2025-08-21 17:59:59
Score: 1
Natty:
Report link

A veces esto se torna frustrante más cuando intentas acceder a un proyecto antiguo, lo primero es actualizar las gemas que pueden esta en conflicto.

  1. bundle install

  2. Si es la version de ruby que te esta afectando (desinstala y vuelve a instalar ruby asdf uninstall ruby X.X.X asdf install ruby X.X.X

  3. Que no: elimina todas las gemas rm Gemfile.lock (caution aqui)

  4. Limpia la caché de gemas de Bundler: bundle clean --force

  5. Reinstala las gemas: gem install bundler

  6. Corre nuevamente: bundle install

  7. Inicia el servidor: rails s

  8. Que no te funciono, identificamos que es logger

  9. Nos vamos hasta config/boot.rb y boom en la ultima linea agregamos esto:

    require "logger"
    
  10. Y listo creo que con eso bastaría

    
    
Reasons:
  • Blacklisted phrase (1): todas
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: jose mejias

79742622

Date: 2025-08-21 17:41:54
Score: 0.5
Natty:
Report link

You are interested in the example at this link: https://learn.microsoft.com/en-us/dotnet/api/system.windows.data.binding.path?view=windowsdesktop-9.0#remarks

This example assumes that:

  1. the binding source-object has a "ShoppingCart" property.
  2. the object that is set in the "ShoppingCart" property has a "ShippingInfo" property. The "ShippingInfo" property is already a "subproperty" of the source-object.
  3. the object that is set in the "ShippingInfo" property has a two-dimensional string indexer. "MailingAddress" and "Street" are not properties, but values ​​for the indexer in the "ShippingInfo" property.
Reasons:
  • Blacklisted phrase (1): this link
  • No code block (0.5):
  • High reputation (-1):
Posted by: EldHasp

79742596

Date: 2025-08-21 16:59:43
Score: 1
Natty:
Report link

I had similar issues like this. This happens because when you run an upgrade, the Windows Installer sometimes uses the old version of your custom action DLL instead of the new one included in the installer. Even though you added the new DLL in your upgrade package, the installer might still have the old DLL in memory or cached in the temp folder. As a result, any new methods or classes you added won’t be found, and you’ll encounter errors about missing methods or classes. You noticed this yourself with your logging. When you upgrade, you still see the old log messages, which means the old code is running. When you rename the DLL or namespace, it works. This forces the installer to load the new DLL, but you clearly don’t want to rename everything for every release. The real fix is to ensure your custom action runs after the installer copies over the new files. In Advanced Installer, you should schedule your .NET custom action after the “InstallFiles” action, or even better, as a “deferred” custom action. This runs after the files are in place. This way, the new version of your DLL is already on disk when the installer tries to load it, so you won’t run into the issue of the old DLL being used. Also, make sure to do a clean build of your installer each time to avoid old DLLs lingering in your output folders. To sum up, you’re seeing this because the installer is using the old DLL during the upgrade. Schedule your custom action after the files are installed and mark it as deferred if possible. This will ensure the correct new DLL is always used during upgrades, and you won’t have to rename files or namespaces.

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

79742583

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

The apt-key command was deprecated in Debian 12 and has been removed from Debian 13, which was released on August 9th. You'll need to alter your Dockerfile to no longer use it.

The apt-key manpage gives this guidance:

Except for using apt-key del in maintainer scripts, the use of apt-key is deprecated. This section shows how to replace existing use of apt-key.

If your existing use of apt-key add looks like this:

wget -qO- https://myrepo.example/myrepo.asc | sudo apt-key add -

Then you can directly replace this with (though note the recommendation below):

wget -qO- https://myrepo.example/myrepo.asc | sudo tee /etc/apt/trusted.gpg.d/myrepo.asc

Make sure to use the "asc" extension for ASCII armored keys and the "gpg" extension for the binary OpenPGP format (also known as "GPG key public ring"). The binary OpenPGP format works for all apt versions, while the ASCII armored format works for apt version >= 1.4.

Recommended: Instead of placing keys into the /etc/apt/trusted.gpg.d directory, you can place them anywhere on your filesystem by using the Signed-By option in your sources.list and pointing to the filename of the key. See sources.list(5) for details. Since APT 2.4, /etc/apt/keyrings is provided as the recommended location for keys not managed by packages. When using a deb822-style sources.list, and with apt version >= 2.4, the Signed-By option can also be used to include the full ASCII armored keyring directly in the sources.list without an additional file.

See also: What commands (exactly) should replace the deprecated apt-key?

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Noelle L.

79742582

Date: 2025-08-21 16:45:39
Score: 0.5
Natty:
Report link

The nnlf method (Negative log-likelihood function) exists to do exactly this:

import numpy as np
from scipy.stats import norm

data = [1,2,3,4,5]
m,s = norm.fit(data)
log_likelihood = -norm.nnlf([m,s], data)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: G Kissin

79742579

Date: 2025-08-21 16:44:39
Score: 1
Natty:
Report link

You can use RedirectURLMixin for handle it.

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Milad Hatami

79742575

Date: 2025-08-21 16:38:37
Score: 4.5
Natty: 5
Report link

Thank you! saved my time! You the best

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: meget

79742559

Date: 2025-08-21 16:28:34
Score: 1.5
Natty:
Report link

you can disable this with

{
    suggest: {
        showProperties: false
    }
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Terence Lawson

79742557

Date: 2025-08-21 16:26:33
Score: 2.5
Natty:
Report link

Your code is out of date. Review updated instructions at below including new background task.

https://learn.microsoft.com/en-us/windows-hardware/drivers/devapps/print-support-app-v4-design-guide

Note: the package manifest section DisplayName="..."

This is must be a string resource NOT hard coded and correct syntax is DisplayName="ms-resource:PdfPrintDisplayName" without the slashes

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

79742553

Date: 2025-08-21 16:24:31
Score: 13
Natty: 6.5
Report link

hello I’m facing the same problem, did you find a solution? Thank you

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): m facing the same problem
  • RegEx Blacklisted phrase (3): did you find a solution
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): facing the same problem
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Maher

79742549

Date: 2025-08-21 16:20:30
Score: 0.5
Natty:
Report link

You can use :white_check_mark: to get ✅ and :x: to get ❌

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: bomtom

79742547

Date: 2025-08-21 16:17:29
Score: 1
Natty:
Report link

That MemoryError isn’t really conda itself, it’s Python running out of memory while pulling in mpmath (a dependency used internally by Pyomo for math stuff). A couple of things could be happening here
1.Different environments behave differently – on your VM it works because the solver/data combo fits into memory there, but locally maybe your conda env or Python build handles memory differently (32-bit vs 64-bit can matter too).
2.Data size – check N.csv and A.csv. If you accidentally generated much larger input files in this run, Pyomo will happily try to load them all and blow up RAM.
3.mpmath cache bug – older versions of mpmath had issues where the caching function would pre-allocate a big list and trigger MemoryError.

Things you can try:
1.Make sure you’re running 64-bit Python (python -c "import struct; print(struct.calcsize('P')*8)" → should say 64).
2.Update your environment:
3.conda install -c conda-forge mpmath pyomo

Sometimes just upgrading mpmath fixes it.
4.If the data files are genuinely large, try loading smaller slices first to test.
5.If you need more RAM than your machine has, consider running with a solver that streams data instead of building a giant symbolic model in memory.

Quick check: on your VM, what’s the RAM size vs your local machine? Could just be hitting a memory ceiling locally.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Roshan

79742542

Date: 2025-08-21 16:09:26
Score: 4.5
Natty:
Report link

@drodri

Can this line be removed in this case?

include(${CMAKE_BINARY_DIR}/conan_deps.cmake)  # this is not found
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: RUTUJA PATIL

79742538

Date: 2025-08-21 16:05:25
Score: 3
Natty:
Report link

If you're using WSL2 and Docker Desktop, you might need to simply open the Docker Desktop app. Not totally sure why, but this seems to fix the issue.

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

79742537

Date: 2025-08-21 16:05:25
Score: 0.5
Natty:
Report link

The problem was with me declaring the cassandra version in properties as:

cassandra-driver.version

I went through the spring-boot parent pom, it also declares the java-driver-bom:pom with the same properties and it was causing a conflict.

Hence I changed it to cassandra.version and it started working.

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

79742536

Date: 2025-08-21 16:03:24
Score: 1
Natty:
Report link

https://docs.oracle.com/javase/8/docs/api/java/util/concurrent/CompletionStage.html#whenComplete-java.util.function.BiConsumer-

If the supplied action itself encounters an exception, then the returned stage exceptionally completes with this exception unless this stage also completed exceptionally.

And you unconditionally throw an exception there in whenComplete(), regardless of an actual result (I genuinely can't comprehend why).

Maybe, just maybe, try to process the result, at least?
It's a SendResult object, so you got a bit more clue of what's poppin', as well as let a Spring Kafka Container container complete its job.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
Posted by: Yuri G

79742516

Date: 2025-08-21 15:44:19
Score: 3
Natty:
Report link

OPEN PLEDGE VACCINE LICENSE REGISTERED LEGAL OWNER ROTCHE CAPUYAN OUANO LEGALLY

GLOBAL WORLD HUB ONLINE

DIGITAL IDENTITY MARKET STACKOVERFLOW META EXCHANGE FACEBOOK SOCIAL PROFILE MEDIA NETWORK 🛜 WI-FI CELLULAR DATABASA RESPOND ONLINE INTERNET ACCESS GLOBALIZATION HOTSPOTS MAPs LOCATION COVID-19 LIVES

GUIDELINES COMMUNITY GOVERNANCE AGENCIES RELATIONSHIP INVESTORS COMPANY CENTER WORKSPACE OFFICE BUILDING FIELDS ENERGY POWER JOBS CAREERS TECHNOLOGIES ELECTRONICS TECHNICALLY TECHNOLOGIES EVERYTHING

Reasons:
  • Blacklisted phrase (1): STACKOVERFLOW
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Rotche Capuyan Ouano

79742512

Date: 2025-08-21 15:44:19
Score: 1
Natty:
Report link

function findSuffix(word1, word2) {
  let i = word1.length;
  let j = word2.length;

  while (i > 0 && j > 0 && word1[i - 1] === word2[j - 1]) {
    i--;
    j--;
  }

  return word1.slice(i);
}
console.log(findSuffix("sadabcd", "sadajsdgausghabcd"));

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

79742511

Date: 2025-08-21 15:41:18
Score: 1
Natty:
Report link

From the other answers, it looks like there are multiple causes for this issue. One that I didn't see covered was a crashed python language server. On Mac, you can press cmd+shift+p and type "python language server" to find the pls restart option.

If that is the root cause, you next need to find out why the language server is crashing.

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

79742509

Date: 2025-08-21 15:38:17
Score: 2
Natty:
Report link

Good afternoon, I would suggest the following option:

Set the BackgroundColor property in the AppShell.xaml file:

<?xml version="1.0" encoding="UTF-8" ?>
<Shell
    x:Class="MauiAppTestTheme.AppShell"
    xmlns="http://schemas.microsoft.com/dotnet/2021/maui"
    xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
    xmlns:local="clr-namespace:MauiAppTestTheme"
    Title="MauiAppTestTheme"
    **Shell.BackgroundColor="{AppThemeBinding Light={StaticResource Black}, Dark=  {StaticResource Black}}">**

    <ShellContent
        Title="Home"
        ContentTemplate="{DataTemplate local:MainPage}"
        Route="MainPage" />

</Shell>

This will allow you to always use the dark theme on every page of the app by default

enter image description here

Reasons:
  • Blacklisted phrase (1): Good afternoon
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Артур Дементьев

79742507

Date: 2025-08-21 15:38:17
Score: 1
Natty:
Report link

For me specifically, fixing this issue (same exact errors) with gcloud was simply uninstalling anaconda with brew which I had installed the day before for a new project I was trying out.

brew uninstall anaconda

Obviously, this won't be the fix for most. Good luck out there!

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

79742504

Date: 2025-08-21 15:36:17
Score: 2
Natty:
Report link

A private GDPR-compliant option is ShinyFriendlyCaptcha, with documentation at https://mhanf.github.io/ShinyFriendlyCaptcha/index.html. It does require an account with FriendlyCaptcha (https://friendlycaptcha.com/), but there is a free non-commercial option. It's still experimental, but quite a bit more recent (2023) than CAPCHAv2 and v3.

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

79742500

Date: 2025-08-21 15:33:16
Score: 0.5
Natty:
Report link

I was able to define a Dockerfile that builds and run a maven application:

Used the following docker image:tags:

# BUILD
FROM maven:3.8.5-openjdk-17 AS build
WORKDIR /home/app
COPY pom.xml /home/app
COPY src /home/app/src
RUN mvn -f /home/app/pom.xml clean package

# RUN
FROM openjdk:17-jdk-alpine
COPY --from=build /home/app/target/*.jar app.jar
ENTRYPOINT ["java", "-Xmx2048M", "-jar", "app.jar"]

To build dockerfile:

docker build --tag=myspringapp:latest .

To run dockerfile:

docker run -p 8080:8080 myspringapp:latest

REFS:

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

79742494

Date: 2025-08-21 15:30:15
Score: 3
Natty:
Report link

for me it was VPN, turning it off made sent this error away

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

79742487

Date: 2025-08-21 15:20:12
Score: 1
Natty:
Report link

If you're using Expo and experiencing this problem, check your app.json file and make sure that expo.ios.buildNumber is a string, not an integer.

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

79742482

Date: 2025-08-21 15:16:11
Score: 1
Natty:
Report link

Try to add standalone: true

If Rider still shows errors even after updating to Angular 20, update the Angular Language Service plugin and clear Rider caches (File → Invalidate Caches / Restart).

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

79742465

Date: 2025-08-21 14:58:07
Score: 1
Natty:
Report link

I had a similar problem, except on a framework.

In my case worked for both commands

    npm run dev
    npm run build

I've tried to mirror my solution

=== src/index.js ===

    // file looks fine

    import "./styles/index.scss"

=== src/styles/index.scss ===

    .search-input {
        width: 100%;
        background-image: url("@iconsAlias/search.svg");
    }

=== vite.config.js ===

    import { defineConfig } from 'vite';
    import path from 'path';

    export default defineConfig({

        resolve: {

            alias: {

                '@iconsAlias': path.resolve(__dirname, 'src/assets/icons')

            }

        },

    });
Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Cas

79742463

Date: 2025-08-21 14:58:07
Score: 1
Natty:
Report link

I think that if you have the possibility to change the schema table then you could modify the tables columns used in the join condition appending a default value like ''. so you can use the nomal join condition and index will be used.

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

79742460

Date: 2025-08-21 14:51:05
Score: 2
Natty:
Report link

For both new and old android compatibility use
drawable.setBackgroundTintList(ColorStateList.valueOf(color);

Tested on android 10, 15

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

79742458

Date: 2025-08-21 14:50:05
Score: 5.5
Natty: 4
Report link

Please help me fix this error. It didn't happen before...

Running "obfuscator:task" (obfuscator) task

\>> Error: The number of constructor arguments in the derived class t must be >= than the number of constructor arguments of its base class.

Warning: JavaScript Obfuscation failed at ../temp/ChartBar.js. Use --force to continue.

Aborted due to warnings.

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): Please help me fix this
  • No code block (0.5):
  • Low reputation (1):
Posted by: анатолий агошков

79742456

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

BN55 Game is an engaging gaming platform designed for players who love excitement, challenges, and rewards. With smooth performance and user-friendly features, it offers an enjoyable experience across different devices. The game provides a variety of modes, giving players the chance to test their skills, enjoy thrilling gameplay, and unlock exciting bonuses. Whether you are a casual gamer looking for fun or a competitive player seeking challenges, BN55 Game caters to everyone. Its secure and reliable system ensures worry-free entertainment. With nonstop action and rewarding opportunities, BN55 Game has become a favorite choice among gaming enthusiasts.

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

79742441

Date: 2025-08-21 14:32:59
Score: 1
Natty:
Report link
<a href="https://www.linkedin.com/in/hamza-qamar-ali" target="_blank" style="text-decoration: none;">
  <button style="background-color: #0A66C2; color: white; border: none; padding: 10px 20px; border-radius: 5px; cursor: pointer;">
    زر LinkedIn الخاص بي
  </button>
</a>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Hamza Ali

79742436

Date: 2025-08-21 14:29:58
Score: 2
Natty:
Report link

Something else you could try is to check a Zenoh pub/sub across the two laptops using the routers. Take a look at https://zenoh.io on how to configure that.

-HTH

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

79742433

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

I was able to define a working Dockerfile that builds and run a maven application:

Used the following docker image tags:

for building maven package: https://hub.docker.com/layers/library/maven/3.8.5-openjdk-17/images/sha256-62e6a9e10fb57f3019adeea481339c999930e7363f2468d1f51a7c0be4bca26d

for running jar file: https://hub.docker.com/layers/library/openjdk/17-jdk-alpine/images/sha256-a996cdcc040704ec6badaf5fecf1e144c096e00231a29188596c784bcf858d05

# BUILD STAGE
FROM maven:3.8.5-openjdk-17 AS build
WORKDIR /home/app
COPY pom.xml /home/app
COPY src /home/app/src
RUN mvn -f /home/app/pom.xml clean package

# RUN STAGE
FROM openjdk:17-jdk-alpine
COPY --from=build /home/app/target/*.jar app.jar
ENTRYPOINT ["java", "-Xmx2048M", "-jar", "app.jar"]

(Thks to @khmarbaise comment)

Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @khmarbaise
  • Low reputation (0.5):
Posted by: Figurinha

79742431

Date: 2025-08-21 14:26:57
Score: 2
Natty:
Report link

To open new URLs in a specific Microsoft Edge window using Python—even if another Edge window is in the foreground—use Selenium WebDriver with Edge and specify a fixed user data directory. This ensures all new tabs open in the same Edge window controlled by the Selenium session. Keep the WebDriver instance alive to continue opening new URLs in that window.

Reasons:
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nxra Insights pvt Ltd

79742429

Date: 2025-08-21 14:24:56
Score: 0.5
Natty:
Report link

Since iOS 26:

import UIKit
UIApplication.shared.sendAction(#selector(UIResponderStandardEditActions.performClose(_:)), to: nil, from: nil, for: nil)

On macOS:

import AppKit
NSApplication.shared.terminate(self)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: gaRik

79742423

Date: 2025-08-21 14:15:54
Score: 2.5
Natty:
Report link

This post is realy old. I have one older webhosting server and i was needed implement http2. I am looking for solution for mpm_itk and http2 with apache.

My solution is nginx as reverse proxy (here is http2 and ssl/tls) and then apache with mpm_itk, mpm_prefork. Now is everithing, such as ftp for user, clean. I didn’t have to change anything. Communication between apache and nginx is only on http/1.1 and http protocol

Reasons:
  • Blacklisted phrase (2): I am looking for
  • Whitelisted phrase (-1): solution is
  • No code block (0.5):
  • Low reputation (1):
Posted by: nuts3108

79742410

Date: 2025-08-21 14:02:51
Score: 6
Natty: 5.5
Report link

Isn't it true that named entities are not acceptable in XML?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Isn't it
  • Low reputation (1):
Posted by: user15758053

79742406

Date: 2025-08-21 13:58:49
Score: 4.5
Natty:
Report link

Use https://pub.dev/packages/bitsdojo_window. The documentation s straight forward and simple to implement.

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Darius Tron

79742403

Date: 2025-08-21 13:54:48
Score: 1.5
Natty:
Report link

The issue came about because of a misunderstanding on how the ACLs 'Create' and 'Read' interact.

I incorrectly believed that the 'Create' ACL would give access to the fields in the creation form, regardless of any 'Read' ACLs in place. I thought that the 'Read' ACL applied to existing records rather than also to those being created.

I added an OR block to the User's 'Read' ACL to also allow access when 'current.isNewRecord()' returned true.

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

79742397

Date: 2025-08-21 13:47:47
Score: 1.5
Natty:
Report link

After doing a little more googling and working through the problem,

=SORT(LET(X,VSTACK(FILTER(F12:F27,(G12:G27>=80%)*(C12:C27="F"),""),FILTER(F59:F74,(G59:G74>=80%)*(C59:C74="F"),"")),FILTER(X,X<>"")))

seems to be giving the results that are expected.

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

79742378

Date: 2025-08-21 13:40:45
Score: 3
Natty:
Report link

How about right clicking on the folder and then choose Add... Class. That does the trick for me.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How
  • Low reputation (0.5):
Posted by: Paul Palmpje

79742377

Date: 2025-08-21 13:39:45
Score: 0.5
Natty:
Report link

Adding 2 rules for conditional formatting before your 'main' conditional formatting, I got this result.

Cell Value < lower limit - no formatting;

Cell Value > upper limit - no formatting;

Make sure to select 'stop if true' on these first 2 rules.

Results

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

79742368

Date: 2025-08-21 13:36:44
Score: 1.5
Natty:
Report link

The [comment of @eftshift0](Rebasing all branches on new initial commit) pushed me into the right direction:

I've just rewritten the history using git-filter-repo, using this example script:

https://github.com/newren/git-filter-repo/blob/main/contrib/filter-repo-demos/insert-beginning

It does not create a new commit at the root of the repository, but just adds the file so it is available in every commit.

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @eftshift0
  • Self-answer (0.5):
  • High reputation (-1):
Posted by: Jost

79742352

Date: 2025-08-21 13:21:39
Score: 3
Natty:
Report link

For example, if you have three percentages like 70%, 80%, and 90%, you add them up (240) and then divide by 3, which gives you an average percentage of 80%

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

79742344

Date: 2025-08-21 13:15:38
Score: 1.5
Natty:
Report link

Bigg Boss Season 19 has taken reality television to the next level with its thrilling mix of drama, suspense, and entertainment. This season introduces fresh faces, bold personalities, and unexpected twists that keep fans glued to their screens. Contestants are challenged with tasks, evictions, and high-pressure situations that reveal their true character. From emotional breakdowns to fiery clashes, every episode brings unforgettable moments. With its unpredictable format and nonstop excitement, Bigg Boss Season 19 continues to be the ultimate source of entertainment for viewers, making it one of the most popular reality shows of the year.

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

79742337

Date: 2025-08-21 13:06:36
Score: 0.5
Natty:
Report link

It sounds like you’re running into the classic challenges of applying GPA + PCA to complex 3D anatomy like vertebrae. From what you describe, there are a few reasons why your ASM fitting is going “off”:

Insufficient or inconsistent correspondences

Active Shape Models (ASM) work best when each landmark has a consistent semantic meaning across all shapes. Vertebrae have complex topology, and even after Procrustes alignment, landmarks may not correspond exactly between meshes.

Using closest points for surface-based fitting can lead to mismatched correspondences, especially on highly curved or irregular regions.

Large shape variability / non-overlapping regions

If parts of your vertebrae are displaced or have high variability, the mean shape may not represent all instances well. PCA will then project shapes onto modes that don’t match the local geometry, producing unrealistic fits.

Scaling / alignment issues

You are doing similarity Procrustes alignment (scaling + rotation + translation), which is generally good, but when using surface points instead of annotated landmarks, slight misalignments can propagate and distort PCA projections.

Step size / iterative fitting

In your iterative ASM, step_size=0.5 may overshoot or undershoot. Sometimes, reducing the step size and increasing iterations helps stabilize convergence.

Too few points / too sparse sampling

Sampling only 1000 points on a vertebra mesh may not capture all the intricate features needed for proper alignment. Denser sampling or using semantically meaningful points (e.g., tips of processes, endplates) improves GPA convergence.

Flattening for PCA

Flattening 3D coordinates for PCA ignores the spatial structure. For complex anatomical shapes, methods like point distribution models (PDM) with mesh connectivity) or non-linear dimensionality reduction can sometimes work better.

Suggestions:

Increase landmark consistency: Make sure points correspond anatomically across all vertebrae. Consider manual annotation for critical points.

Refine initial alignment: Before fitting ASM, ensure the meshes are roughly aligned (translation, rotation, maybe even rigid ICP). Avoid large initial offsets.

Reduce PCA modes or increase data: If your dataset is small (7 vertebrae for landmarks, 40 for surfaces), PCA may overfit. More training shapes help.

Use robust correspondence methods: Instead of just nearest points, consider geodesic or feature-based correspondences.

Check scaling: Surface-based fitting may benefit from rigid alignment without scaling, to avoid distortion.

Visualize intermediate steps: Plot each iteration to see where it diverges—sometimes only a few points cause the misalignment.

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

79742322

Date: 2025-08-21 12:55:33
Score: 2.5
Natty:
Report link

You've divided the screen into 8 parts (flex: 7 + flex: 1). try 8:2 or 9:1 in flex. if does not work then Wrap your main content (the welcome text) in an Expanded widget and Place your button section directly after the Expanded widget in the Column.

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

79742301

Date: 2025-08-21 12:42:30
Score: 1
Natty:
Report link

Old question but, had the same issue, with python3 -v -m pip install .. I saw it got stuck on netrc import, disabling ipv6 with sysctl -w net.ipv6.conf.all.disable_ipv6=1 fixed my issue.

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

79742300

Date: 2025-08-21 12:41:30
Score: 1
Natty:
Report link

As one comment pointed out, the problem can be solved by giving the following as a parameter to CallMethod() :

Something{ m_something }

So the actual line of code would look like this:

CallMethod( Something{ m_something } );
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: user19179144

79742296

Date: 2025-08-21 12:38:28
Score: 1
Natty:
Report link

Use the following event DataGrid.LoadingRow and attach it to the Data Grid.

Official documentation : https://learn.microsoft.com/en-us/dotnet/api/system.windows.controls.datagrid.loadingrow

<DataGrid x:Name="DataGrid"
          SelectedItem="{Binding SelectedSupplier, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}"
          ItemsSource="{Binding SuppliersList, Mode=OneWay}"
          AutoGenerateColumns="False"
          LoadingRow="DataGrid_LoadingRow">

Now define the function DataGrid_LoadingRow and then disable the row.

if (e.Row.GetIndex() == 0) e.Row.IsEnabled = false;
Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Rajeev KR

79742292

Date: 2025-08-21 12:32:27
Score: 1
Natty:
Report link

when creating interaction:

const drawInteraction = new ol.interaction.Draw({
    source: source,
    type: 'Point'
});
drawInteraction.setProperties({ somePropertyName: true });
map.addInteraction(drawInteraction);

when you need to delete this interaction:

const interactions = map.getInteractions().getArray().slice();
interactions.forEach(int => {
    if (int.getProperties().somePropertyName) map.removeInteraction(int);
});
Reasons:
  • Has code block (-0.5):
  • Starts with a question (0.5): when
  • Low reputation (1):
Posted by: Максим Попов

79742284

Date: 2025-08-21 12:26:25
Score: 2.5
Natty:
Report link

I get what you are requesting. After you have sorted and highlighted all the files you want to copy out the path, right click on the selected file that is on top of the pack and select "copy as path". That shld give u the sorted order that you want.

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

79742283

Date: 2025-08-21 12:26:25
Score: 1
Natty:
Report link

Yes, declaring a variable as Int32 means it always takes up 32 bits (4 bytes) of memory, no matter what value it holds. Even if the value is just 1, it’s still stored using the full 32-bit space. That’s because Int32 is a fixed-size type, and the memory is allocated based on the type, not the value. This helps with performance and consistency in memory layout.

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