79698630

Date: 2025-07-11 16:45:34
Score: 1.5
Natty:
Report link

Seems like this is still a big issue. Firefox forcibly print the unhandledrejection error to console even before it reaches your handler, so calling preventDefault on event is useless (and has no effect, btw.).

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

79698624

Date: 2025-07-11 16:40:32
Score: 0.5
Natty:
Report link

Found this post which helped me remove the border line.

Basically, the TabControl has embedded a hardcoded Border control right beneath its TabPanel control. The style for this Border control needs to be overridden to remove the border line (i.e. make transparent). And using the same style that I used for TabItem, setting the visibility to Collapsed will hide the tabs.

This is working well for me.

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

79698622

Date: 2025-07-11 16:39:28
Score: 7.5
Natty:
Report link

Did you read all the manual @ https://devdocs.prestashop-project.org/9/basics/installation/environments/docker/

Did you check out Clément Désiles docker-compose-kickstarter ?

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Did you
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: skipper-henrik

79698604

Date: 2025-07-11 16:20:23
Score: 0.5
Natty:
Report link

Just like with any other control, you can do that by toggling the Enabled property.

TRadioGroup has the Buttons property   (https://docwiki.embarcadero.com/Libraries/Sydney/en/Vcl.ExtCtrls.TCustomRadioGroup.Buttons), which gives access to controls. The list and control names are defined by the Items property (a list of strings), so by going through Buttons via Items.Count, you can find the needed RadioButton.

Another universal way is by Controls (https://docwiki.embarcadero.com/Libraries/Sydney/en/Vcl.Controls.TWinControl.Controls) using ControlCount https://docwiki.embarcadero.com/Libraries/Sydney/en/Vcl.Controls.TWinControl.Controls, but in that case, each TControl needs to be checked whether it’s a TRadioButton. This works if TRadioButtons are used on a TPanel/TRadioGroup, or any other container.

But how to distinguish one TRadioButton from another?

That’s where the Tag property comes in. It should be used to uniquely identify each item so that you can manipulate them and keep localization flexible (since beginners often try to find elements by Caption, which is not reliable if text changes).

If you need to manage the list items created at runtime, you should assign a unique Tag during creation.

type
  TForm1 = class(TForm)
    RadioGroup1: TRadioGroup;
    btnTurnOffTwo: TButton;
    procedure FormCreate(Sender: TObject);
    procedure btnTurnOffTwoClick(Sender: TObject);
  private
    { Private declarations }
  public
    { Public declarations }
  end;

var
  Form1: TForm1;

implementation

{$R *.dfm}

procedure TForm1.btnTurnOffTwoClick(Sender: TObject);
begin
  for var i := 0 to RadioGroup1.Items.Count - 1 do
  begin
    var
    LItem := RadioGroup1.Buttons[i];
    if LItem.tag = 2 then // turn off radio buton "Two"
    begin
      LItem.Checked := False;
      // check it off to avoid invalid write value to somewhere, if it disabled then can't be checked by user.
      LItem.Enabled := False; // turn of setting that to False
    end;
  end;
end;

procedure TForm1.FormCreate(Sender: TObject);
begin
  // Fill radiogroup with controls. A Tag might be used to store unique ID of each element for further individual work witch each element
  RadioGroup1.Items.Add('One');
  RadioGroup1.Buttons[Pred(RadioGroup1.Items.Count)].Tag := 1;
  RadioGroup1.Items.Add('Two');
  RadioGroup1.Buttons[Pred(RadioGroup1.Items.Count)].Tag := 2;
  RadioGroup1.Items.Add('Three disabled by default');
  RadioGroup1.Buttons[Pred(RadioGroup1.Items.Count)].Tag := 3;
  RadioGroup1.Buttons[Pred(RadioGroup1.Items.Count)].Enabled := False;
end;

Startup:

enter image description here

After pressing a button:

enter image description here

Answered by developers at Softacom, experts in Delphi modernization and legacy migration.

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

79698599

Date: 2025-07-11 16:16:21
Score: 5
Natty: 7
Report link

hay problemas con el Internet explorer , los mensajes no se muestran, lo probaste con google, ahi si se deben mostrar?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: juan orlando cueva moreano

79698597

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

This is expected behavior for the user details (/users/<user_id>/). For now, only "Mobile" numbers are synced to this field - you are correct to use the /users/<user_id>/phones endpoint to capture all phone numbers.

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

79698588

Date: 2025-07-11 16:13:20
Score: 0.5
Natty:
Report link

There’s an open issue (a support request) discussion on Github that seems somewhat related to what you're trying to achieve. I assume the Ops Agent does not yet support custom multiline parsing. According to the discussion, someone mentioned that an internal tracking bug has already been filed for this request.

I would also like to suggest that you file a feature request on Google’s public issue tracker, so their product engineering team is aware that more users are interested in this type of use case.However, please keep in mind that there is no ETA for a response or any assurance that it will be implemented promptly.

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

79698583

Date: 2025-07-11 16:09:18
Score: 0.5
Natty:
Report link

Solved in the newest versions of kaleido and plotly (kaleido 1.0.0 and plotly 6.2.0), but figure sizing is broken now. If you were using smth along the lines of

fig = go.Figure(width = 1920, height = 1080)
fig.write_image('fig.png')

Now you'll have to transition to

fig = go.Figure(width = 1920, height = 1080)
fig.write_image('fig.png', width = figure.layout.width, height = fig.layout.height)
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Konstantin Z

79698579

Date: 2025-07-11 16:08:18
Score: 1
Natty:
Report link

Similar but different to a @Keselme's answer about checking availableInputs
which did not contain CarPlay for me.

More reliable in my case was checking the audioSession's current route's outputs for port type carAudio:


let audioSession = AVAudioSession.sharedInstance()
  for output in audioSession.currentRoute.outputs {
     if output.portType == AVAudioSession.Port.carAudio {
        return true
      }
    }
return false
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @Keselme's
  • Low reputation (0.5):
Posted by: user7804781

79698571

Date: 2025-07-11 16:00:16
Score: 2
Natty:
Report link

Microsoft Copilot was able to come up with some information that explains why the issue occurs and provide some potential workarounds:

Why Firefox Fails on Multi-File FormData Uploads

If you append more than one File object to a single FormData and POST it in Firefox, you’ll immediately see the upload “finish” (progress jumps to 100%) and then a NetworkError. Chrome and Edge never hit this failure, and even Firefox will upload those same files just fine if you:

What’s Happening Under the Hood

  1. Firefox pre-buffers the entire multipart body
    Firefox’s XHR/Fetch implementation must know the final Content-Length before it hits the wire. To do that it internally builds (buffers) your entire multipart body in an nsPipe. With multiple File entries—even if each one streams off disk by itself—the combination goes down a code path that fully buffers those streams and calculates length up front.

  2. A corner-case in that buffering code trips a network failure
    For some sets of files (size, type, metadata, boundary math) Firefox’s multipart builder errors out mid-buffer. The underlying I/O call returns a failure (e.g. NS_ERROR_FAILURE), so the POST is immediately aborted at the network stack level.

  3. Progress events lie by spec
    The spec mandates that right before the error event fires, the final progress is dispatched with loaded == total. That’s why you see the bar jump to 100%—even though nothing ever reached the server—followed immediately by the network error.

  4. Chrome/Edge avoid this by streaming chunked bodies
    Those browsers never need to pre-buffer the entire form payload. They stream each part as it becomes available, so they never hit the buggy code path that fails under Firefox’s multipart builder.

Proof and Bug References

Workarounds

  1. Upload files one at a time

    for (let file of files) { const fd = new FormData(); fd.append('file', file); await fetch('/upload', { method: 'POST', body: fd }); }

  2. Zip on the client into one Blob
    Combine all files into a single zip‐Blob (e.g. with JSZip), then append that one blob to your FormData. Firefox’s code path for a single blob upload doesn’t hit the broken multipart builder.

  3. Use a streaming multipart generator
    Bypass FormData entirely and construct the body as a ReadableStream, writing boundaries and file chunks yourself. Firefox will stream it without pre-buffering.

  4. Detect Firefox and fall back
    If you detect navigator.userAgent contains “Firefox,” switch to one of the above strategies.

When Will It Be Fixed?

This is a known Firefox bug in the multipart handling layer. Follow or star the upstream Bugzilla issue:

Until it lands in a stable Firefox release, apply one of the workarounds above whenever you need to upload multiple files in one go under Firefox.

Reasons:
  • RegEx Blacklisted phrase (1.5): Fixed?
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: TwilightCitizen

79698568

Date: 2025-07-11 15:54:15
Score: 1
Natty:
Report link
  URL url = Collections.list(ClassLoader.getSystemResources("abc.csv")).stream()
            .filter(u -> !u.getPath().contains(".jar!") && u.getPath().contains("/config/"))
            .findFirst()
            .orElseThrow(() -> new RuntimeException("abc.csv not found in /config/"));
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sarvesh Kuthe

79698554

Date: 2025-07-11 15:45:12
Score: 0.5
Natty:
Report link

So I was close. I tested with $filter=LUN eq '*' before without any result

 $uri = "https://management.azure.com/subscriptions/$($subscription)/resourceGroups/$($resourceGroup)/providers/Microsoft.Compute/virtualMachines/$($vmname)/providers/microsoft.insights/metrics?api-version=2024-02-01&metricnames=$($metricName)&interval=PT5M$filter=LUN eq '*'"

The tweak is to escape the $ in $filter

 $uri = "https://management.azure.com/subscriptions/$($subscription)/resourceGroups/$($resourceGroup)/providers/Microsoft.Compute/virtualMachines/$($vmname)/providers/microsoft.insights/metrics?api-version=2024-02-01&metricnames=$($metricName)&interval=PT5M`$filter=LUN eq '*'"
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: MHU

79698549

Date: 2025-07-11 15:40:11
Score: 3.5
Natty:
Report link

Not sure what tech stack you are using but OAuth in C# SDK is in preview and will be officially supported soon, you can check this article for more details https://den.dev/blog/mcp-csharp-sdk-authorization/. I assume other SDKs are implement something similar.

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

79698545

Date: 2025-07-11 15:38:10
Score: 1.5
Natty:
Report link

The structure of the project is probably not correct. It should contains a src/ directory with your python modules or a <packageName> directory at root alongside the pyproject.toml

See https://setuptools.pypa.io/en/latest/userguide/package_discovery.html#automatic-discovery

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

79698541

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

According to the TLD Applicant Guidebook published June 2012, ICANN does not allow numbers in TLDs. gTLD Applicant Guidebook

"1.2.1 The ASCII label must consist entirely of letters (alphabetic characters a-z)"

The punycode international tlds of type "xn--" encoded international tlds do contain numbers, but they are the only ones that do.

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

79698533

Date: 2025-07-11 15:24:06
Score: 1.5
Natty:
Report link

Transient fields in Java skip serialization. Use them for sensitive data (like passwords), temporary caches, or derived values (e.g., age from DOB). Upon deserialization, they revert to defaults (0/null). Example: transient String password;. I think you can read more, with examples, here: https://www.codorbits.com/course/transient-in-java/

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

79698530

Date: 2025-07-11 15:19:04
Score: 2.5
Natty:
Report link

No clue as to what actually happened, but the project just started working on its own even though nothing is apparently different from any of the failures. Despite building the project with the -p "pristine" flag every time, one day it never worked and the next day it suddenly did after numerous recompiles.

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

79698518

Date: 2025-07-11 15:03:01
Score: 1
Natty:
Report link

In 2025, pa.INT64 will work in class-based approach.

Just make it like this:

class FacebookAdsSchema(pa.DataFrameModel):
    clicks: pa.INT64 = pa.Field(nullable=True, ignore_na=True)

And it will use the pandas' Int64 type that supports NaN values.

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

79698517

Date: 2025-07-11 15:02:00
Score: 1
Natty:
Report link

Try with win32com lib.


excel = win32com.client.Dispatch("Excel.Application")
excel.Visible = False
excel.DisplayAlerts = False
wb = excel.Workbooks.Open(file_path)
ws = wb.Sheets("Sheet1")
used_range = ws.UsedRange
used_range.Value = used_range.Value
wb.SaveAs(file_path)
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Ana Varathan

79698513

Date: 2025-07-11 14:57:59
Score: 1.5
Natty:
Report link

{"search_session_id":"21686436777875-6099174254799895744","page_info":{"total_results":95},"results":[{"url":"https://support.google.com/accounts/answer/41078?hl=id","title":"Mengubah atau mereset sandi","type":"CT_ANSWER","id":"41078","page_type":"ANSWER","tracking_id":"f1418480-7cf3-42c3-9394-709185d6b577","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"},{"url":"https://support.google.com/accounts/answer/7660719?hl=id","title":"Menemukan, mengontrol \u0026 menghapus info di Akun Google Anda ...","snippet":"Pelajari lebih lanjut cara mengelola info dan aktivitas Akun Google Anda. Anda dapat memilih jenis aktivitas yang disimpan di akun Anda dan yang digunakan untuk","type":"CT_ANSWER","id":"7660719","page_type":"ANSWER","tracking_id":"24d39309-b572-4ecd-aff6-07d2d35dd488","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"},{"url":"https://support.google.com/accounts/answer/3067630?hl=id","title":"Melihat perangkat yang memiliki akses akun","snippet":"Anda dapat melihat komputer, ponsel, dan perangkat lain yang pernah atau saat ini Anda gunakan untuk login ke Akun Google Anda baru-baru ini. Anda dapat memerik","type":"CT_ANSWER","id":"3067630","page_type":"ANSWER","tracking_id":"ccf4e035-ab8c-4517-a1b3-597e315d220b","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"},{"url":"https://support.google.com/accounts/answer/183723?hl=id","title":"Menyiapkan nomor telepon atau alamat email pemulihan","type":"CT_ANSWER","id":"183723","page_type":"ANSWER","tracking_id":"cf6fa523-7a76-4879-9e86-46cf2e3832cc","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"},{"url":"https://support.google.com/accounts/answer/7682439?hl=id","title":"Cara memulihkan Akun Google atau Gmail Anda","snippet":"Jika Anda lupa sandi atau nama pengguna Anda, atau Anda tidak dapat memperoleh kode verifikasi, ikuti langkah-langkah ini untuk memulihkan Akun Google Anda. Den","type":"CT_ANSWER","id":"7682439","page_type":"ANSWER","tracking_id":"6aa335cd-6254-48f9-bf1e-13a9dfde5e91","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"}],"next_page_token":"CiQzNGQzYmNlNi1jNTVmLTQ2OGItYWVkOS0zNWViMWQ5MGU5NGUQABiWASAFKAUyAQA6AQBABlACWAA","request_id":"CiQwMGIzMzFhNi0zN2Q0LTQ4YWItOTljYS05ZTI0MzJmNmUxYTcQBBgEIAc"}

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

79698512

Date: 2025-07-11 14:57:59
Score: 7
Natty: 4.5
Report link

Has anyone figured this out? Having this particular issue at the moment

Reasons:
  • RegEx Blacklisted phrase (3): Has anyone figured
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Absolute Zero

79698509

Date: 2025-07-11 14:55:58
Score: 3.5
Natty:
Report link

Fixed it :) It was a problem with Visual Studio Code version, it works with the May 1.101.2 version :) 1.102.0 will need fixes and more updates to make it work properly.

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

