79631756

Date: 2025-05-21 10:13:55
Score: 4
Natty: 4.5
Report link

Since v69.0.0, setuptools will automatically include the py.typed file as mentioned in https://setuptools.pypa.io/en/latest/userguide/miscellaneous.html

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

79631754

Date: 2025-05-21 10:11:54
Score: 1
Natty:
Report link

In my case, I found I needed two modifiers:

// view code { }
.contentShape(RoundedRectangle(cornerRadius: 20)) // tappable shape
.contentShape(.contextMenuPreview, RoundedRectangle(cornerRadius: 20)) // preview shape
.contextMenu { }

Using just the second one didn't work for me.

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

79631747

Date: 2025-05-21 10:08:52
Score: 1.5
Natty:
Report link

As also already mentioned by @SamB in his answer: For me it seems to be the most convinient way to just escape the dot with a backslash \.

My problem string was: "extra.net" (which was automatically linked to https://extra.net ) and by writing extra\.net it shows up just as plain "extra.net" without any link.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @SamB
  • Low reputation (0.5):
Posted by: Markus

79631740

Date: 2025-05-21 10:03:50
Score: 1
Natty:
Report link

the problem will occurred in windows plateform.

you can hiden the first child of the original button, such as

Component.onCompleted: {
            children[0].visible = false
        }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sun Little

79631733

Date: 2025-05-21 10:01:50
Score: 1
Natty:
Report link

If you're working with a large JSON file (~30 MB), here are a few effective methods depending on your environment:


🧰 2. In Browser – Online Tools (Convenient)

For medium to large files that aren’t massive (~30MB), I recommend:

🔗 FormatJSONOnline.com

⚠️ Tip: Chrome or Firefox will perform better than Safari for large data in-browser.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Anil Peter.r

79631725

Date: 2025-05-21 09:55:48
Score: 1
Natty:
Report link

Let θ be the acute angle shown.

enter image description here

Project the axis-aligned rectangle (with sides w and aw, where a is the aspect ratio) onto the directions of the sides of the rotated rectangle. Then, to fit, you need, simultaneously,

enter image description here

Hence, your desired width is limited to

enter image description here

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

79631719

Date: 2025-05-21 09:51:47
Score: 1.5
Natty:
Report link
PdfPTable table = new PdfPTable(3);

        PdfPCell cell = new PdfPCell(new Phrase("some clever text"));
        cell.getDefaultCell().setBackgroundColor(new Color(255,0,0)); //Red Color we get
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: vinu

79631716

Date: 2025-05-21 09:48:46
Score: 1.5
Natty:
Report link

This is likely a connection problem.

If you're facing this on Android emulator, check the network connectivity in the emulator, if it's not working, it should show an exclamation point (!).

If you're facing this on a real device, make sure you're connected on same network as your PC.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Firas RG

79631711

Date: 2025-05-21 09:46:45
Score: 1
Natty:
Report link

Turns out that things indeed stopped working due to the 401 blockage. Two days after my /.well-known/apple-app-site-association was accessible again (after removing the 401 blockage), deep linking works again as intended; without me doing anything else.

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

79631707

Date: 2025-05-21 09:44:44
Score: 0.5
Natty:
Report link

Using @musicamante's explanation I got my code to work. It is a bit of a workaround, but it works. Here is the fixed code:

import sys
from PySide6.QtWidgets import (
    QApplication, QMainWindow, QTableWidget, QLabel, QPushButton, QVBoxLayout, QWidget, QHBoxLayout
)
from PySide6.QtCore import Qt


class MainWindow(QMainWindow):
    def __init__(self):
        super().__init__()
        self.table = QTableWidget(5, 2)  # 5 rows, 2 columns
        self.table.setHorizontalHeaderLabels(["Column 1", "Column 2"])

        # Add a QLabel to cell (4, 0)
        label_widget = QWidget()
        layout = QHBoxLayout(label_widget)
        layout.setContentsMargins(0, 0, 0, 0)

        self.label = QLabel("Test", label_widget)
        self.table.setCellWidget(4, 0, label_widget)

        # Add a button to trigger the move
        self.button = QPushButton("Move widget")
        self.button.clicked.connect(self.move_widget)

        layout = QVBoxLayout()
        layout.addWidget(self.table)
        layout.addWidget(self.button)

        container = QWidget()
        container.setLayout(layout)
        self.setCentralWidget(container)

    def move_widget(self):
        """Move the widget from cell (4,0) to (3,0)."""
        widget = self.table.cellWidget(4, 0)

        new_label_widget = QWidget()
        layout = QHBoxLayout(new_label_widget)
        layout.setContentsMargins(0, 0, 0, 0)

        self.label.setParent(new_label_widget)

        self.table.setCellWidget(3, 0, new_label_widget)
        self.table.removeCellWidget(4, 0)
        widget.show()

        # Debug: Verify the move
        print(f"Cell (3,0) now has: {self.table.cellWidget(3, 0)}")
        print(f"Cell (4,0) now has: {self.table.cellWidget(4, 0)}")


if __name__ == "__main__":
    app = QApplication(sys.argv)
    window = MainWindow()
    window.show()
    sys.exit(app.exec())

It uses a layout as well so that the QLabel is centred, this is probably not necessary for other widgets.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @musicamante's
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Rik

79631705

Date: 2025-05-21 09:42:44
Score: 2.5
Natty:
Report link

They don't , those platforms who doesn't have guarantee of PCIE cache coherence aren't ever supported, massive patch is required.

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

79631701

Date: 2025-05-21 09:42:44
Score: 0.5
Natty:
Report link

Please be aware, that DDD only mandates that the domain layer invocations operate on the aggregate root level. Is does not mandate the same for the persistence layer invocations. That’s out of scope. That’s why I would go for the following approach assuming that you have an "OrderAggregateDomainService" with a method renameOrderItem(orderId, orderItemId, newOrderItemName). The method would basically perform the following 3 steps:

  1. Load the whole Order domain object via the “OrderRepository.retrieveOrderById(orderId)” call.

  2. Invoke Order.renameOrderItem(orderItemId, newOrderItemName) => I assume there is some business logic required that checks the validity of the “newOrderItemName” and that we want to implement that logic in the domain type.

  3. If the validity check is ok, then invoke a second repository method “OrderRepository.renameOrderItem(orderId, orderItem : OrderItem)” => This method does not load the whole order again, it only doublechecks if the persisted OrderItem actually refers to the given orderId and then performs the update of the OrderItem

Additional Remarks:

If someone else would try to rename the same OrderItem at the same time then we could actually face a race condition. Let’s assume both try to update from the same version 1. There are two cases: If you map the version attribute from the JPA entity also to the domain entity and vice versa, then the slower one should get the classical OptimisticLockException. If you do NOT map the version attribute to the domain entity and back, then things get too complicated to explain all variations in detail here, but the bottom line is that you should in fact map the version attribute to the domain entity.

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

79631699

Date: 2025-05-21 09:41:43
Score: 0.5
Natty:
Report link

For anyone coming across this, finally worked it out - the error is thrown when the originated HTTP request is a HEAD request.

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

79631696

Date: 2025-05-21 09:40:42
Score: 6 🚩
Natty: 6
Report link

Beniamin Munteanu, did you have a chance to check if template works?

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

79631690

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

As of 2025, Kubernetes has introduced a new recommended Events API events.k8s.io/v1, where involvedObject is renamed to regarding. The new fieldSelector could be set as regarding.name=<pod>,regarding.kind=Pod.

Ref:

  1. https://kubernetes.io/docs/reference/kubernetes-api/cluster-resources/event-v1/

  2. https://github.com/kubernetes/enhancements/blob/master/keps/sig-instrumentation/383-new-event-api-ga-graduation/README.md

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

79631688

Date: 2025-05-21 09:37:40
Score: 0.5
Natty:
Report link

Looks like formatting can only be blocked by temporary skips.

You can add # fmt: skip when adding comment

if some_very_long_variable_name_out_there_for_example is True: # just a random comment # fmt: skip
    pass
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: lei zhang

79631685

Date: 2025-05-21 09:34:39
Score: 0.5
Natty:
Report link

Workaround:

Adding __serialize and __unserialize functions to User make form login possible.


    /**
     * 
     * @return string
     */
    public function __serialize(): array
    {
        return ['id' => $this->id, 'username' => $this->username, 'password' => $this->password];
    }

    /**
     * 
     * @param array $data
     */    
    public function __unserialize(array $data): void
    {
        $this->id = $data['id'];
        $this->username = $data['username'];
        $this->password = $data['password'];
    }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Andras

79631684

Date: 2025-05-21 09:33:39
Score: 3.5
Natty:
Report link

Thank you :) ! It helped me to solve my problem. This kind of difference between eclipse context and external jar context is really annoying...

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