79698497

Date: 2025-07-11 14:45:55
Score: 1
Natty:
Report link

Also check the perspective.

Here in Eclipse IDE 2025-06 also with no Run menu item inside Run menu, only External Tools...

To code in C/C++ use the C/C++ perspective!

Check the current perspective: Window menu > Perspective > Customize Perspective.

If is not C/C++, switch: Window menu > Perspective > Open Perspective > Other > select C/C++.

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

79698496

Date: 2025-07-11 14:45:55
Score: 1
Natty:
Report link

You need to place it before

app.UseStaticFiles();

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

79698493

Date: 2025-07-11 14:39:54
Score: 4
Natty:
Report link

With the latest updates the problem has been solved, now it no longer goes into error.

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

79698468

Date: 2025-07-11 14:24:48
Score: 1
Natty:
Report link

Because the dates are in descending order, I don't feel that you have to include them in the calculation. Assuming that the word "Entry" is in cell A1 the following could be pasted into cell E2 and copied down: =IFERROR(INDEX(A3:A101,AGGREGATE(15,6,(ROW(A3:A101)-ROW(A2))/(C3:C21="y")/(D3:D101<D2),1)),"")

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

79698464

Date: 2025-07-11 14:22:48
Score: 1
Natty:
Report link

Hoping to revive an old thread... I'm trying to do something very similar, except in my case using the Windows Defender/Operational log. I got it working using the above format, but am trying to extract ONLY the "Scan Type" field of the message. Is that possible? (I thought I could do this by trying to select the fourth line of the message field as below, but this doesn't work...)