79631683

Date: 2025-05-21 09:33:39
Score: 2
Natty:
Report link

Have you tried using the AbstractDataSourceRouting mechanism from spring?

I wrote an answer describing the process:

https://stackoverflow.com/a/76327147/9295125

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-1): Have you tried
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
Posted by: Daniel Rafael Wosch

79631682

Date: 2025-05-21 09:33:39
Score: 2.5
Natty:
Report link

On Ubuntu, even though I had OpenSSL installed via pip, the following fixed the dependency issue:

sudo apt install python3-openssl --reinstall

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

79631671

Date: 2025-05-21 09:28:37
Score: 3
Natty:
Report link

I solved it. Check the source here: https://github.com/hanskokx/flutter_adaptive_scaffold_example

Reasons:
  • Whitelisted phrase (-2): I solved
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Hans Kokx

79631651

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

Yes, you will need to install packages each time.

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

79631650

Date: 2025-05-21 09:18:34
Score: 2
Natty:
Report link

Shortcut is Control + T

Or at top pannel:

\> SQL editor

\> Layout

\> Toggle layout panel

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

79631643

Date: 2025-05-21 09:14:33
Score: 2.5
Natty:
Report link

This helped me.

Deleting ~/.dartServer/.analysis-driver/ might be worth a try.

From: Alt+Enter stopped working for Dart files in IntelliJ

It is caused by Stack overflow in Dart Analyzer Server.

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

79631641

Date: 2025-05-21 09:12:32
Score: 2.5
Natty:
Report link

uninstall the package: npm uninstall @types/axios

Uninstalling @types/axios solved my issue,

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

79631639

Date: 2025-05-21 09:10:32
Score: 1
Natty:
Report link

A great shame Java doesn't (yet) have support for this.

Here's an example, how this can be achieved with a POJO Stream.:

package org.stackoverflow;

import java.time.Clock;
import java.time.Instant;
import java.util.Comparator;
import java.util.concurrent.atomic.AtomicBoolean;
import java.util.stream.IntStream;

public class StackOverflow_69450027 {

    private static record InstantHolder(int i, Instant instant, int remainder) {}