$Query = "<QueryList>
  <Query Id='0' Path='Microsoft-Windows-Windows Defender/Operational'>
    <Select Path='Microsoft-Windows-Windows Defender/Operational'>*[System[(EventID=1000 or EventID=1001)]]</Select>
  </Query>
</QueryList>"
Get-WinEvent -FilterXML $Query | Select-Object -Property TimeCreated, Id, @{N='Detailed Message'; E={$_.Message}} | Sort-Object -Property TimeCreated | Select "(Detailed Message)[.3]"
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: KevinN

79698460

Date: 2025-07-11 14:19:47
Score: 3.5
Natty:
Report link

Just Add _init_.py in Load_Repertory directory like this below.
enter image description here

then you can import like this
from Load_Repertory.main import main

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

79698452

Date: 2025-07-11 14:12:45
Score: 1.5
Natty:
Report link

To start, consider Whoosh python search engine library. That will include indexing as well, which is crucial for big data. Further, consider options faster than ChromaDB, like vector dbs (Pinecone, Weaviate). Also, a lot of optimization techniques like caching, batch processing, index-preprocessing, stemming, lemmatization, etc. Wide question.

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

79698436

Date: 2025-07-11 13:59:41
Score: 2
Natty:
Report link

Ok, apparently, for iOS, I need to use the themeVariant , otherwise, if my phone is on dark mode the picker will use the colour scheme expected for dark and although I've styled my items with text color, it didn't assume it.
On @react-native-community/datetimepicker I can just use themeVariant but on "@react-native-picker/picker": "2.11.1" I will need to use PickerIOS if I want to control the theme variant

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

79698428

Date: 2025-07-11 13:51:39
Score: 1
Natty:
Report link

Finally came across the answer to this conundrum. Since this was the cause of quite quite a bit of wheel spinning and I was unable to find the answer easily, I'm answering this question here for any future beleaguered Arduino Due I2C user:

It turned out that my observations of the behaviour and the workaround were a red herring. The real issue is in fact that I had overlooked a small but significant detail of the I2C specification:
enter image description here

What this means is that if the controller (master) ACK's the byte received from the peripheral (slave) then the peripheral should continue to clock out the next byte. If that byte happens to be a 0x00, then this will will prevent the controller from successfully sending the STOP byte, and will manifest itself as the SDA line being held low for another 9 clock cycles. Thus if the controller only wants to read a single byte at a time it is important that it "sends a NACK" (i.e., it doesn't ACK the received byte)

In the case of my Arduino Due running my own code it raises the question of "what byte should the I2C peripheral send in such cases?". Presumably whatever is in the transmit buffer. Ideally that transmit buffer would be empty and my code would be made aware of the demand for a byte via the relevant interrupt firing, thus I would have come to learn that the controller was implying it wanted more bytes. However I found that the SAM3X8E always required me to populate the I2C transmit buffer in advance, even when there was no I2C read operation on the distant horizon. Therefore the code always pushed something into the transmit buffer (then had to overwrite it quickly just as soon as a read operation was received, hopefully prior to the bogus byte being clocked out. This seems a little surprising as a hardware interface goes, but the Arduino Due is cheap as chips I suppose). The upshot of this is that I was never aware that the transmit buffer was being read during those "SDA line held low" periods.

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

79698420

Date: 2025-07-11 13:45:37
Score: 1.5
Natty:
Report link

Check out the Chrome version by typing into the address bar "chrome://version/". Take a look at the "Profile Path", I have seen that the new update to chrome has a new profile automatically added in the "...AppData\Local\Google\Chrome\<new folder>\Default" and all chrome instances are using the same even when you specify it in the selenium chrome options.
From what I can tell, if you have a Chrome browser opened while running your automation script, the new Chrome browser started by the chrome driver will try to use the same user data folder as the one that is already opened. The chrome driver will not be able to access/update the user data files if it is already being in use.
I do not know what the fix is for this new issue, but you can work around it by switching to a different browser if you need to have a browser open and by not having another instance of Chrome running while you are running your automation scripts.

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

79698415

Date: 2025-07-11 13:40:36
Score: 1
Natty:
Report link
To one:

# Ich verwende K-Means, da die Punktwolken visuell gut separierbar und annähernd kugelförmig erscheinen.
# K-Means ist effizient und funktioniert zuverlässig bei gleichmäßig verteilten, dichten Clustern.
under answer:
kmeans = KMeans(n_clusters=3, n_init=10, random_state=42)
clustering = kmeans.fit_predict(x)
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Mr. Thomson

79698406

Date: 2025-07-11 13:33:34
Score: 3.5
Natty:
Report link

thank u so much, this code works best <33

footer {

margin: 0 0 -50px 0;

}

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

79698395

Date: 2025-07-11 13:22:31
Score: 0.5
Natty:
Report link

You need to adjust the field you're looking for.

    add_filter('manage_users_columns', 'add_company_column_to_users_list');
    function add_company_column_to_users_list($columns) {
        $columns['billing_company'] = 'Company';
        return $columns;
    }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: JasonRobie

79698394

Date: 2025-07-11 13:20:30
Score: 2
Natty:
Report link

It’s probably working as intended. Tasks that are retried are considered part of the expected behavior of Cloud Tasks when handling failures, since if a task execution fails, it will be retried until it succeeds. Additionally, you may be encountering a system throttling behavior, which is described here.

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

79698387

Date: 2025-07-11 13:11:28
Score: 2
Natty:
Report link

I've found the answer in a Github issue ! You have to use ShallowRef() instead of Ref() to manage the Echart instance in Vue 3 ! It was a Vue 3 issue because of the reactive aspect of refs. Try that ! It was fonctionnal for me !

https://github.com/apache/echarts/issues/16642

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

79698378

Date: 2025-07-11 13:06:27
Score: 0.5
Natty:
Report link

If your categories are specific, then yes. I suggest you create specific components for each product category.

I did the same thing in one of my projects. Each entity had different features depending on category, but entities from all categories had some features that are common in all of them. So, not only I created separate components, each one representing an entity of each category, but I also created separate tables in my database for each entity category.

I took the inspiration from discriminated unions pattern in TypeScript. It works very similar to what I am describing.

(Disclosure: I wrote a blog post on discriminated unions in TypeScript that explains how this pattern works in detail.)

So, in your case, I would even go as far as creating a separate class for a specific products category, like ElectronicsProduct, and replacing features with the specifc features, like:

public class ElectronicsProduct {
    @Id
    @MongoId
    private String productId;
    private String productName;
    private String productTitle;
    private final String productCategory = "Electronics"; // Discriminant value
    private String productDescription;
    private int price;
    private Date addedDate;
    private Date lastUpdatedDate;
    private String imageName;
    private boolean stock;
    private String brand;
    private String rom;
    private String processor;
    private String battery;
    private String ram;
}

Notice how I hardcoded the productCategory field? It's called the `discriminant value`. It tells both your backend and frontend which product type you're dealing with. It's what you'll use in your frontend to decide what component to render, like:

product.productCategory === "Electronics" ? <ElectronicsProduct /> : <OtherCategoryProduct />

Ditto for the other categories.

This pattern will keep your codebase scalable as new categories are added.

This article about discriminated unions in sql helped me a lot in understanding the concept. Although it focuses on SQL rather than MongoDB, the core concepts still apply and should be useful to you

Reasons:
  • Blacklisted phrase (1): This article
  • Blacklisted phrase (1): helped me a lot
  • Whitelisted phrase (-1): in your case
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Marsou001

79698376

Date: 2025-07-11 13:05:26
Score: 2
Natty:
Report link

try to console log the environment variable and see if it is coming right after building the app or not. BTW this should not be an issue if the application is running smoothly in development. Also if you are going to deploy the frontend to a platform like vercel you need to set environment variables separately.

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

79698375

Date: 2025-07-11 13:05:26
Score: 7
Natty: 7.5
Report link

how can i fork and run it locally?

Reasons:
  • Blacklisted phrase (0.5): how can i
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): how can i for
  • Low reputation (1):
Posted by: matteohcf

79698363

Date: 2025-07-11 12:56:23
Score: 2
Natty:
Report link

It is safe for HTTP CONNECT to open an SSL tunnel through proxy. The client starts a SSL/TLS connection to interact with the server. The proxy does not inspect encrypted traffic. The HTTPS is trusted site server in securing communications through intermediaries. It prevents potential risks as the proxy restricts hosts that can be tunneled.

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

79698355

Date: 2025-07-11 12:52:22
Score: 2.5
Natty:
Report link

Go to Settings and search for Cucumber and select Plugins.

you can see Gherkin and cucumber plugins. disable and enable them again.

Then restart the IntelliJ.

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

79698352

Date: 2025-07-11 12:52:22
Score: 3.5
Natty:
Report link

Make it public and send the invitation.. then you can return it private

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

79698339

Date: 2025-07-11 12:42:19
Score: 9.5
Natty: 5.5
Report link

Did you find a solution to this?

Reasons:
  • RegEx Blacklisted phrase (3): Did you find a solution to this
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find a solution to this
  • Low reputation (1):
Posted by: Lucas Adbroad

79698327

Date: 2025-07-11 12:29:16
Score: 0.5
Natty:
Report link

there is no way to delete test users. you only have 100 and thats it

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

79698310

Date: 2025-07-11 12:12:11
Score: 2.5
Natty:
Report link

I had this error but when I saw that I was putting return before res.json() I deleted that return and error resolved.

Error :=

return res.json()

Solution :=

res.json()

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

79698306

Date: 2025-07-11 12:08:11
Score: 2
Natty:
Report link

Not sure if this helps or if I understand your question. I am far from being the Xilinx expert. In regards to 2024.2 if you are referring to the driver files that support the various IP blocks look here "Vitis\2024.2\data\embeddedsw\XilinxProcessorIPLib\drivers" - Note this file contains several revisions of the same driver and files are suffixed _vx_y x= major, y=minor revision. Hope this helps and have a wonderful day.

Reasons:
  • Blacklisted phrase (1): regards
  • Whitelisted phrase (-1): Hope this helps
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: habcollector

79698288

Date: 2025-07-11 11:54:07
Score: 1.5
Natty:
Report link

In Rust, writing a constructor that accepts a simpler closure involves using impl Fn and leveraging type inference to reduce boilerplate. It’s like jim jones net worth smart structure and minimal effort can still yield powerful, scalable results.

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

79698281

Date: 2025-07-11 11:50:06
Score: 1.5
Natty:
Report link

this is what worked for me

export PATH="/opt/homebrew/bin:$PATH"
Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Francisrey

79698280

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

COPY THE FILE FROM TEMPLATE USING SHAREPOINT CONNECTORS AND ACCESS THE NEW FILE USING EXCEL CONNECTORS. IF YOU ARE UNSURE ABOUT FIELDS, MAP THEM ON TEMPLATE FILE, COPY THE MAPPING FROM CODE VIEW AND THEN PASS TO DYNAMIC FILE NAME 'ROW' ATTRIBUTE.

BE SURE TO MANUALLY TYPE TABLE1 OR WHATEVER TABLE NAME IS GOING TO GET COPIED.

enter image description here


THE MAPPING IS TO BE DONE LIKE THIS

enter image description here

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

79698270

Date: 2025-07-11 11:46:04
Score: 1
Natty:
Report link

This is highly dependent on the inferences you want to make and the rules that you are using. You could for example use

ont1:hasNetworkLevel owl:equivalentProperty ont2:hasNetworkLevel .

However, I suggest you check the inferences after any changes you made to see whether get the expected inferences.

If this does not work, please provide minimal complete example of your data and the inferences you expect as well as the rules you are using.

Reasons:
  • RegEx Blacklisted phrase (2.5): please provide
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: Henriette Harmse

79698267

Date: 2025-07-11 11:43:03
Score: 4.5
Natty:
Report link

Do Google plan to provide an alternative API which would allow an individual to list out the photographs and the albums in their own Google account? The photoslibrary.readonly.appcreateddata scope mentioned by @CCLU above only allows photos added by an application to be listed. Whereas I wish to list out all my photos and the albums they are in.

My actual requirement is as follows:

Remove photographs from my personal Google photos account which are not in an album.  Obviously, I take lots of photos of the same scene, add the best to an album and share.  However, I don't want to keep all the other pictures, but I have no indication which photos are in an album, so flying blind when deleting photos.  Perhaps some indication could be added to the photos app?

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • User mentioned (1): @CCLU
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: John Tunnicliffe

79698262

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

Whatever @hongdeshuai mentioned is correct. However, in Ubuntu 22 or later, this setting gets overridden when attempting SSH login with a user configured for password-only authentication.

You can try below steps.

1. After making necessary changes in /etc/ssh/sshd_config (make sure you have below parameters in-place)

PasswordAuthentication yes
PubkeyAuthentication yes
UsePam yes
ChallengeResponseAuthentication no

2. Run, sshd -T | grep passwordauthentication you will get something like below.
"passwordauthentication no"
This means, there is some file in "/etc/ssh/sshd_config.d/*.conf" which is overriding the "passwordauthentication" value.

3. Run, grep -ir passwordauthentication /etc/ssh/sshd_config.d/
You'll get to know which file it is and then you can change the "passwordauthentication" value to "yes".

4. sudo systemctl restart ssh and you're done.

P.S: Feel free to comment if you’ve seen this solution elsewhere or if it needs any corrections. This solution worked in my case.

Reasons:
  • Blacklisted phrase (1): to comment
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @mentioned
  • Low reputation (1):
Posted by: Akshat V

79698260

Date: 2025-07-11 11:34:01
Score: 3
Natty:
Report link

Changing alternate icons from JPG to PNG fixed it for me.

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

79698256

Date: 2025-07-11 11:31:01
Score: 1
Natty:
Report link

Came across this 12 years later looking for the same issue. The answer is SQLPlus can't properly handle the encoding of your input and/or output of your PowerShell terminal. Run the following before issuing your sqlplus command. This will set your text encoding to ASCII which SQLPlus can handle.