    public static void main(final String[] args) {

        final var gotZero     = new AtomicBoolean(false);

        final var holderArray = IntStream.range(0, 10_000) // (Range must not be empty!)
                .mapToObj(i -> {
                    if (gotZero.get()) { // Previous Iteration yielded desired result...
                        return null;     // ...so we can trigger the "takeWhile" escape.
                    }
                    final var instant   = Clock.systemUTC().instant();
                    final var remainder = instant.getNano() % 1_000;

                    if (remainder == 0) {  // Trigger "takeWhile" escape NEXT ITERATION?
                        gotZero.set(true); // (but this first 0 will be accepted)
                    }
                    final var holder    = new InstantHolder(i, instant, remainder);

                    System.out.println("peek......: " + holder);

                    return    holder;
                })
                .takeWhile(                        holder -> holder != null)    // "takeWhile" escape
                .sorted   (Comparator.comparingInt(holder -> holder.remainder))
                .toArray  (InstantHolder[] :: new);
        /*
         * The resulting Array will always have at least 1 entry.
         * As the entries were sorted, entry [0] will contain the Result with the least Remainder...
         */
        System.out.println("** RESULT.: " + holderArray[0]);
    }
}

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Blacklisted phrase (1): StackOverflow
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Dave The Dane

79631638

Date: 2025-05-21 09:09:31
Score: 8 🚩
Natty:
Report link

I encountered the same problem. May I ask if you have resolved it?

Reasons:
  • Blacklisted phrase (1): May I ask
  • RegEx Blacklisted phrase (1.5): resolved it?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user7754283

79631615

Date: 2025-05-21 08:52:25
Score: 1
Natty:
Report link

I have found an answer, long story short there is an issue from MS side regarding errors reporting to the user in Azure when MI env var is used to connect to storage account. At the beginning I have started with managed identity (AzureWebJobsStorage__accountName), after it failed and I did not receive satisfying answer on current question on SO I have decided to go with storage account keys, I have enabled keys on storage account and set AzureWebJobsStorage to connection string - after setting this env var for all 5 functions I received the error in azure function:

A collision for Host ID was detected in the configured storage account. For more information, see https://aka.ms/functions-hostid-collision.

https://learn.microsoft.com/en-us/azure/azure-functions/errors-diagnostics/diagnostic-events/azfd0004

And in fact it turned out that all of my functions have names longer than 32 characters and 2 of these functions have exactly the same 32 first characters - so the host id was duplicated.

Solution? One of 3 from https://learn.microsoft.com/en-us/azure/azure-functions/storage-considerations?tabs=azure-cli#host-id-considerations:

I have decided to go with last option to avoid losing MI connection (I have to request such identities setup from IT department). So for all of 5 function apps I have generated lower case guid, removed dashes and set env var AzureFunctionsWebHost__hostid in each app to different guid.

To summarize - the main issue was that when MI env var AzureWebJobsStorage__accountName was set, Azure was throwing general error (and that error was not always thrown, it was random if it appeared or not) stating something like InternalServerError, it was not telling me what is wrong - I had to set AzureWebJobsStorage to connection string to actually see exact problem root cause.

I will report this invalid error reporting to MS

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

79631611

Date: 2025-05-21 08:51:24
Score: 6 🚩
Natty: 4
Report link

I am having similar problem. Below are the details:

Eclipse Version: 2023-12 (4.30.0)

Eclipse Build id: 20231201-2043

Cucumber: 1.0.0.202106240526

Java : jdk-21

Let me know if this is fine or having compatibility issue?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am having similar problem
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Shalu

79631596

Date: 2025-05-21 08:45:22
Score: 2
Natty:
Report link

Does this resolve your issue?

@freezed
class CounterState with _$CounterState {
  const factory CounterState({required int count}) = _CounterState;

  factory CounterState.initial() => const CounterState(count: 0);
}

Instead of required count, replace that with required int count.

Reasons:
  • RegEx Blacklisted phrase (1.5): resolve your issue?
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
Posted by: DevQt

79631584

Date: 2025-05-21 08:38:20
Score: 3
Natty:
Report link

The solution for my problem where that I had an German Keyboard Layout selected. After Switching it to US-Keyboard the test worked again.

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

79631582

Date: 2025-05-21 08:37:20
Score: 2
Natty:
Report link

Resolved by lunch sdk_phone64_x86_64-trunk_staging-userdebug

Then:

emulator \
  -no-audio \
  -no-window \
  -selinux permissive \
  -show-kernel
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Marco Polo

79631576

Date: 2025-05-21 08:33:18
Score: 1
Natty:
Report link

I think this is related to the *.csproj.user file somehow getting corrupted by VS.

I had this exact problem along with some knock on complaints about not resolving a ViewModel binding (which was working fine previously without changes).

Solution for me was to: close down VS, delete the associated *.csproj.user file, relaunch VS, and perform a rebuild.

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

79631549

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

According to a Reddit post, this used to be possible, but specifying multiple IDs was disabled in November 2014. So the only option is to make multiple HTTPS requests. Just beware that Steam imposes a rate limit of 200 requests per 5 minutes.

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

79631547

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

Instead of using Requestly (which is a paid tool), you can use a free and lightweight Chrome extension called Redirect to Local Server.
It’s simple to set up and works like a charm.

Redirect to Local Server - Chrome Web Store

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

79631545

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

The API only returns the most recent reviews, otherwise it will return an empty list if you didn't have any reviews within the last week.

Source

"Note: You can retrieve only the reviews that users have created or modified within the last week. If you want to retrieve all reviews for your app since the beginning of time, you can download your reviews as a CSV file using the Google Play Console."

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

79631542

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

If npgsql driver version 7+

https://www.npgsql.org/doc/failover-and-load-balancing.html?tabs=7

Target Session Attributes=prefer-standby -> Target Session Attributes=PreferStandby

And:
// At startup: _preferStandbyDatASource = dataSource.WithTargetSession(TargetSessionAttributes.PreferStandby); // ... and wherever you need a connection: await using var connection = await _preferStandbyDatASource.OpenConnectionAsync();

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

79631527

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

When you use two other slider widgets and you want to synchronize them.

If the items are selected. And you want to change one item. You will probably encounter this error.

So the solution is:

Suppose we have a student class. So we have 3 widgets that have the name. Height. Weight of each person and these are related to each other.

Now I enter the name for example Michael. And then the height and weight are loaded in the next widgets.

Now I am going to change the name. This is where I must make sure to empty the height and weight items before changing. So that I do not get an error.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Long answer (-0.5):
  • No code block (0.5):
  • Starts with a question (0.5): When you use
  • Low reputation (1):
Posted by: abolfazl oskooii

79631521

Date: 2025-05-21 08:06:09
Score: 5
Natty: 5
Report link

Thanks man its working.......!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (2):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: kalu saini

79631516

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

I think you have configured the wrong maven plugin. What you need is a setting for the compiler plugin. The easiest would be to add this:

  <properties>
    <maven.compiler.source>8</maven.compiler.source>
    <maven.compiler.target>8</maven.compiler.target>
  </properties>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mr__Steel

79631505

Date: 2025-05-21 07:58:05
Score: 3
Natty:
Report link

I had a similar problem. In my case, I had just reinstalled my OS and didn't have Java installed. Installing Java fixed it.

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

79631504

Date: 2025-05-21 07:58:05
Score: 0.5
Natty:
Report link

Event has been improved with a second parameter like:

try {
  throw new Error("Whoops!", { cause: { status: 503 } });
} catch (e) {
  console.error(`${e.cause.status}: ${e.message}`);
}

based from mdn

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

79631497

Date: 2025-05-21 07:53:04
Score: 3
Natty:
Report link

It's possible that environment variables are messing with the code, make sure to check them on Project Settings > Environment Variables

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

79631496

Date: 2025-05-21 07:52:03
Score: 1.5
Natty:
Report link

Passing the objects by ref would let you do this - for example

if (key == 'B')
{
    BuyX (ref bstr, ref bstrCost, ref sp, 10);
}

public static void BuyX(ref double bstr, ref double bstrCost, ref double sp, double z) 

See here for full details: https://learn.microsoft.com/en-us/dotnet/csharp/language-reference/keywords/ref

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

79631495

Date: 2025-05-21 07:52:03
Score: 2
Natty:
Report link

I tried all the solutions mentioned above. But none of them worked. Then I just rm -rf'ed the .idea file for my project and somehow that fixed everything. I think it has to do with the cached config files that .idea stores. Restarting it works somehow. I also tried invalidate caches but somehow that did not do it. So I wonder why removing the .idea somehow works but invalidating cache's doesn't

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

79631493

Date: 2025-05-21 07:52:03
Score: 1
Natty:
Report link

You can try this :

[Console]::OutputEncoding = [System.Text.Encoding]::Default

At least, it works for me.

Reasons:
  • Whitelisted phrase (-1): try this
  • Whitelisted phrase (-1): works for me
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: justaguest

79631488

Date: 2025-05-21 07:49:02
Score: 1
Natty:
Report link

After upgrading Flutter on my MacBook, it is working fine.

Flutter 3.29.3 • channel stable • https://github.com/flutter/flutter.git
Framework • revision ea121f8859 (6 weeks ago) • 2025-04-11 19:10:07 +0000
Engine • revision cf56914b32
Tools • Dart 3.7.2 • DevTools 2.42.3
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Subratsss

79631487

Date: 2025-05-21 07:49:02
Score: 1
Natty:
Report link

After upgrading Flutter on my MacBook, it is working fine.

Flutter 3.29.3 • channel stable • https://github.com/flutter/flutter.git
Framework • revision ea121f8859 (6 weeks ago) • 2025-04-11 19:10:07 +0000
Engine • revision cf56914b32
Tools • Dart 3.7.2 • DevTools 2.42.3
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Subratsss

79631481

Date: 2025-05-21 07:43:01
Score: 1.5
Natty:
Report link

Thanks for your input!

What we have done last week is the following scenario:

  1. We have a 'raw' table that ingests the data with a TTL of 3 days.

  2. We have a 'HashIndex' table per raw table that is a single table column that stores hash indexes created with the hash_sha256() algorithm, based on a few unique columns that are separated with "|".

    hash_sha256(strcat(Column1, "|", Column2, "|", Column3))
    
  3. We have a 'deduplicated' table that stores unique records

Whenever data is ingested in the 'raw' table, an update policy runs and creates a hash based on the unique columns, and then checks the 'HashIndex' table to see if the has is already present. If this is not present, the record is ingested in the 'deduplicated' table and otherwise nothing happens.

When a record is successfully ingested into the 'deduplicated' column, a second update policy runs and the hash value is also added to the 'HashIndex' column so we hopefully do not have a lot of false positives.

We have chosen to not always check against the deduplicated table on ingestion because this will put a lot of workload on our main table. Since data ingestion happens a lot and we have a frontend that also queries the deduplicated table.

Hopefully this approach will work and the updatepolicies work fine together in terms of instantly updating also the HashIndex table. We have done some initial tests and it seems to work fine, but we still have to stress test.