[Console]::InputEncoding = [System.Text.Encoding]::ASCII
[Console]::OutputEncoding = [System.Text.Encoding]::ASCII
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Nick K

79698253

Date: 2025-07-11 11:28:00
Score: 1.5
Natty:
Report link

Yes, but you need to know code too, to determine a output you can just look at code and see what it does.

Your code above don't make sense, "main" function don't accept variables in declaration, instead do other function and call it in "main" function.

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

79698247

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

Tokenization and generation differ across Transformer versions due to updates in tokenizers, model architectures, and decoding strategies. Changes in vocabulary, padding, or special tokens can affect output length and format. Upgraded generation methods may also modify behavior, influencing fluency, repetition, or coherence across different model versions.

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

79698238

Date: 2025-07-11 11:10:56
Score: 0.5
Natty:
Report link

To delete a session cookie with JavaScript, set it with an expired date:

document.cookie = "yourCookieName=; expires=Thu, 01 Jan 1970 00:00:00 UTC; path=/;";

This works even for session cookies — it tells the browser to remove it immediately.

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

79698234

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

in 2025 with boot 3.5 when I accidentally put the main class in the default package I got an error very similar to the OPs.

I started to look into the root cause which is

Caused by: java.lang.ClassNotFoundException: io.r2dbc.spi.ValidationDepth ...

And scratched my head for a while. What the hell my project is doing with r2bdc ?!

Fortunately I found quickly this post when I searched for the error "Failed to read candidate component class:".

After founding it I realized that there was a big WARN about the default package:

2025-07-11T12:47:18.764+02:00 INFO 3534381 --- [ main] XpathDemo : Starting XpathDemo using Java 21.0.1 with PID 3534381 (/home/riskop/IdeaProjects/java_xpath_localname_namespace_uri/target/classes started by riskop in /home/riskop/IdeaProjects/java_xpath_localname_namespace_uri) 2025-07-11T12:47:18.765+02:00 INFO 3534381 --- [ main] XpathDemo : No active profile set, falling back to 1 default profile: "default" 2025-07-11T12:47:18.792+02:00 WARN 3534381 --- [ main] ionWarningsApplicationContextInitializer :

** WARNING ** : Your ApplicationContext is unlikely to start due to a @ComponentScan of the default package.

Seemingly I am blind.

Anyway the full output:

 :: Spring Boot ::                (v3.5.3)

2025-07-11T12:47:18.764+02:00  INFO 3534381 --- [           main] XpathDemo                                : Starting XpathDemo using Java 21.0.1 with PID 3534381 (/home/riskop/IdeaProjects/java_xpath_localname_namespace_uri/target/classes started by riskop in /home/riskop/IdeaProjects/java_xpath_localname_namespace_uri)
2025-07-11T12:47:18.765+02:00  INFO 3534381 --- [           main] XpathDemo                                : No active profile set, falling back to 1 default profile: "default"
2025-07-11T12:47:18.792+02:00  WARN 3534381 --- [           main] ionWarningsApplicationContextInitializer : 

** WARNING ** : Your ApplicationContext is unlikely to start due to a @ComponentScan of the default package.


2025-07-11T12:47:19.096+02:00  WARN 3534381 --- [           main] s.c.a.AnnotationConfigApplicationContext : Exception encountered during context initialization - cancelling refresh attempt: org.springframework.beans.factory.BeanDefinitionStoreException: Failed to read candidate component class: URL [jar:file:/home/riskop/.m2/repository/org/springframework/boot/spring-boot-autoconfigure/3.5.3/spring-boot-autoconfigure-3.5.3.jar!/org/springframework/boot/autoconfigure/r2dbc/ConnectionFactoryConfigurations$PoolConfiguration.class]
2025-07-11T12:47:19.098+02:00  INFO 3534381 --- [           main] .s.b.a.l.ConditionEvaluationReportLogger : 

Error starting ApplicationContext. To display the condition evaluation report re-run your application with 'debug' enabled.
2025-07-11T12:47:19.106+02:00 ERROR 3534381 --- [           main] o.s.boot.SpringApplication               : Application run failed

org.springframework.beans.factory.BeanDefinitionStoreException: Failed to read candidate component class: URL [jar:file:/home/riskop/.m2/repository/org/springframework/boot/spring-boot-autoconfigure/3.5.3/spring-boot-autoconfigure-3.5.3.jar!/org/springframework/boot/autoconfigure/r2dbc/ConnectionFactoryConfigurations$PoolConfiguration.class]
    at org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider.scanCandidateComponents(ClassPathScanningCandidateComponentProvider.java:510) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider.findCandidateComponents(ClassPathScanningCandidateComponentProvider.java:351) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ClassPathBeanDefinitionScanner.doScan(ClassPathBeanDefinitionScanner.java:277) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ComponentScanAnnotationParser.parse(ComponentScanAnnotationParser.java:128) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassParser.doProcessConfigurationClass(ConfigurationClassParser.java:346) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassParser.processConfigurationClass(ConfigurationClassParser.java:281) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassParser.parse(ConfigurationClassParser.java:204) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassParser.parse(ConfigurationClassParser.java:172) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassPostProcessor.processConfigBeanDefinitions(ConfigurationClassPostProcessor.java:418) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConfigurationClassPostProcessor.postProcessBeanDefinitionRegistry(ConfigurationClassPostProcessor.java:290) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.support.PostProcessorRegistrationDelegate.invokeBeanDefinitionRegistryPostProcessors(PostProcessorRegistrationDelegate.java:349) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.support.PostProcessorRegistrationDelegate.invokeBeanFactoryPostProcessors(PostProcessorRegistrationDelegate.java:118) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.support.AbstractApplicationContext.invokeBeanFactoryPostProcessors(AbstractApplicationContext.java:791) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:609) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:752) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:439) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.SpringApplication.run(SpringApplication.java:318) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.SpringApplication.run(SpringApplication.java:1361) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.SpringApplication.run(SpringApplication.java:1350) ~[spring-boot-3.5.3.jar:3.5.3]
    at XpathDemo.main(XpathDemo.java:17) ~[classes/:na]
Caused by: java.lang.IllegalStateException: Could not evaluate condition on org.springframework.boot.autoconfigure.r2dbc.ConnectionFactoryConfigurations$PoolConfiguration due to io/r2dbc/spi/ValidationDepth not found. Make sure your own configuration does not rely on that class. This can also happen if you are @ComponentScanning a springframework package (e.g. if you put a @ComponentScan in the default package by mistake)
    at org.springframework.boot.autoconfigure.condition.SpringBootCondition.matches(SpringBootCondition.java:54) ~[spring-boot-autoconfigure-3.5.3.jar:3.5.3]
    at org.springframework.context.annotation.ConditionEvaluator.shouldSkip(ConditionEvaluator.java:99) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConditionEvaluator.shouldSkip(ConditionEvaluator.java:88) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ConditionEvaluator.shouldSkip(ConditionEvaluator.java:71) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider.isConditionMatch(ClassPathScanningCandidateComponentProvider.java:564) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider.isCandidateComponent(ClassPathScanningCandidateComponentProvider.java:547) ~[spring-context-6.2.8.jar:6.2.8]
    at org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider.scanCandidateComponents(ClassPathScanningCandidateComponentProvider.java:471) ~[spring-context-6.2.8.jar:6.2.8]
    ... 19 common frames omitted