Otherwise we will have to change the approach with 2 updatepolicies and try to create 1 updatepolicy.

Kind regards!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): regards
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: NativeNass

79631479

Date: 2025-05-21 07:42:00
Score: 0.5
Natty:
Report link

Use ReflectionProperty

$class = new A;
$rp = new ReflectionProperty($class, 'property_name');
$rp->isInitialized($class); // returns true if initialized, even if null
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: Mwthreex

79631473

Date: 2025-05-21 07:40:00
Score: 0.5
Natty:
Report link

Maybe you could write a dynamic script?

Or I just came up with this -

-- Step 1: Set group_concat limit
SET SESSION group_concat_max_len = 1000000;

-- Step 2: Generate full UNION query
SELECT GROUP_CONCAT(
    CONCAT(
        'SELECT ''', table_name, ''' AS table_name, ',
        'MIN(created_at) AS min_created_at, ',
        'MAX(created_at) AS max_created_at FROM `', table_schema, '`.`', table_name, '`'
    )
SEPARATOR ' UNION ALL ')
INTO @sql
FROM information_schema.columns
WHERE table_schema = 'my_schema'
  AND column_name = 'created_at'
  AND data_type IN ('timestamp', 'datetime');

-- Step 3: Prepare and execute it
PREPARE stmt FROM @sql;
EXECUTE stmt;
DEALLOCATE PREPARE stmt;

Just check once whether it is what you need. ;>

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

79631470

Date: 2025-05-21 07:37:59
Score: 4
Natty:
Report link

how to fix same question in vite.config.ts

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): how to fix
  • Low reputation (1):
Posted by: webxmsj

79631469

Date: 2025-05-21 07:36:58
Score: 4
Natty: 5
Report link

Thanks, this helped still in new visual studio as well

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

79631464

Date: 2025-05-21 07:35:57
Score: 2
Natty:
Report link

console.error(error.message)

Will log but you might not want runtime to continue

which is why process.exit(1) is important to terminate the current runtime

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Orchide Irakoze SR

79631459

Date: 2025-05-21 07:33:56
Score: 4.5
Natty:
Report link

Have you tried the SuiteCommerce Newsletter Sign Up and Stock Notifications SuiteApps?

Reasons:
  • Whitelisted phrase (-1): Have you tried
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mia

79631425

Date: 2025-05-21 02:55:51
Score: 4
Natty: 4.5
Report link

Attempt to read property "nomor_registrasi" on null

https://simlinmas.c-software.id/laporan/export/excel

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

79631410

Date: 2025-05-21 02:30:45
Score: 5.5
Natty:
Report link

用博主的方法确实可以找回 黑料不打烊

曾经点开过的图片

但是对于从未点开过的图片

或者是已经清理了的图片

是没有办法找回来的https://heiliao365.com

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • No latin characters (2):
  • Low reputation (1):
Posted by: user30594428

79631407

Date: 2025-05-21 02:21:43
Score: 0.5
Natty:
Report link

Create an array with the classes you need:

const classArray = ['class1', 'class2'];

Then call the add() method from classList using the spread operator to add all classes at once:

element.classList.add(...classArray);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Rogerio Orioli

79631403

Date: 2025-05-21 02:12:40
Score: 1.5
Natty:
Report link

Had this problem after an Ubuntu upgrade in 2024 (after years of upgrades), fixed it by editing /etc/xdg/autostart/notify-osd.desktop to say X-GNOME-Autostart-enabled=true instead of false.

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

79631396

Date: 2025-05-21 02:03:38
Score: 3.5
Natty:
Report link

I found a different data source that seems to work well with @Patrick's original solution. I skipped the subset portion and just used the profile function, because it doesn't hurt me to download a larger time frame and that way I don't have to worry about a bounding box.

This is my new source: https://opendap.cr.usgs.gov/opendap/hyrax/MOD13C1.061/MOD13C1.061.ncml

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Patrick's
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: TJ Samojedny

79631393

Date: 2025-05-21 01:56:36
Score: 0.5
Natty:
Report link

This is what the <view> tag on an SVG is defined for. It lets you essential define "windows" into your SVG that can be linked.

example.svg

<?xml version="1.0" encoding="UTF-8"?>
<svg xmlns="http://www.w3.org/2000/svg" width="300" height="300">
  <defs>
    <!-- width/height should match viewBox -->
    <view id="circle" width="100" height="100" viewBox="75 50 100 100"/>
    <view id="square" width="120" height="120" viewBox="10 10 120 120"/>
  </defs>

  <circle cx="125" cy="100" r="50" fill="red" />
  <rect x="20" y="20" width="100" height="75" fill="blue" />
</svg>

<img src="example.svg"/>

full image

<img src="example.svg#square"/>

square anchor

<img src="example.svg#circle"/>

circle anchor

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

79631392

Date: 2025-05-21 01:55:36
Score: 2.5
Natty:
Report link

Try adjusting the export/import as follows, does that resolve the issue?

// js-grid-helper.js
const TABLE_COLUMNS_DATA = [
    { name: 'column_1',  title: 'Column 1',  type: 'text'}
    ,{ name: 'column_2',    title: 'Column 2', type: 'text'}
    ,{ name: 'column_3', title: 'Column 3', type: 'text'}
];
export default TABLE_COLUMNS_DATA;

// page.js

import TABLE_COLUMNS from "./test"; // note that we have the freedom to use import TABLE_COLUMNS instead of import TABLE_COLUMNS_DATA, because TABLE_COLUMNS_DATA was default export
console.log(TABLE_COLUMNS); // [ { name: 'column_1',  title: 'Column 1',  type: 'text'} ,{ name: 'column_2',    title: 'Column 2', type: 'text'} ,{ name: 'column_3', title: 'Column 3', type: 'text'} ]

$('#my-table').jsGrid({
    /* ... */
    fields: TABLE_COLUMNS,
});

ref: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/export

Reasons:
  • RegEx Blacklisted phrase (1.5): resolve the issue?
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: admcfajn

79631391

Date: 2025-05-21 01:54:35
Score: 1
Natty:
Report link
class Author(Model):
    id = fields.IntField(pk=True)
    name = fields.CharField(max_length=100)

class Book(Model):
    id = fields.IntField(pk=True)
    title = fields.CharField(max_length=100)
    author = fields.ForeignKeyField("models.Author", related_name="books")
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Md. Jahidul Islam Zihad

79631377

Date: 2025-05-21 01:32:03
Score: 1
Natty:
Report link

import matplotlib.pyplot as plt

# Data for population density and total population for each continent

continents = ['North America', 'South America', 'Europe']

population_density = [22.9, 23.8, 72.9] # People per square km (approx.)

total_population = [579024000, 430759000, 748219000] # Total population (approx.)

# Create the chart

fig, ax1 = plt.subplots(figsize=(8, 5))

# Plotting Population Density

ax1.bar(continents, population_density, color='skyblue', alpha=0.6, label="Population Density (per km²)")

ax1.set_xlabel("Continent")

ax1.set_ylabel("Population Density (per km²)", color='skyblue')

ax1.tick_params(axis='y', labelcolor='skyblue')

# Create a second y-axis for Total Population

ax2 = ax1.twinx()

ax2.plot(continents, total_population, color='orange', marker='o', label="Total Population (in billions)")

ax2.set_ylabel("Total Population (in billions)", color='orange')

ax2.tick_params(axis='y', labelcolor='orange')

# Add a title and show the chart

plt.title("Population Density and Total Population by Continent")

fig.tight_layout()

# Save the chart as an image file

plt.savefig("population_chart.png", dpi=300)

# Show the chart

plt.show()

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

79631373

Date: 2025-05-21 01:29:02
Score: 9 🚩
Natty: 5
Report link

Any luck? Facing the same issue!

Reasons:
  • Blacklisted phrase (1.5): Any luck
  • Low length (2):
  • No code block (0.5):
  • Me too answer (2.5): Facing the same issue
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: dev-das

79631371

Date: 2025-05-21 01:25:00
Score: 1.5
Natty:
Report link

Thanks for the Help & Answer.

However, in my case, this property was (hidden) inside an extension property like:

    "extension_4c5000dd765246d58ce6129ei0e1b95c_c21JoiningDate": "10/04/2011",
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Deepak Shaw

79631366

Date: 2025-05-21 01:18:59
Score: 2
Natty:
Report link

There is no official support for setting the regional bias programmatically as of now through the Maps SDK for Android and iOS but you can comment and upvote on this issue to provide our product team with valuable feedback on the importance of the issue:

https://issuetracker.google.com/issues/63829150

Reasons:
  • Blacklisted phrase (0.5): upvote
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Lanceslide

79631362

Date: 2025-05-21 01:15:58
Score: 1
Natty:
Report link

Why dont you create another column which is sum of ID+ZONE
like below

create table profile
(
    id      int,
    zone    text,
    idZone  text
    data    blob,
    primary key ((idZone))
);

and do like this SELECT data FROM profile WHERE idZone IN (:idZones)

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): Why do
  • Low reputation (0.5):
Posted by: satyesht

79631360

Date: 2025-05-21 01:11:57
Score: 1
Natty:
Report link

In your code, get_sourcing_requests_by_page_index is returning a tuple of two items. The first item is an integer, and the second item is a list. Check your code again to make sure you're returning the correct second value.

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

79631343

Date: 2025-05-21 00:43:49
Score: 2
Natty:
Report link

try downgrading your react-native-google-places-autocomplete package to a version like "react-native-google-places-autocomplete": "^1.8.1". That worked for me.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Alex Waweru Alex

79631340

Date: 2025-05-21 00:29:45
Score: 8 🚩
Natty: 5.5
Report link

How did you solve this? I have two issues, one identical to yours and another problem, whereby I need to run libcamera-hello (or any other libcamera command) before running the boilerplate for it to work correctly (I believe something is getting setup which I am missing in boilerplate code, then defaults to that for the following runs), both problems I get "VIDIOC_STREAMON: error 22, Invalid argument", I assume these issues are related. I am on exactly the same hardware and Bookworm.

Reasons:
  • Blacklisted phrase (0.5): I need
  • RegEx Blacklisted phrase (3): did you solve this
  • RegEx Blacklisted phrase (1.5): solve this?
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): How did you solve this
  • Low reputation (1):
Posted by: ant r

79631334

Date: 2025-05-21 00:22:43
Score: 0.5
Natty:
Report link

After some discussion on the Python discussion forum (and some help from a LLM) it was determined that overriding the build_py command instead of the install command would provide the desired result. The amended setup.py:

import subprocess
from setuptools import setup
from setuptools.command.build_py import build_py


class CustomBuild_Py(build_py):
    def run(self):
        with open("install.log", "w") as f:
            subprocess.run(["./compile.sh"], stdout=f)
        build_py.run(self)

setup(
    name="mypkg",
    packages=[“mypkg”],
    cmdclass={"build_py": CustomBuild_Py},
    include_package_data=True,
    zip_safe=False,
)
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: frank

79631328

Date: 2025-05-21 00:17:41
Score: 3
Natty:
Report link

Make sure the user running the script is in the security group that has been configured for the environment. Does not matter if you are Power Platform Administrator role or system administrator. You also need to be in that group.

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

79631321

Date: 2025-05-21 00:08:39
Score: 3.5
Natty:
Report link

I get a similar error if I run docker-compose. But I don't get that error if I run docker compose instead (without a dash).

docker compose is a newer tool, it's part of Docker. It's written in Go like the rest of Docker. docker-compose is an older tool written in Python.

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I get a similar error
  • Low reputation (1):
Posted by: Pavel Roskin

79631319

Date: 2025-05-21 00:04:38
Score: 1.5
Natty:
Report link

hmm

frame-src in CSP controls what your page is allowed to embed in an frame . and CORP controls who can fetch your resource as a subresource (like img or ...) , and of course <iframe> embedding is not considered a fetch for a subresource under COPR/COEP rules

1-why override ? -> it does not , They serve entirely different purposes, they dont override each other , they just dont interact .

2-how do they interact ? they dont , They control different contexts.

3- how can enforce ? you should try using content-security-policy and x-frame-options headers

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

79631307

Date: 2025-05-20 23:39:31
Score: 0.5
Natty:
Report link

The known issue is described here:

https://learn.microsoft.com/en-us/azure/hdinsight/hdinsight-known-issues

Spark History Service => Decommissioned node logs cannot be accessed directly from Spark / YARN UI (Expected behavior)

This issue can be very bothersome. A Spark job that has executed recently (in the past hour) may stop presenting its logs in the Spark U/I.  I think the bug needs to be fixed on priority.

In the meantime here are a few alternative approaches that the PG suggested for customers to use:

Alternative #1: Manually construct the URL to the Job History to access the decommissioned aggregated logs.

Example:

https://<CLUSTERDNSNAME>.azurehdinsight.net/yarnui/jobhistory/logs/<Decommissioned worker node FQDN>/port/30050/<CONTAINER-ID>/<CONTAINER-ID>/root/stderr?start=-4096

Alternative #2: Use the schedule-based autoscaling workflow. This allows developers time to debug job failures before the cluster scales down.

Alternative #3: Use the yarn logs command via the Azure CLI.

Alternative #4: Use an open-source converter to translate TFile-formatted logs in the Azure Storage account to plain text

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
Posted by: David Beavon

79631290

Date: 2025-05-20 23:23:26
Score: 3.5
Natty:
Report link

I Suppose you can check for upgrade on your server then redirect it somewhere else.

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

79631265

Date: 2025-05-20 22:58:19
Score: 2.5
Natty:
Report link

Follow the steps

pip install certifi
python -m certifi

Mac osx

export SSL_CERT_FILE=/path/to/cacert.pem

done

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

79631264

Date: 2025-05-20 22:57:19
Score: 2.5
Natty:
Report link

For intellJ I put it like this:

I have my GIT in this directory:

C:\Users******\AppData\Local\Programs\Git\bin\git.exe

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ing. Antonio Gervasio Luelmo

79631252

Date: 2025-05-20 22:43:15
Score: 1.5
Natty:
Report link

@Stu Sztukowski and @Tom.

The solution turned out to be stripping the datasets of their formats, then importing them into SAS Studio. Two ways to remove the formats are:

  1. Exporting the data to a .csv file with PROC EXPORT:
proc export data=data.climate23_nf
  outfile='H:\CHIS\Data\climate23_nf.csv'
  dbms=csv
  replace;
run;
  1. Removing the formats manually from within a data step with this code:
data data.climate23_nf;
    set data.climate23;
        format _numeric_   ;
        format _character_  ;
run;

I did both steps as part of preprocessing in SAS EGP and saved the files to a local directory. I then imported the files in SAS Studio using Build Models --> New Project --> browse for data --> Import --> Local Files.

I appreciate suggestions from both of you; they were very helpful.

Thanks,

David

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Stu
  • User mentioned (0): @Tom
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: David Crow

79631249

Date: 2025-05-20 22:37:13
Score: 1
Natty:
Report link
Start-Process chrome.exe '--new-window https://satisfactory-calculator.com/en/interactive-map 

is what ur looking for

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

79631248

Date: 2025-05-20 22:36:13
Score: 1.5
Natty:
Report link

Just a heads up that if you configure the app with a dynamic config (app.config.js or app.config.ts) the eas init (as of eas-cli 16.6) doesn't try to load it and will try to reinitialize your project.

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

79631245

Date: 2025-05-20 22:28:10
Score: 4.5
Natty: 4.5
Report link

I am testing with the latest BHM 5.0.9228.18873 from 2025-04-17, published a bit later to download center. I cannot reproduce the issue so looks fixed now. Or can you still reproduce the issue?

Reasons:
  • Blacklisted phrase (0.5): I cannot
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: r4v3n6

79631241

Date: 2025-05-20 22:24:08
Score: 12 🚩
Natty: 5
Report link

I'm having the same issue with weatherkit after a bundle id change, did you ever resolve your problem?

Reasons:
  • RegEx Blacklisted phrase (3): did you ever resolve your problem
  • RegEx Blacklisted phrase (1.5): resolve your problem?
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I'm having the same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ryan McDonald

79631240

Date: 2025-05-20 22:21:07
Score: 2.5
Natty:
Report link

Without more information/context it is hard to diagnose what is going on. From the top of my head, two things might be happening:

  1. Is your popovers ever triggered? I see many attributes but no trigger for the popovers to fire.
  2. Is the popover generation code in a document-ready function? If not it could be rendering before the DOM is loaded.
  3. (experimental) What happens if you put some plain text into the popover content?

Hope this helps!

Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: eddykent

79631235

Date: 2025-05-20 22:18:06
Score: 0.5
Natty:
Report link

Your subnet 192.168.1.128/25 does not include these addresses

Try :

subnet 192.168.1.0 netmask 255.255.255.0 {
  option routers 192.168.1.1;
  option domain-name-servers 192.168.1.1;
  option subnet-mask 255.255.255.0;
  range 192.168.1.150 192.168.1.220;
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Sergey Soltanov

79631232

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

I guess I just needed to continue searching for another hour 🙄. The thing that worked was from here:

https://siipo.la/blog/how-to-create-a-page-under-a-custom-post-type-url-in-wordpress

Adding

'has_archive' => false

and then creating a page with the same name as the custom_post_type. I had assumed that setting has_archive to false would then break the mysite.example/event/birthday-party permalink - not so.

So, thank you, Johannes Siipola

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: jeromio

79631226

Date: 2025-05-20 22:05:02
Score: 1
Natty:
Report link

You can use the Pycharm terminal to do:
command: git status
this should show you whats tracked under the commit changes.

then to remove them the list of "changes to be commited"
command: git restore --staged <file>

This will unstage the file from being tracked.

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

79631225

Date: 2025-05-20 22:05:02
Score: 1
Natty:
Report link

What work now: disable System Integrity

  1. Restart your system in Recovery Mode (depends on each mac)

  2. On terminal (accessible via utilities), run csrutil disable

  3. Restart the mac and you will be able to open the old Xcode just like the new one.

Right after using the desired Xcode version, reenable with csrutil enable , as disabling it makes your system more insecure.

(All previous versions stopped working on Sequoia 15.4.1+)

Reasons:
  • Has code block (-0.5):
  • Starts with a question (0.5): What
  • Low reputation (1):
Posted by: Samuel Bezerra

79631206

Date: 2025-05-20 21:44:56
Score: 3
Natty:
Report link

Follow up: finally figured out. The request is going to a proxy, which is not handling the content length correctly. So sending Axios Post with "body ?? {}", meaning if body is null, attach an empty object. Then within proxy, attach calculated content length only when 1) content length is greater than 0 and 2) the request body is a valid object with at least some valid key. Otherwise attach content length of 0.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Hang

79631200

Date: 2025-05-20 21:39:55
Score: 1.5
Natty:
Report link

Try adding this comment before the console statement:

// eslint-disable-next-line no-console
console.log(value.target.value);
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Luis Alberto Sánchez Landa

79631196

Date: 2025-05-20 21:34:54
Score: 2
Natty:
Report link

also you should use @Validated on class level in the controller

@RestController
@Validated
class Controller {
    @PostMapping("/hello")
    fun hello(@Valid @RequestBody messageDto: MessageDto) {
        messageDto.words.map(System.out::println)
    }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Validated
  • Low reputation (1):
Posted by: Pawel

79631192

Date: 2025-05-20 21:31:53
Score: 3.5
Natty:
Report link

As Tsyvarev pointed out, i had simply used the wrong UUID, the UUID at main is not the same as the UUID of the latest release, i simply had to look in the v4.0.2 tag.

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

79631187

Date: 2025-05-20 21:27:52
Score: 2.5
Natty:
Report link

I've come across this error with deduplication. If the destination Server doesn't have the deduplication feature installed it gives this error message when trying to copy deduped data.

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

79631186

Date: 2025-05-20 21:26:51
Score: 3
Natty:
Report link

It seemed difficult but then I tried this ...

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

79631169

Date: 2025-05-20 21:10:46
Score: 0.5
Natty:
Report link

Since the bug did get accepted and fixed after all, I assume my interpretation was correct, and this is supposed to compile.

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

79631162

Date: 2025-05-20 21:04:44
Score: 2.5
Natty:
Report link

Late to the party, but you can use npm --userconfig=/path/to/.npmrc.dev ..., see https://stackoverflow.com/a/39296450/107013 and https://docs.npmjs.com/cli/v11/using-npm/config#userconfig.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-1.5): you can use
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: MyKey_

79631157

Date: 2025-05-20 21:01:42
Score: 6.5 🚩
Natty: 5
Report link

Can anyone provide me the full code i have been struggling with it from long

Reasons:
  • RegEx Blacklisted phrase (2.5): Can anyone provide me
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Can anyone
  • Low reputation (1):
Posted by: gurman deep

79631148

Date: 2025-05-20 20:51:39
Score: 2.5
Natty:
Report link

Put a power automate flow in the middle. Rename the file in the flow. Data in Power Apps can still be connected to your SharePoint document, but use power automate for updating the file name.

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

79631146

Date: 2025-05-20 20:50:38
Score: 2
Natty:
Report link

What if there are multiple controls with text and the app put the text values in the wrong controls?

All of your folks' solutions involve finding ANY target element that has the expected text. But, if your app put the name text into the price column and vice versa, the steps above will not find the bug.

A more correct way to test is to positively identify exactly which field you are targeting AND THEN verify that said field has the correct value (in this case text).

So, consider finding the component by accessibility label or name first and then checking that it has the right text.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What if the
  • Low reputation (1):
Posted by: gilgamesh82