Caused by: java.lang.NoClassDefFoundError: io/r2dbc/spi/ValidationDepth
    at java.base/java.lang.Class.getDeclaredFields0(Native Method) ~[na:na]
    at java.base/java.lang.Class.privateGetDeclaredFields(Class.java:3473) ~[na:na]
    at java.base/java.lang.Class.getDeclaredField(Class.java:2780) ~[na:na]
    at org.springframework.boot.context.properties.bind.DefaultBindConstructorProvider$Constructors.isInnerClass(DefaultBindConstructorProvider.java:144) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.DefaultBindConstructorProvider$Constructors.getCandidateConstructors(DefaultBindConstructorProvider.java:134) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.DefaultBindConstructorProvider$Constructors.getConstructors(DefaultBindConstructorProvider.java:103) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.DefaultBindConstructorProvider.getBindConstructor(DefaultBindConstructorProvider.java:42) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.ValueObjectBinder$ValueObject.get(ValueObjectBinder.java:230) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.ValueObjectBinder$ValueObject.get(ValueObjectBinder.java:220) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.ValueObjectBinder.bind(ValueObjectBinder.java:77) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.lambda$bindDataObject$6(Binder.java:488) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.fromDataObjectBinders(Binder.java:493) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.lambda$bindDataObject$7(Binder.java:487) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder$Context.withIncreasedDepth(Binder.java:608) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder$Context.withDataObject(Binder.java:594) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bindDataObject(Binder.java:487) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bindObject(Binder.java:426) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bind(Binder.java:357) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bind(Binder.java:345) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bind(Binder.java:275) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.context.properties.bind.Binder.bind(Binder.java:236) ~[spring-boot-3.5.3.jar:3.5.3]
    at org.springframework.boot.autoconfigure.r2dbc.ConnectionFactoryConfigurations$PooledConnectionFactoryCondition.getMatchOutcome(ConnectionFactoryConfigurations.java:155) ~[spring-boot-autoconfigure-3.5.3.jar:3.5.3]
    at org.springframework.boot.autoconfigure.condition.SpringBootCondition.matches(SpringBootCondition.java:47) ~[spring-boot-autoconfigure-3.5.3.jar:3.5.3]
    ... 25 common frames omitted
Caused by: java.lang.ClassNotFoundException: io.r2dbc.spi.ValidationDepth
    at java.base/jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[na:na]
    at java.base/jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188) ~[na:na]
    at java.base/java.lang.ClassLoader.loadClass(ClassLoader.java:526) ~[na:na]
    ... 48 common frames omitted


Process finished with exit code 1

Reasons:
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @ComponentScan
Posted by: riskop

79698228

Date: 2025-07-11 11:06:55
Score: 1.5
Natty:
Report link

If two arrays differ in size, then they are added together by broadcasting.

If the arrays have different numbers of dimensions (axes), the shape of the array with a smaller dimension is complemented by units on the left.

Thus, an array of dimension (3,) can be transformed into an array of dimension (1, 3), but not into an array of dimension (3, 1).

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

79698217

Date: 2025-07-11 10:58:53
Score: 3
Natty:
Report link

Les types, comme Peter Kofler, qui répondent pas à la question, mais qui donnent des conseils pour contourner la question ME GONFLENT.

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

79698208

Date: 2025-07-11 10:51:51
Score: 4
Natty:
Report link

just focus camera zoom on origin not both

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

79698206

Date: 2025-07-11 10:50:51
Score: 3.5
Natty:
Report link

A quick google search turned up with: https://github.com/ruudud/devdns this might be able to fix your problem?

Another very different solutions might be to use a service registry which you could always have running in your docker infrastructure while you run your services wherever. Documentation for using a service registry with spring: https://spring.io/guides/gs/service-registration-and-discovery. (There should be similar solutions out there for most of the bigger ecosystems.)

Reasons:
  • RegEx Blacklisted phrase (1.5): fix your problem?
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: dovvid

79698202

Date: 2025-07-11 10:48:50
Score: 5.5
Natty:
Report link

Where are you trying tonrhn the code?

What version of python are you using?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Where are you
  • Low reputation (1):
Posted by: Andreas Rothbacher

79698195

Date: 2025-07-11 10:43:49
Score: 5
Natty: 5.5
Report link

I can in sql 2016
but not in sql 2022 , why ?

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

79698194

Date: 2025-07-11 10:41:48
Score: 0.5
Natty:
Report link

This has been available if you use https://typelevel.org/cats/ on Foldables for a while, for example:

import cats.syntax.foldable._

val list = List(1, 2, 3, 4, 5)
println(list.sliding2)
// List((1,2), (2,3), (3,4), (4,5))

sliding3, sliding4, etc are also defined, see the scaladoc for more information.

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

79698191

Date: 2025-07-11 10:39:43
Score: 7
Natty:
Report link

did you find solution pls for this error pls

Reasons:
  • RegEx Blacklisted phrase (3): did you find solution
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): did you find solution
  • Low reputation (1):
Posted by: sadik410

79698176

Date: 2025-07-11 10:28:40
Score: 1.5
Natty:
Report link

You can follow a layered architecture like Clean Architecture where:

- The Domain layer holds business logic

- The Application layer manages commands/queries (e.g., using CQRS)

- The Infrastructure layer implements persistence, messaging, etc.

I recently created a [GitHub template](https://github.com/yourusername/CsharpDDDTemplate) for this exact pattern. It includes CQRS, DI setup, Docker, Kafka, and more. Might be a useful reference to see a working example.

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

79698175

Date: 2025-07-11 10:27:40
Score: 1.5
Natty:
Report link

Use openResources(...path) + waitUntilLoaded()

await VSBrowser.instance.openResources('/your/folder/path');

await new Workbench().waitUntilLoaded();

It will help you to open file

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

79698170

Date: 2025-07-11 10:24:39
Score: 3
Natty:
Report link

182 users * 55 request is good if you consider all 55 sub request in 1 transaction and 1 user runs this 1 transaction without any think time (constant timer or anything else).

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

79698166

Date: 2025-07-11 10:17:38
Score: 0.5
Natty:
Report link
  1. Go to appstoreconnect.apple.com

  2. Click on Apps

  3. Select your app

  4. Click on TestFlight

  5. Select a build

  6. Click on Build Metadata

  7. Click on App File Sizes

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

79698161

Date: 2025-07-11 10:13:36
Score: 1.5
Natty:
Report link

Here is the latest requirements as per Apple update. Screenshot-Specifications

Currently it only requires

iPhone 6.5"

enter image description here

iPad 13"

enter image description here

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

79698156

Date: 2025-07-11 10:10:35
Score: 2
Natty:
Report link

The answer to the above question is here...

https://support.google.com/docs/thread/356832818?hl=en&sjid=10003399125056233914-EU

The solution uses @Cooper code as follows:

function allsheetslist() {
  var ss=SpreadsheetApp.getActive();
  var shts=ss.getSheets();
  var html='<table>';
  shts.forEach(function(sh,i){
    html+=Utilities.formatString('<tr><td><input type="button" value="%s" onClick="gotoSheet(%s);" /></td></tr>',sh.getName(),sh.getIndex());
  });
  html+='</table>';
  html+='<script>function gotoSheet(index){google.script.run.gotoSheetIndex(index);}</script>';
  var userInterface=HtmlService.createHtmlOutput(html)
  SpreadsheetApp.getUi().showSidebar(userInterface);
}

function gotoSheetIndex(index) {
  var ss=SpreadsheetApp.getActive();
  var shts=ss.getSheets();
  shts[index-1].activate();
}

@--Hyde then provides his solution to replace a section of the code with the following:

shts.forEach((sheet, i) => {
    const sheetName = sheet.getName();
    if (sheetName.match(/^(Sheet1|Sheet2|Another sheet|Fourth)$/i))
      html += Utilities.formatString('<tr><td><input type="button" value="%s" onClick="gotoSheet(%s);" /></td></tr>', sheetName, sheet.getIndex());
  });

This does exactly what I hoped it would. It enables me to specify the exact sheets I want in my sidebar.

I hope that this proves useful to others.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Cooper
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: melrin

79698141

Date: 2025-07-11 09:58:32
Score: 1
Natty:
Report link

Try this command adb devices If you don't see your device connection in the list, you can kill the processes - killall adb And then reconnect your device. It helped me.

Reasons:
  • Whitelisted phrase (-1): Try this
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Arthur_ko

79698139

Date: 2025-07-11 09:56:32
Score: 2.5
Natty:
Report link

You must have solved the problem but I leave short answer for searchers.

In short, you cannot.

The metadata has come with Chrome 108

Here is the link. And Safari didn't introduce it.

I'm still looking for other ways to handle interactive-widget in Safari. Wish you guys good luck. Don't waste your time if the meta tag doesn't work.

Reasons:
  • Blacklisted phrase (1): Here is the link
  • No code block (0.5):
  • Low reputation (1):
Posted by: 김꼬막

79698138

Date: 2025-07-11 09:56:32
Score: 0.5
Natty:
Report link

Use CONCAT_WS.

WHERE CONCAT_WS(' ', firstName, lastName) LIKE CONCAT('%', 'alex', '%')

It concatenates all NOT NULL arguments from the 2nd to the end, with the first one as separator, and returns NULL only if all of them are NULL.

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

79698127

Date: 2025-07-11 09:50:30
Score: 3
Natty:
Report link

I was facing similar problem where gmail was working play store was working on emulator. I was able to resolve issue by just updating chrome browser from playstore of emulator.

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

79698123

Date: 2025-07-11 09:45:28
Score: 0.5
Natty:
Report link

As per the xgboost documentation (xgboost docs). Apart from the parameters such as "objective" by default points to square error, "enable_categorical" points to False, and "missing points" to nan. Apart from these parameters all others are optional which is None by default. So, you are getting none.

You can print the entire parameters, using the below code to check it out. In your given model object-based display it is word wrapped to fit the display and line limits.

# Get the default parameters
default_params = model.get_params()

# Print the default parameters
for param, value in default_params.items():
    print(f"{param}: {value}")
Reasons:
  • Blacklisted phrase (0.5): check it out
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: bharathrajad

79698118

Date: 2025-07-11 09:41:27
Score: 2.5
Natty:
Report link

It might be due to wrong declaration of function. Nowadays most of the India based top best mobile game development company in India were using new techniques to optimize the codes.

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

79698114

Date: 2025-07-11 09:38:26
Score: 1.5
Natty:
Report link

numpy can be used to extract maximal value from a histogram:

import numpy as np

hist_data, _ = np.histogram(df['error'], bins='auto')
ymax = max(hist_data)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Starts with a question (0.5): can
  • Low reputation (0.5):
Posted by: RCDevs Security

79698110

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

The only way to upload reports to Artillery Cloud is to use --record with your API Key, as seen on Artillery docs.

Alternatively, you can try running Artillery from a machine on a different network (e.g. from your home network, or from a cloud instance).

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

79698092

Date: 2025-07-11 09:23:22
Score: 9
Natty: 4.5
Report link

I'm facing the same issue of @shiftyscales, even running in separate processes, the second instance app remains somehow alive after quitting, which makes the first instance frozen. It is not until I kill the second instance "stuck" process, the first start reacting again. Any idea why is it happening?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm facing the same issue
  • Ends in question mark (2):
  • User mentioned (1): @shiftyscales
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Daniel Santana

79698090

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

In my case, position: sticky elements failing to stick is due to having height: -webkit-fill-available in any of the element's ancestors.

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

79698089

Date: 2025-07-11 09:18:20
Score: 3
Natty:
Report link

Baixaryoucine: LazyVim doesn't add Perl text filters to the runtime path by default—you may need to configure it manually.

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

79698081

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

I changed the path in my .zshrc like follows:

export PATH="~/.config/nvim/filter:$PATH"

to

export PATH="/Users/mstep/.config/nvim/filter:$PATH

Everything is working now

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

79698077

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

The maximum acceptable clock deviation between non-master FE to master FE hosts is caused by 5 seconds exceeding the default value. ntp needs to be turned on to ensure time synchronization, which is less than the default 5-second time difference.

Controlled by fe's max_bdbje_clock_delta_ms parameter.

For FE parameter description, you can check the FE configuration items:

https://doris.apache.org/zh-CN/docs/admin-manual/config/fe-config

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

79698076

Date: 2025-07-11 09:08:17
Score: 2.5
Natty:
Report link

I just went back a couple of commits and found the change. I have no idea why this happened, maybe a side-effect when upgrading react native. Anyways after setting this back to Apple Watch I was able to run the simulator again

Screenshot of Build Settings

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Marco Weber

79698075

Date: 2025-07-11 09:08:12
Score: 6.5
Natty:
Report link

Hey i am having the same issue, when i open and close a modal. in one screen and goes to another screen or component and try to open another modal , the previously opened modal is flashing . i am using react native 0.79.4 and new architecture

Reasons:
  • RegEx Blacklisted phrase (2): Hey i am
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): i am having the same issue
  • Low reputation (1):
Posted by: Prajwal VK

79698074

Date: 2025-07-11 09:06:12
Score: 3
Natty:
Report link

So just some background. I needed to update a MySQL 5.7 DB to 8.0 in Docker. But I kept receiving the dreaded error below:

2025-07-11T07:39:47.498269Z 1 \[ERROR\] \[MY-012526\] \[InnoDB\] Upgrade is not supported after a crash or shutdown with innodb_fast_shutdown = 2. This redo log was created with MySQL 5.7.33, and it appears logically non empty. Please follow the instructions at http://dev.mysql.com/doc/refman/8.0/en/upgrading.html

2025-07-11T07:39:47.498314Z 1 \[ERROR\] \[MY-012930\] \[InnoDB\] Plugin initialization aborted with error Generic error.

2025-07-11T07:39:47.912827Z 1 \[ERROR\] \[MY-011013\] \[Server\] Failed to initialize DD Storage Engine.

2025-07-11T07:39:47.913225Z 0 \[ERROR\] \[MY-010020\] \[Server\] Data Dictionary initialization failed.

2025-07-11T07:39:47.913276Z 0 \[ERROR\] \[MY-010119\] \[Server\] Aborting

2025-07-11T07:39:47.914128Z 0 \[System\] \[MY-010910\] \[Server\] /usr/sbin/mysqld: Shutdown complete (mysqld 8.0.32)  MySQL Community Server - GPL.

So how did I solve it:

I CANNOT EMPHASIZE HOW IMPORTANT IT IS TO GET A BACKUP THAT YOU CAN MOVE SOMEWHERE ELSE (another physical server with Docker) YOU CAN FREELY WORK WITH IT. I take a FULL copy at the slowest time of the DB (2:00am)

docker cp ACME_PRODUCTION_DOCKER_CONTAINER_NAME:/var/lib/mysql/ /tmp/acmeproddbs_mysql/   
zip -q -r "/tmp/var_lib_mysql_Folder_2025-07-11.zip" /tmp/acmeproddbs_mysql/mysql/\*  

!!! YOU ARE NOW ON YOUR TEST SERVER !!!

$ docker rm -f ACME_DOCKER_CONTAINER_NAME [[BE-CAREFUL TRIPLE VERIFY YOU HAVE A VALID BACKUP!]]
$ rm -r /var/lib/mysql_acme_dbs/  [[BE-CAREFUL SEE NOTE ABOVE ABOUT TRIPLE CHECKING YOUR BACKUP IS VALID]]

$ cat /etc/group | grep mysql [[IS THE mysql GROUP ALREADY EXISITNFG?]]
$ groupadd -r mysql && useradd -r -g mysql mysql  [[RUN_IF_NEEDED]]

$ unzip /tmp/var_lib_mysql_Folder_2025-07-11.zip -d /var/lib/mysql_acme_dbs
$ chmod -R 777 /var/lib/mysql_acme_dbs [[MY_FRUSTRATION (ON MY SYSTEM) GOT THE BEST OF ME :( ]]
$ chown -R mysql:mysql /var/lib/mysql_acme_dbs
$ docker run [COMMAND_BELOW]
### NOT NEEDED BUT IT WILL SHOW YOU WHAT NEEDS TO HAPPEN BEFORE UPGRADE, SHOULD IT BE NEEDED.
  $ docker exec -it ACME_DOCKER_CONTAINER_NAME bash
    bash-4.2# mysqlsh
      MySQL  JS > \connect root@localhost:3306
        Please provide the password for 'root@localhost:3306': MYSQL_PASSWORD
      MySQL  JS > util.checkForServerUpgrade()
      [[REPORT AFTER CHECK IS SHOWN HERE]]
      MySQL  JS > \quit
###
$ docker exec -it ACME_DOCKER_CONTAINER_NAME mysql_upgrade -uroot -pMYSQL_PASSWORD
$ docker stop ACME_DOCKER_CONTAINER_NAME  [[IMPORTANT YOU USE "stop" AND NOT "rm -f" SO IT WILL GRACEFULLY SHUTDOWN AND YOU WONT GET THE ERROR MESSAGE]]
$ docker rm ACME_DOCKER_CONTAINER_NAME
$ docker run [["docker run..." COMMAND_BELOW BUT THIS TIME WITH "-d mysql/mysql-server:8.0"]]

docker run -p 3306:3306 \
  --name=ACME_DOCKER_CONTAINER_NAME \
  --mount type=bind,src=/var/lib/mysql_acme_dbs,dst=/var/lib/mysql \
  -e MYSQL_ROOT_PASSWORD=MYSQL_PASSWORD \
  -d mysql/mysql-server:5.7 \
  mysqld \
  --lower_case_table_names=1 \
  --max_connections=3001 \
  --max_allowed_packet=128M \
  --innodb_buffer_pool_size=128M \
  --innodb_fast_shutdown=1 \
  --host_cache_size=0

AT THE END YOU SHOULD SEE "MySQL 8.0"

$ docker exec -it ACME_DOCKER_CONTAINER_NAME mysql -uroot -pMYSQL_PASSWORD -v

HOPE THIS HELPS SOMEONE! Please write back here so others can use this with confidence. Ofcourse nothing here is written in stone, so change parameters to your needs. I am just pointing out the process to how I got it to work.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Blacklisted phrase (1): :(
  • Blacklisted phrase (0.5): I CANNOT
  • Whitelisted phrase (-1): HOPE THIS HELPS
  • RegEx Blacklisted phrase (2.5): Please provide
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: William

79698073

Date: 2025-07-11 09:06:12
Score: 1.5
Natty:
Report link

Thank you all for your efforts helping me to better understand that there is moore than one way to arrive at a solution that can vary between db engines. I had to use @ValNik suggestion to use a subquery in order to finish our new item information webpage presenting yearly price changes summary.

This is propably not optimal but it works and that is good enough.

SELECT MYPERIOD,MYQTY1,SALES,COST,PRICE,COSTPRICE,MARGIN,
    LAG( PRICE)OVER(ORDER BY MYPERIOD) AS PREV_PRICE
FROM(
SELECT
    LEFT(p.D3611_Transaktionsda, 4) AS MYPERIOD,
    SUM(p.D3631_Antal) AS MYQTY1,
    SUM(p.D3653_Debiterbart) AS SALES,
    SUM(p.D3651_Kostnad) AS COST,
    SUM(p.D3653_Debiterbart) / SUM(p.D3631_Antal) AS PRICE,
    SUM(p.D3651_Kostnad) / SUM(D3631_Antal) AS COSTPRICE,
    (SUM(p.D3653_Debiterbart) - SUM(p.D3651_Kostnad)) / SUM(p.D3653_Debiterbart) AS MARGIN  
  FROM PUPROTRA AS p
  WHERE p.D3605_Artikelkod = 'XYZ'
    AND p.D3601_Ursprung='O'
    AND p.D3625_Transaktionsty = 'U'
    AND p.D3631_Antal<>0 AND p.D3653_Debiterbart<>0
  GROUP BY LEFT(p.D3611_Transaktionsda, 4)
) as T
Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @ValNik
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Acke

79698063

Date: 2025-07-11 08:56:09
Score: 2.5
Natty:
Report link

Just check if you've one of these

MudThemeProvider
MudPopoverProvider
MudDialogProvider
MudSnackbarProvider

doubled somewhere (i.e. in your Layout-files).

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

79698062

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

It looks like TPU v6e doesn’t support TensorFlow; currently, only PyTorch and JAX are supported. https://cloud.google.com/tpu/docs/v6e-intro

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

79698059

Date: 2025-07-11 08:51:08
Score: 1.5
Natty:
Report link

It might be the casing of a folder in the path, so check the full path. "/path/File.tsx" is different than "/Path/File.tsx". The file casing is more obvious, but the folders in the path are just as important and less obvious.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Emre Bener

79698056

Date: 2025-07-11 08:50:08
Score: 3
Natty:
Report link

This is working for me:

db_dict = {"col" : sqlalchemy.dialects.mysql.VARCHAR(v)}

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

79698055

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

If anyone's scratching their head like me in 2025 version of IDEA, they've moved it to Settings -> Advanced Settings -> Version Control -> Use modal commit interface for Git and Mercurial. And the whole thing is a separate plugin now, not sure why they consider this a feature, rather than removal of it... Context -> https://youtrack.jetbrains.com/issue/IJPL-177161/Modal-commit-moved-to-a-separate-plugin-in-2025.1-Discussion

enter image description here

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

79698052

Date: 2025-07-11 08:46:07
Score: 0.5
Natty:
Report link

Double check that the file is actually named Users.ts and not users.ts as Vercel and Git are case-sensitive.

Try renaming the file to something else, commit and push, then rename it back, that resolves case-related issues.

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

79698039

Date: 2025-07-11 08:32:03
Score: 2
Natty:
Report link

When I used RAND() with Synapse on a serverless pool I got the same value from RAND() on every row. My workaround for this was to use the ROW_NUMBER() as the seed for RAND(). This gave the RAND() call on each row a different seed and it definitely generated different numbers. When I used to result to partition a dataset into an 80%/10%/10% split all the partitions came out the right size, so I hope it is random enough.

SELECT RAND(ROW_NUMBER() OVER())

Reasons:
  • No code block (0.5):
  • Starts with a question (0.5): When I use
  • Low reputation (1):
Posted by: T L

79698032

Date: 2025-07-11 08:21:01
Score: 1.5
Natty:
Report link

Windows 11 new Contrast Theme affects many apps including Eclipse, Before open Eclipse app, just turn off your Windows 11 Contrast Theme by Press left Alt + Left Shift + Print Screen to turn off your Windows's Contrast Theme, and then open your Eclipse app, all the Eclipse's own themes can now be used as you wish. Now tab out to go back to Windows, Press left Alt + Left Shift + Print Screen to turn on Windows 11 new Contrast Theme, now back to Eclipse, the system ask you to re-start the app to enable Contrast them, you click no and enjoy programming with Eclipse's theme (dark theme).

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

79698030

Date: 2025-07-11 08:20:01
Score: 2.5
Natty:
Report link
key_stroke = getch()

clears the buffer...

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: ibo2147

79698025

Date: 2025-07-11 08:17:00
Score: 2
Natty:
Report link

I observed weird behavior when performing non-blocking accept loop. When there are multiple connection requests in the queue, only the first accept attempt succeed. All subsequent attempt fail with EAGAIN.

Visit here

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