79740582

Date: 2025-08-20 03:18:03
Score: 3
Natty:
Report link
header 1 header 2
cell 1 cell 2
cell 3 cell 4
Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: SURAJ AHIRWAR

79740573

Date: 2025-08-20 02:47:56
Score: 1.5
Natty:
Report link

Seeing the same issue as user1967479, We are able to repeat this behaviour on dbatools v2.1.30 with sql server 2022. Separating to bak and trn restore has resolved the issue.

We used the below code to restore the bak and trn files leaving the db in norecovery ready for adding to an availability group. Hope this helps someone else.

# Full backup first
Restore-DbaDatabase -SqlInstance "$TargetServerInstance" `
    -Path (Get-ChildItem "$TargetCopyFolder\$($RefreshDatabase.name)\*.bak" | Sort-Object LastWriteTime).FullName -DatabaseName "$($RefreshDatabase.name)" -WithReplace -NoRecovery -ErrorAction Stop
# Apply transaction logs
Restore-DbaDatabase -SqlInstance "$TargetServerInstance" -Path (Get-ChildItem "$TargetCopyFolder\$($RefreshDatabase.name)\*.trn" | Sort-Object LastWriteTime).FullName -DatabaseName "$($RefreshDatabase.name)" -Recovery -ErrorAction Stop
Reasons:
  • Whitelisted phrase (-1): Hope this helps
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): Seeing the same issue
  • Low reputation (1):
Posted by: Rod West

79740572

Date: 2025-08-20 02:46:56
Score: 1
Natty:
Report link

If you are using vite bundler and version@3 so you have to run these 2 commands

npm install -D tailwindcss@3 postcss autoprefixer
npx tailwindcss init -p

after this there is file name postcss.config.js than add in content

content: ["./src/**/*.{js,ts,jsx,tsx}"],

your problem will solve!

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

79740571

Date: 2025-08-20 02:45:56
Score: 0.5
Natty:
Report link

Good question. Lets say you have a table with a billion rows in it, inserted over the last 15 years, but your application only really ever needs to access the last few months worth of data. Let's say you divide up your table into partitions and run your queries on just the one with the most recent data. An index helps find individual rows, but range based queries still do a full table scan. If you limit these within a specific partition you greatly reduce the amount of data that must be processed. Even something like an indexed WHERE clause involves additional IO operations, you're pulling an index from disk and scanning it. With partitioning you don't need to pull from disk. In the example you know beforehand that you're only interested in the most recent few months of data, so this is an improvement. Partitioning improves cache utilization since operations are limited to pulling the same smaller subset of data into cache. Also, the partitions indexes themselves will be smaller and run faster. Remember the index still has to be loaded into memory, for very large tables (like a billion rows) it can be a substantial amount of IO just to traverse an index. And infact you can setup local indexes on particular partitions. It also makes backup / restoration / archiving / data deletion easier since you can do things like drop an old partition, which takes a very minimal amount of resources compared with deleting all the individual rows.

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

79740568

Date: 2025-08-20 02:41:54
Score: 4
Natty:
Report link

if you use inject , make sure do it right
Inject setting with build setting

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

79740565

Date: 2025-08-20 02:38:53
Score: 1.5
Natty:
Report link

I had the same problem on Hadoop 3.3.6. I found out the DataTransfer port (9866 in my case) on the server was not exposed to client. All I had to do was to open this port.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: The UMA

79740559

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

Alternatively, using a template literal also converts the `BigInt` to a string implicitly.

let result = 15511210043330985984000000n;
console.log(`${result}`); // Outputs: 15511210043330985984000000
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Siva Surya

79740552

Date: 2025-08-20 01:52:44
Score: 4.5
Natty:
Report link

Try adding:

@rendermode InteractiveServer

to the top of your razor page.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @rendermode
  • Low reputation (1):
Posted by: Coder

79740548

Date: 2025-08-20 01:47:43
Score: 3
Natty:
Report link

Thanks to @Tsyvarev I found out that I misunderstood the error message. There was another source file that I forgot to add dependency and the error was about that target rather than the one I posted. After adding dependency using target_link_libraries everything worked fine.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Tsyvarev
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: X. Sun

79740544

Date: 2025-08-20 01:23:38
Score: 1
Natty:
Report link

TL;DR

Don’t create the ConnectionFactory manually in code.
Instead, inject it with @Resource so WebLogic uses the credentials from the Foreign Server configuration.


I was able to find the root cause for this a few weeks ago, and now I’m taking the time to close this topic.

The issue was actually in the application source code, which I was initially trying to avoid changing.

The application was creating the ConnectionFactory like this:

public static void sendMessage(final Object msg, final String queueName) throws Exception {
    String connectionFactoryName = "ConnectionFactoryName";
    ServiceLocator sl = ServiceLocatorFactory.getServiceLocator(queues);
    
    try {
        QueueConnectionFactory connectionFactory = sl.getQueueConnectionFactory(connectionFactoryName);
        QueueConnection connection = connectionFactory.createQueueConnection();

        [...]
    }
}

When I changed the line to explicitly provide username and password:

QueueConnection connection = connectionFactory.createQueueConnection("user", "password");

the connection was authenticated successfully.


So, when you create a ConnectionFactory directly in code without passing user and password as arguments, the application will still retrieve all configuration from the Foreign Server (such as Remote JNDI and Remote ConnectionFactory), except the user/password values defined there.


Final Fix

The real fix was to avoid creating the ConnectionFactory in code at all. Instead, I injected it directly into the MDB EJB using @Resource. This way, the application receives the complete ConnectionFactory with the authentication provided inside the Foreign Server:

@Resource(lookup = "jms/app/remoteFactory")
private QueueConnectionFactory connectionFactory;
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Resource
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: vz1654056

79740542

Date: 2025-08-20 01:21:38
Score: 1.5
Natty:
Report link

Simple Answer

Use GoogleWebAuthorizationBroker for desktop.

For server-side web apps, use GoogleAuthorizationCodeFlow

Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: 0ro2

79740539

Date: 2025-08-20 01:15:35
Score: 6.5
Natty: 4
Report link

Were you able to get into this API? Every query I attempt yields the same error your posted regardless of the endpoint.

Reasons:
  • RegEx Blacklisted phrase (3): Were you able
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Michael Klemens

79740538

Date: 2025-08-20 01:11:34
Score: 1
Natty:
Report link

For server-side .NET apps you should not use GoogleWebAuthorizationBroker (it opens a local browser). The right way is to use a Service Account with a key file. My suggestion is first Create a Service Account in Google Cloud, enable the Drive API, download the JSON key, and share the target Drive folder with that service account email.

Then use GoogleCredential.FromFile("key.json").CreateScoped(DriveService.Scope.Drive) to build your DriveService. This works on any web server without user interaction.

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

79740534

Date: 2025-08-20 00:59:31
Score: 4.5
Natty: 4
Report link

A bit late to the party but, is there a way to use the in-app browser from Capacitor to prevent this horrific UX? If the browser window fl

Reasons:
  • Blacklisted phrase (1): is there a way
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Flobo79

79740531

Date: 2025-08-20 00:50:29
Score: 0.5
Natty:
Report link

How to Enable Auto Indent on Paste in VS Code or VSCodium

1. Install or Update

Make sure you're using VS Code or VSCodium version 1.102.2 or later.

Ref: commit history

2. Open Settings

3. Set Auto Indent On Paste

vscode-auto-indent

Reasons:
  • Has code block (-0.5):
  • Starts with a question (0.5): How to
  • Low reputation (0.5):
Posted by: Asalan

79740528

Date: 2025-08-20 00:39:27
Score: 2.5
Natty:
Report link

I just removed defaultValue: 0 from migration and HasDefaultValue(0) from configuration. After that it seems working fine. It seems that due to some reason MSSQL not saving default value 0 when we paas HasDefaultValue.

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

79740518

Date: 2025-08-20 00:16:21
Score: 1.5
Natty:
Report link

https://developers.google.com/search/docs/crawling-indexing/consolidate-duplicate-urls?utm_source=chatgpt.com

as per Google suggestion:

Canonical tags should use absolute URLs — e.g., https://example.com/page/, not /page/.

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

79740515

Date: 2025-08-20 00:13:20
Score: 4.5
Natty:
Report link

Thanks @Hamed Jimoh and @Salketer for your comment. After studying the ricky123 VAD code base, I switched to use NonRealTimeVAD following the example (https://github.com/ricky0123/vad/blob/master/test-site/src/non-real-time-test.ts#L31). Here is the code used in a Web Worker:

    import { NonRealTimeVAD, NonRealTimeVADOptions, utils } from "@ricky0123/vad-web";
    
    var concatArrays = (arrays: Float32Array[]): Float32Array => {
        const sizes = arrays.reduce((out, next) => {
                                        out.push(out.at(-1) as number + next.length);
                                        return out;
                                    }, [0]);
        const outArray = new Float32Array(sizes.at(-1) as number);
        arrays.forEach((arr, index) => {
            const place = sizes[index];
            outArray.set(arr, place);
        });
        return outArray;
    };
    
    // const options: Partial<NonRealTimeVADOptions> = {
    //     // FrameProcessorOptions defaults
    //     positiveSpeechThreshold: 0.5,
    //     negativeSpeechThreshold: 0.5 - 0.15,
    //     preSpeechPadFrames: 3,
    //     redemptionFrames: 24,
    //     frameSamples: 512,
    //     minSpeechFrames: 9,
    //     submitUserSpeechOnPause: false,
    // };
    
    var Ricky0123VadWorker = class {
        vad: NonRealTimeVAD|null;
        sampleRate: number = 16000;
        
        constructor() {
            this.vad = null;
    
            this.init = this.init.bind(this);
            this.process = this.process.bind(this);
        }
        
        public async init(sampleRate: number) {
            console.log("VAD initialization request.");
            
            try {
                this.sampleRate = sampleRate;
                
                const baseAssetPath = '/vad-models/';
                defaultNonRealTimeVADOptions.modelURL = baseAssetPath + 'silero_vad_v5.onnx';
                // defaultNonRealTimeVADOptions.modelURL = baseAssetPath + 'silero_vad_legacy.onnx';
                this.vad = await NonRealTimeVAD.new(defaultNonRealTimeVADOptions); // default options
                
                console.log("VAD instantiated.");
                self.postMessage({ type: "initComplete" });
            }
            catch (error: any) {
                self.postMessage({ type: 'error', error: error.message });
            }
        }
        
        public async process(chunk: Float32Array) {
            // Received an audio chunk from the AudioWorkletNode.        
            
            let segmentNumber = 0;
            let buffer: Float32Array[] = [];
            for await (const {audio, start, end} of this.vad!.run(chunk, this.sampleRate)) {
                segmentNumber++;
                // do stuff with
                //   audio (float32array of audio)
                //   start (milliseconds into audio where speech starts)
                //   end (milliseconds into audio where speech ends)
                buffer.push(audio);
            }
            if (segmentNumber > 0) {
                console.log("Speech segments detected");
                const audio = concatArrays(buffer);
                self.postMessage({ type: 'speech', data: audio });
            }
            else {
                console.log("No speech segments detected");
            }
        }
        
        // Finalize the VAD process.
        public finish() {
            this.vad = null;
        }
    };
    
    var vadWorkerInstance = new Ricky0123VadWorker();
    
    self.onmessage = (event) => {
        const { type, data } = event.data;
        switch (type) {
            case "init":
                vadWorkerInstance.init(data);
                break;
            case "chunk":
                vadWorkerInstance.process(data);
                break;
            case "finish":
                vadWorkerInstance.finish();
                break;
        }
    };

The worker creation in the main thread:

    const vadWorker = new Worker(
                                          new URL('../lib/workers/ricky0123VadWorker.tsx', import.meta.url),
                                          { type: 'module' }
                                    );

Upon running the web page, it still hangs on this.vad = await NonRealTimeVAD.new() as console.log afterwards never outputs the trace message. I tried both silero_vad_legacy.onnx and silero_vad_v5.onnx. I also copied the following files into public/vad-models/ folder:

    silero_vad_v5.onnx
    silero_vad_legacy.onnx
    vad.worklet.bundle.min.js
    ort-wasm-simd-threaded.wasm
    ort-wasm-simd-threaded.mjs
    ort-wasm-simd-threaded.jsep.wasm
    ort.js

I suspect something wrong with underlying model loading. Without any error messages, it's hard to know where the problem is exactly. Could anyone enlighten me on what else I missed out to cause the hang?

Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • User mentioned (1): @and
  • User mentioned (0): @for
  • Self-answer (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: user30919975

79740514

Date: 2025-08-20 00:12:20
Score: 1.5
Natty:
Report link

app_location should be relative to the repo root (no leading ./), and output_location should be relative to that app_location.

app_location: "BDOOPT_VUE/bdo-optimizer-temp"
output_location: "dist"

Refer to this doc : https://learn.microsoft.com/en-us/azure/static-web-apps/build-configuration?tabs=identity&pivots=github-actions

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

79740504

Date: 2025-08-19 23:54:16
Score: 1
Natty:
Report link

Relax - they just mean that "You cannot reverse this from this page", not "This permanently blocks vs code from accessing your github".

I know it's been a while since this was posted, but here's what worked for me.

1. Sign out of github on VS code. Go to the command palette, and type "Github sign out".

2. go to your credential manager and remove the git credentials from your system.

3. now open vs code again, and click "clone a repo". It will detect that you're not signed in, and give you the option to sign in. continue as normal.

Reasons:
  • Blacklisted phrase (1): I know it's been
  • Whitelisted phrase (-1): worked for me
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: aarushi1104

79740503

Date: 2025-08-19 23:54:16
Score: 4.5
Natty: 5
Report link

Các bạn có thể tham khảo bài viết Toán tử REGEXP trong MySQL của bên mình https://webmoi.vn/toan-tu-regexp-trong-mysql/

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Bùi Tấn Lực

79740492

Date: 2025-08-19 23:30:10
Score: 1
Natty:
Report link

termqt is another python terminal emulator
that works with PyQt and PySide

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

79740461

Date: 2025-08-19 22:40:59
Score: 2.5
Natty:
Report link

You just cannot ask something in the console using Flask.
If you want to interact with the console while using a WSGI server,
it’s not a good idea.

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

79740453

Date: 2025-08-19 22:21:54
Score: 1.5
Natty:
Report link

Yes, your issue is version compatibility. The Vault API changes between versions, so binaries built against Vault 2012 DLLs will not reliably work with Vault 2015 because of authentication and API differences. You’ll need to reference the matching Vault 2015 SDK assemblies and recompile your code. Unfortunately, there’s no single universal build that works across all Vault versions, but you can design your code to be version-flexible by using abstraction layers or conditional compilation so you only swap DLL references per version.

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

79740434

Date: 2025-08-19 22:03:49
Score: 1.5
Natty:
Report link

from PIL import Image

# Load the image

img_path = 'path_to_your_image.jpg'

img = Image.open(img_path)

# You can manually crop or use inpainting techniques to remove the person

# Example of cropping (this part can be customized to your needs)

cropped_img = img.crop((left, top, right, bottom))

# Save the edited image

cropped_img.save('edited_image.jpg')

# Optionally, display the result

cropped_img.show()

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Fiorella Tasigchana Mendoza

79740422

Date: 2025-08-19 21:39:43
Score: 1.5
Natty:
Report link

Non of the solutions worked for me, but this:

Click on the 3 dots at the right top corner and click on:

Device Emulation

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

79740396

Date: 2025-08-19 20:59:33
Score: 3
Natty:
Report link

By selecting the Business Intelligence option during SSMS21 installation, the issue is resolved.

I tried this on 19/8.2025 and it got the issue fixed. after coming to this page

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

79740387

Date: 2025-08-19 20:45:29
Score: 1
Natty:
Report link

If you're using Spring Kafka containers (e.g. @KafkaListener as a basis for your stuff in Spring Boot) - you don't need manual acknowledgement.

Just set AckMode in your Container Properties to RECORD - and be happy.
Container would do that lower-level Kafka API Consumer manual ack for you.

P.S. On a side note - the default 5 sec is way, way, WAY too long in a nowadays nanosecond-fine world. For one, the default for "native" Kafka API is 100ms, to my recollection.
I don't even know what these Spring Kafka guys were thinking when they set it (although it goes along with a messy quality of the package itself).

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • User mentioned (1): @KafkaListener
Posted by: Yuri G

79740375

Date: 2025-08-19 20:26:24
Score: 0.5
Natty:
Report link

Just iterate all select elements by index.

selects = page.locator("select")
for i in range(selects.count()):
    selects.nth(i).select_option("raw")

You mentioned AttributeError: 'Locator' object has no attribute 'all', which it doesn't.

Should work for you.

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

79740370

Date: 2025-08-19 20:24:23
Score: 1
Natty:
Report link

I'm trying to get this working, based on a YouTube video that credits this forum post. However, I've tried it exactly as shown on the video and with numerous alterations in an attempt to make it function properly. I can make either form initiate an email, but with only the elements from the posting page, the parent or the iframe. No matter what I try, it won't combine the data from both when I post from the parent. What am I missing?

Here's my parent code:

<body>

<form action="mailto:[email protected]?subject=Test" onsubmit="this.submit();return false;" id="form1" method="post" enctype="text/plain">

Parent Entry:<input type="text" size="25" name="Parent Entry">

<br>

<iframe src ="testiframe.htm" width="auto" height="44px" frameborder="0">

</iframe>

<br>

<input type="image" name src="email.gif" border="0" width="200" onsubmit="submitBothForms()">

<script>

function submitBothForms() {

var iframedoc = document.getElementById('myIframe').contentWindow.document;

var inputs = iframedoc.getElementsByTagName('input');

$('#form1').append($(inputs));

document.getElementById('form1').submit();

}

</script>

</form>

</body>

And my iframe code:

<body>

<form action="mailto:[email protected]?subject=Test" onsubmit="this.submit();return false;" id="form2" method="post" enctype="text/plain">

iFrame Entry: <input type="text" size="20" name="iFrame Entry" value="" id="myIframe" /><br><br>

<input type="image" name src="email.gif" border="0" width="200" onsubmit="this.submit()">

<script>

var iframedoc = getElementById('myIframe').contentWindow.document;

var inputs = iframedoc.getElementsByTagName('input');

iframedoc.getElementsByTagName('form')[0].submit();

</script>

</form>

</body>

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

79740367

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

After looking into this for about an hour. I searched the alpine for "alpine store" to see if there are alternatives and I think that there may be some conflicts or they have rolled Spruce into Alpine which may be why Spruce is now in public archive.

That said for all the lost soles out there. Here is the link to the Alpine.store() documentation.

https://alpinejs.dev/globals/alpine-store

Reasons:
  • Blacklisted phrase (1): Here is the link
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: AvidDabbler

79740365

Date: 2025-08-19 20:16:20
Score: 1.5
Natty:
Report link

I tried lot of other steps, but below solved my problem

python -m pip install pip-system-certs --use-feature=truststore
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Raj Tech Enhance

79740364

Date: 2025-08-19 20:15:20
Score: 9.5
Natty: 8
Report link

did you figure out a solution to this issue?

Reasons:
  • RegEx Blacklisted phrase (3): did you figure out a solution to this
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): did you
  • Low reputation (1):
Posted by: anonym

79740355

Date: 2025-08-19 20:05:16
Score: 3.5
Natty:
Report link

Instead of using sandbox domain name use api.wise.com. So the correct version of endpoint is https://api.transferwise.com/v1/transfers

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

79740354

Date: 2025-08-19 20:02:15
Score: 2
Natty:
Report link

For anyone that comes to this post:

Microsoft had changed the default behavior description in "For each" loops but it doesn't seem like its implementation had changed.

I had the same exact problem as @Hugo and noticed that my "for each" had the following settings:

enter image description here

I suspected that it wasn't running sequentially as in each iteration my object was always with no property set. So I forced a concurrency control with only one degree of parallelism.

enter image description here

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Probably link only (1):
  • No code block (0.5):
  • User mentioned (1): @Hugo
  • Low reputation (0.5):
Posted by: Gabriel Antonio

79740352

Date: 2025-08-19 20:01:15
Score: 0.5
Natty:
Report link

If what you shared is a working example, then, you could do:

# wait for the old message to be unloaded
expect(old_message_element).toBeHidden()

then continue with what you wrote:

answer_input = page.locator("#message textarea[name='answer']")
....
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: ProgrammingEnthusiast

79740349

Date: 2025-08-19 19:55:13
Score: 2
Natty:
Report link

Have you had a chance to review the Stripe guide on resolving signature verification errors? Additionally, it would be helpful to log the payload and the headers of the requests you receive. If you haven't done so already, logging these values can help identify any discrepancies that might be causing the signature verification errors.

For your reference, here’s the relevant link to the guide:

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

79740348

Date: 2025-08-19 19:55:13
Score: 1
Natty:
Report link

Replace <cmath> with <math.h> in all files. <cmath> is only in C++.

Additionally, compile with /TC for C files & /TP for C++ files.

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

79740341

Date: 2025-08-19 19:48:11
Score: 3.5
Natty:
Report link

Use this library, it is a helper model of openpuxls that has all the styles very easily, be sure to visit it pip install excelstyler

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

79740339

Date: 2025-08-19 19:47:10
Score: 3.5
Natty:
Report link

Don't use cascading deletes ever.

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

79740334

Date: 2025-08-19 19:41:08
Score: 1
Natty:
Report link

I had to do a nested query and cast entry_date as an INT64 twice. If I didn't the message would read "No matching signature for function TIMESTAMP_SECONDS Argument types: FLOAT64 Signature: TIMESTAMP_SECONDS(INT64) Argument 1: Unable to coerce type FLOAT64 to expected type INT64."

The code is below.

select 
  individual, 
  date(TIMESTAMP_SECONDS(entry_sec)) as entry_date_converted

  from(
    select *,
    cast(cast(entry_date as int64)/1000000000 as int64) as entry_sec
    from table 

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

79740331

Date: 2025-08-19 19:31:05
Score: 2
Natty:
Report link
Sub SaveNewWorkbookAs()
    Dim wb As Workbook
    Dim filename As String

    filename = "C:\Temp\MyFile.xlsx"

    Set wb = Workbooks("Book1") ' or ActiveWorkbook
    wb.SaveAs filename:=filename, FileFormat:=xlOpenXMLWorkbook
End Sub

try this does it work?

Reasons:
  • Whitelisted phrase (-1): try this
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: ZephyR

79740327

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

Try this, does it work for you?

Sub SaveAsFile(filename As String)
    Dim wb As Workbook
    Set wb = ActiveWorkbook ' or Workbooks("Book1")
    wb.SaveAs filename:=filename
End Sub
Reasons:
  • Whitelisted phrase (-1): Try this
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: 0ro2

79740325

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

@Radosław Szczerba

I tried this and still does not work.

"departureDate": ("2024-12-24","2025-04-12")
Amadeus error 500: 
            {
                "errors": [
                        {
                            "code": 38189,
                            "title": "Internal error",
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Kratos88

79740315

Date: 2025-08-19 19:10:59
Score: 2.5
Natty:
Report link

To paste in column mode is not natively available in VSCode as of today [Version: 1.103.0 (Universal)]. In Mac, the shift + option doesn't work too. The Column Paste extension does this well.

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

79740304

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

This is not on a per request basis, but per connection ... within the configuration block of the connection - faraday.response :raise_error, include_request: true

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Wayne Weibel

79740289

Date: 2025-08-19 18:38:52
Score: 0.5
Natty:
Report link
// build dynamic list whose elements are determined at run time
val myList: List<Float> = buildList {
  add(1f)
  // add computed items
  //TODO:
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: Farid Z

79740284

Date: 2025-08-19 18:34:50
Score: 1
Natty:
Report link

Immutability in Dart data classes is known as final

This class is immutable, why? After declaring the class you won't be able to change it's variables again.

class User {
  final String name;
  final int age;

  const User(this.name, this.age);
}

Bonus:

If you want the other methods that are normally included automatically in a language such as toMap, toJson, fromJson, fromMap , toString etc. You can also use code generation to get them with this extension:

https://marketplace.visualstudio.com/items?itemName=hzgood.dart-data-class-generator

Reasons:
  • Blacklisted phrase (0.5): why?
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: utkuaydos

79740281

Date: 2025-08-19 18:31:49
Score: 2.5
Natty:
Report link

I don't know what type of operation you are doing, but in all my web scraping operations I like to use Selenium Undetected, sometimes what may be happening is that the bot or algorithm detected your actions, do this test

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

79740271

Date: 2025-08-19 18:19:45
Score: 0.5
Natty:
Report link

AWS App Runner, when connected to a VPC via a VPC connector, still sends outbound traffic from its own managed ENI in App Runner’s underlying VPC, not through your NAT Gateway. Even though Nat Gateway setup works for Lambda, App Runner does not route traffic through it, so your EIP isn’t the source on the public side.

This is by design, App Runner does not honor the NAT Gateway for outbound.

Reference: https://aws.amazon.com/blogs/containers/deep-dive-on-aws-app-runner-vpc-networking/

Currently, App Runner does not support outbound static IP via NAT Gateway.
Or open a feature request with AWS for adding this functionality.

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

79740268

Date: 2025-08-19 18:14:43
Score: 5.5
Natty:
Report link

I have the same issue, and the answer is to stop the Services below in your system

  1. SQL Server (MSSQLSERVER)

  2. SQL Server Agent (MSSQLSERVER)

Now it will work.

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Low reputation (0.5):
Posted by: Sanjay Dwivedi

79740255

Date: 2025-08-19 18:02:40
Score: 0.5
Natty:
Report link

System.Drawing.Bitmap is exceedingly not threadsafe. Even something simple like reading the "Width" property of a Bitmap will make API calls into GDI plus, and can cause GDI plus internal errors. If you need to use Bitmap in a multithreaded way, you need to wrap literally everything behind a global lock. Any method call (including static methods) or property access will require a lock, otherwise you could randomly encounter a GDI plus internal error or access violation.

Meanwhile, access to the properties of a BitmapData object (created by using LockBits) is threadsafe. If you read the properties Width, Height, Scan0, Stride, or PixelFormat, it does not make any function calls into GDI plus, instead it just reads a private field, so the properties are threadsafe. But using BitmapData still relies on the use of pointers, requiring unsafe code.

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

79740252

Date: 2025-08-19 18:01:39
Score: 0.5
Natty:
Report link

Update:

This is the right syntax for the return which will tell the value of the parameter:

e.commonEventObject.parameters

And correct syntax for the function:

function buildCategoryCardV2(categories) {
  const buttons = categories.map(category => ({
    text: category,
    onClick: {
      action: {
        "function": "handleCardClick",
        "parameters": [
        // Pass the variable's value as a parameter
        { "key": "categoryPressed", "value": category } 
      ]
      }
    }
  }));
  const card = {
    cardId: 'category_selector',
    card: {
      name: 'Category Selector',
      header: { title: 'Inventory Request', subtitle: 'Please select a category' },
      sections: [{ widgets: [{ buttonList: { buttons: buttons } }] }]
    }
  };
  return card;
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: kiev_ghetto

79740245

Date: 2025-08-19 17:56:38
Score: 0.5
Natty:
Report link

Can be done, add module-alias:

npm install --save-dev module-alias

Register your aliases in package.json, using property _moduleAliases:

{
  "name": "playwright-alias",
  "version": "1.0.0",
  "description": "Show how to use aliases with Playwright ",
  "main": "index.js",
  "author": "Borewit",
  "type": "commonjs",
  "devDependencies": {
    "@playwright/test": "^1.54.2",
    "@types/node": "^24.3.0",
    "module-alias": "^2.2.3"
  },
  "_moduleAliases": {
    "@cy": "./cypress",
    "@": "./aliased"
  }
}

This file (based on the scenario in the question) we will alias aliased/utils/date-utils.js:

export function formatDate() {
    return 'aliased';
}

Testing the alias @ (tests/alias.spec.js):

import {expect, test} from "@playwright/test";
import { formatDate } from '@/utils/date-utils.js'; // Aliased import

test('alias', async ({ page }) => {
    expect(formatDate()).toBe('aliased');
});

Full source code: https://github.com/Borewit/playwright-alias

Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): Can
Posted by: Borewit

79740244

Date: 2025-08-19 17:55:38
Score: 1
Natty:
Report link

You can get this to work more easily by nesting the if function in Google sheets.

For this example, you can put this formula into cell d2 =if(C2<>true, "",if(D2="",Today(),D2))
This formula checks if C2 has been checked. If it hasn't been checked, D2 remains empty. If C2 has been checked, then it looks if there's already a value in D2. If there is not a value in D2, it returns today's date. If there is a value in D2, it returns the value that's already there (the date the box was checked).

Note, you need to turn on iterative calculations in file->settings->calculations and set it to on with at least 1 calculation.

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

79740242

Date: 2025-08-19 17:53:37
Score: 0.5
Natty:
Report link
defaultConfig {
    applicationId = "com.example.test_application_2"
    minSdkVersion = flutter.minSdkVersion
    targetSdk = flutter.targetSdkVersion
    versionCode = flutter.versionCode
    versionName = flutter.versionName
}

In your code, there isn't a = after minSdk

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

79740226

Date: 2025-08-19 17:33:31
Score: 0.5
Natty:
Report link

Online Shopping System Use Case Diagram

This diagram illustrates the interactions between different actors (users) and the system itself.

enter image description here

Key Components:

Relationship Types:

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

79740225

Date: 2025-08-19 17:28:29
Score: 2
Natty:
Report link
Hello, it was great, PHM la.
My problem was solved with your solution, thank you. I don't know, my friend 
sleblanc says that changing the range solved the problem, I tried a lot, but it didn't work.
Thanks again, PHM la.
Reasons:
  • Blacklisted phrase (0.5): thank you
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Omid Javadi

79740217

Date: 2025-08-19 17:18:27
Score: 1
Natty:
Report link

The official core package collection has a compareNatural function that fits for this purpose.
It compares strings according to natural sort ordering.

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

79740203

Date: 2025-08-19 16:57:22
Score: 1
Natty:
Report link

Yes, you're tracking them by adding those properties. They won't appear in the GA4 UI anywhere unless you add them as secondary dimensions, but when you do they'll be available.

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

79740201

Date: 2025-08-19 16:55:21
Score: 2.5
Natty:
Report link

I think the best way is to just re-download Python Interpreter.
It’s really the simplest way to return everything back.

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

79740196

Date: 2025-08-19 16:51:20
Score: 2
Natty:
Report link

Spring 7 prefers NullAway over the Checker Framework because it’s much faster, lighter, and integrates smoothly into builds, giving developers quick feedback with minimal annotation overhead. The Checker Framework is more powerful but slower and heavier, which hurts productivity on large projects like Spring.

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

79740181

Date: 2025-08-19 16:34:13
Score: 2
Natty:
Report link

I would also add, to the comment on the generality of the answer, that it might be a good idea to have a space for Clarity lang users to share best practices and design patterns. For example, I guess the OP might have wanted to know how to efficiently search or sort a list in Clarity. These are actually features that the language could include as magic functions (implemented in Rust).

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

79740176

Date: 2025-08-19 16:28:12
Score: 2.5
Natty:
Report link

# git ignore MacOS specific files

git config --global core.excludesfile ~/.gitignore_global

echo .DS_Store >> ~/.gitignore_global

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

79740173

Date: 2025-08-19 16:24:11
Score: 2.5
Natty:
Report link

In the newer version of react-player,they are using src as a prop instead of url. So, use src, it may help you to solve the issue.like, <ReactPlayer src='https://www.youtube.com/watch?v={video ID}' \> or check the official documentation.

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Subham Chakraborty

79740171

Date: 2025-08-19 16:21:10
Score: 1
Natty:
Report link

Spring chose NullAway because it’s lightweight and integrates easily into large builds. It only checks for nullness, so it runs much faster than the Checker Framework and doesn’t add much overhead during compilation. That’s a big deal for a project the size of Spring where build times matter.

The Checker Framework is more powerful and can enforce stricter guarantees, but it requires more annotations, has a steeper learning curve, and is noticeably slower. On top of that, the current JSpecify annotations fit naturally with NullAway, while support in Checker Framework is less complete (for example, locals).

So it’s mainly a trade-off: Spring doesn’t need the full power of Checker Framework, but it does need something consistent, fast, and aligned with JSpecify.

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

79740167

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

I'm thinking of using one of these solutions for my long nexus modlist Downloader, I was struggling with limiting to number of jobs at once but that seems answered here. I do have a question though, say I want 4 threads or jobs going at once, how can I have it so if one finishes another will start so its always 4 running until finished?

Right now I'm using chunks and it seems to finish all before starting any new ones. Here's my script for reference

https://gitlab.com/cavebros/openmw-android-docker/-/blob/NexusHandler/payload/app/src/main/java/org/openmw/modDownloader/ModDownloader.kt?ref_type=heads#L123

Reasons:
  • Blacklisted phrase (0.5): how can I
  • RegEx Blacklisted phrase (1): I want
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Jared Davenport

79740166

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

I don't' think the popular geometric shadowing terms behave correctly with negative numbers. It's typical to clamp the ndots before passing them to the geometry terms, but geometry doesn't just go away because it goes into shadow. It' better to make the geometry functions work correctly with negative numbers. What I did was just save the sign of the ndot inputs and then work on the abs of them. Then restore the sign at the output. Simple but effective.

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

79740158

Date: 2025-08-19 16:06:06
Score: 2
Natty:
Report link

The best practice would be to use a virtual environment (e.g. conda, pipenv etc.). This way you can delete the environment and create it from scratch in case of breaking modifications.

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

79740151

Date: 2025-08-19 16:01:04
Score: 12.5
Natty: 7.5
Report link

Hi did you solve it? if yes, Could you provide the solution?

Reasons:
  • RegEx Blacklisted phrase (2.5): Could you provide the solution
  • RegEx Blacklisted phrase (3): did you solve it
  • RegEx Blacklisted phrase (1.5): solve it?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: moon

79740149

Date: 2025-08-19 15:54:02
Score: 2.5
Natty:
Report link

The key issue was that siteRepo.getOne(SITE_ID) was returning null because the mock wasn't properly configured or the argument matching wasn't working correctly.

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

79740134

Date: 2025-08-19 15:44:59
Score: 2.5
Natty:
Report link

You can find MAX from x y z of light->pixel vector. Next for example, if MAX is X - divide vector on this scale (vec / x), next change other 2 values (y z) on offset components (j, k): y += j, z += k. This is values will be like UV coordinates.

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

79740133

Date: 2025-08-19 15:41:58
Score: 1
Natty:
Report link

There is a pure Java implementation of 2D alpha shapes on Github at the Tinfour software project in the class AlphaShape.java under package org.tinfour.utils.alphashape. An example application showing how to use the AlphaShape class is also available at Tinfour (see AlphaShapeDemoImage.java).

A set of web articles describing the methods used is available at Implementation details for a 2D alpha shape utility

And, finally, here's a sample image of an alpha shape created from a set of scattered points which were generated for test purposes from the lowercase letter g.

enter image description here

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

79740125

Date: 2025-08-19 15:32:56
Score: 0.5
Natty:
Report link

db.session.close() releases the connection back to the pool, where it may be reused. db.session.remove() calls the close() method and also removes the session so that it is not reused later. This is useful for preventing the reuse of a connection that has expired. For Flask and other request-based environments, it's best to use db.session.remove().

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

79740115

Date: 2025-08-19 15:24:53
Score: 3
Natty:
Report link

Dear Lucy Justice Augustine 19 2025.

20 years ago I invested in this company, all my savings. I received no compensation in the last 20 years. I am currently retired , and need to live off my savings. Please contact me by my Email to resolved my problem.

[email protected]

Thank you so much

Juan Nunez

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): contact me
  • Blacklisted phrase (1): Please contact me
  • Whitelisted phrase (-1.5): resolved my problem
  • Contains signature (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Juan Nunez

79740111

Date: 2025-08-19 15:19:52
Score: 4
Natty:
Report link

Try to connect with the Kafka UI Plugin:
https://plugins.jetbrains.com/plugin/28167-kafka-ui-connect-to-kafka-brokers-produce-and-view-messages

With it you can connect to your Kafka Cluster easily

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

79740106

Date: 2025-08-19 15:10:49
Score: 0.5
Natty:
Report link

Navigate to your project directory:
e.g., cd E:\Project\Laravel\laravel-new-app

Install Composer dependencies:

composer install

*If composer install doesn't work or the vendor folder is still missing/incomplete
1. Clear Composer cache:

composer clear-cache

2. Delete vendor folder and composer.lock file (optional, but can help with fresh installs):

rm -rf vendor
rm composer.lock

3. Install the composer

composer install

-----------------------------------------------------------------------------------------------------------------
After completing these steps, the vendor folder and its contents, including autoload.php, should be present, resolving the error.

Even complete the above steps if you encounter this error->

Failed to download livewire/volt from dist: The zip extension and unzip/7z commands are both missing, skipping. The php.ini used by your command-line PHP is: C:\xampp\php\php.ini Now trying to download from source  

To resolve this issue,

  1. Locate your php.ini file. The error message indicates it's at C:\xampp\php\php.ini if you are using XAMPP.

  2. Open php.ini with a text editor.

  3. Search for the line ;extension=zip.

  4. Remove the semicolon (;) at the beginning of the line to uncomment it, making it extension=zip.

  5. Save the php.ini file.

  6. Restart the server

-----------------------------------------------------------------------------------------------------------------

After if you encounter this error->

Database file at path [E:\Project\Laravel\laravel-new-app\database\database.sqlite] does not exist. Ensure this is an absolute path to the database. (Connection: sqlite, SQL: select * from "sessions" where "id" = T9cQVcjhXc9StyBdsVuD9IkZpbdyD6BsCFYAPXz8 limit 1)

  1. Go to your Laravel project’s database folder.
    E:\Project\Laravel\laravel-new-app\database

  2. Create a new empty file called:
    database.sqlite

  3. Run migrations:

    php artisan migrate
    
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Filler text (0.5): -----------------------------------------------------------------------------------------------------------------
  • Filler text (0): -----------------------------------------------------------------------------------------------------------------
  • Low reputation (1):
Posted by: MMS Aazeem

79740102

Date: 2025-08-19 15:04:48
Score: 1
Natty:
Report link

Feed the formula 3 items: TEXT=text to remove all leading and / or trailing string; CHAR = character to remove (for instance, " " for space, "-", for dash, etc).; MODE = one of B,L,T or b,l,t for Both, Leading, Trailing. Error gives SYNTAX!.

=LET(TEXT,$CP13,CHAR," ",MODE,"B",MM,MATCH(UPPER(MODE),{"B","L","T"},0),LL,LEN(TEXT),NL,MATCH(FALSE,CHAR=MID(TEXT,SEQUENCE(LL,,1,1),1),0),NT,MATCH(FALSE,CHAR=MID(TEXT,SEQUENCE(LL,,LL,-1),1),0),MN,IF(OR(ISNA(MM),LEN(CHAR)<>1),1,IF(LL=0,2,IF(OR(LL=1,TEXT=REPT(CHAR,LL)),3,MM+3))),CHOOSE(MN,"SYNTAX!","",IF(TEXT=REPT(CHAR,LL),"",TEXT),MID(TEXT,MATCH(FALSE,CHAR=MID(TEXT,SEQUENCE(LL,,1,1),1),0),2+LL-NL-NT),RIGHT(TEXT,1+LL-NL),LEFT(TEXT,1+LL-NT)))

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

79740099

Date: 2025-08-19 15:03:47
Score: 0.5
Natty:
Report link

You didn't reveal a thing about the callback interface you're working with, so I'm just going to assume/hope/guess that the terms of that interface are, "you register a callback once, and then that callback will be occasionally invoked in the future, possibly from a different thread, until it's unregistered".

If that's the case, then try something like this on for size:

async def _callback_iterator(register, unregister):
    loop = asyncio.get_running_loop()
    q = asyncio.Queue()
    callback = lambda x: loop.call_soon_threadsafe(q.put, x)

    register(callback)
    try:
        for x in q:
            yield x
    finally:
        unregister(callback)


def my_api_iterator():
    return _callback_iterator(
        _MY_API.register_callback,
        _MY_API.unregister_callback
    )


async for message in my_api_iterator(
    _MY_API.register_callback,
    _MY_API.unregister_callback
):
    ...

It may seem excessive to use a queue, but that queue embodies the least "spiky" answer to the question: if your asyncio event loop hasn't got around to reading a message by the time your API has a new message, what should happen? Should the callback you passed to your API block? If not, (or if it should only block for a finite amount of time,) then should it just silently drop the new message, or should it raise an exception? What if the API consumer is some low-level, non-Python library code that doesn't support either failure exit-codes or Python exceptions?

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
Posted by: JamesTheAwesomeDude

79740095

Date: 2025-08-19 15:00:46
Score: 4
Natty:
Report link

You can simply copy your HTML form and use a django forms generator tool like this one:
https://django-tutorial.dev/tools/forms-generator/

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: nischal with no P

79740088

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

For what's its worth, it seems like Azure Functions Toolkit allows just one task of type "func" in the workspace so if you already have such task any other task with similar type (and different name) would be ignored (and show up as not found).

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

79740086

Date: 2025-08-19 14:55:43
Score: 1.5
Natty:
Report link

I'm on macOS Sequoia 15.6 (24G84), and I had also done:

cd node_modules/electron
rm -rf dist
npm run postinstall

Thereafter, Electron starts as expected.

You welcome. 🤙🏻

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

79740084

Date: 2025-08-19 14:53:42
Score: 2.5
Natty:
Report link

Laravel has a built-in password reset system; you can directly use theirs instead of your custom logic: https://laravel.com/docs/12.x/passwords

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

79740081

Date: 2025-08-19 14:51:42
Score: 1
Natty:
Report link
#include<stdio.h>
#include<conio.h>
void main()
{
    clrscr();
    printf("       *      \n");
    printf("      * *     \n");
    printf("     * * *    \n");
    printf("    * * * *   \n");
    getch();
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Prachi Modi

79740058

Date: 2025-08-19 14:35:38
Score: 0.5
Natty:
Report link

Long time passed since the question I have posted here. I solved it back then by adding the configuration in rules section below

rules:
    - if: $CI_COMMIT_REF_NAME =~ /^release\/\d+\.\d+\.\d+$/ && $CI_COMMIT_BEFORE_SHA == "0000000000000000000000000000000000000000"
      when: always
    - if: $CI_COMMIT_REF_NAME =~ /^release\/\d+\.\d+\.\d+$/
      when: always

Now the CI will be triggered when new branch is pushed.
This two ifs can be combined.

rules:
    - if: $CI_COMMIT_REF_NAME =~ /^release\/\d+\.\d+\.\d+$/ && $CI_COMMIT_BEFORE_SHA == "0000000000000000000000000000000000000000" || $CI_COMMIT_REF_NAME =~ /^release\/\d+\.\d+\.\d+$/
      when: always

This should resolve the problem.

BTW I could find a video in youtube describing my exact issue.
Here is the link --> https://www.youtube.com/watch?v=77Q0xykWzOI&ab_channel=vlogize

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Blacklisted phrase (1): Here is the link
  • Whitelisted phrase (-2): I solved
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Henrik Amirbekyan

79740055

Date: 2025-08-19 14:33:37
Score: 4
Natty: 4
Report link

Try to connect with the Kafka UI Plugin:
https://plugins.jetbrains.com/plugin/28167-kafka-ui-connect-to-kafka-brokers-produce-and-view-messages/edit

With it you can connect to your Kafka Cluster easily

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

79740052

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

We struggled with similar latency issues. We tried these things to reduce our TTFT to 1.1 sec:
1. Self Hosting LiveKit in our region - LiveCloud keep changing your LK region
2. Using Azure's Open AI model - This slashed LLM latency by 50% straight up. Also it's much more consistent now vs Open AI APIs
3. Backchanneling - We backchannel words like "Ok", "Noted" etc.,. this gives a better perceived TTFT.

We actively benchmark our LiveKit agents against Vapi using an open source tool Whispey. We connect both LiveKit and Vapi agents to it and see the comparison to help us better compare the performance.

Reasons:
  • RegEx Blacklisted phrase (1): help us
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Dhruv Mehra

79740043

Date: 2025-08-19 14:26:35
Score: 1.5
Natty:
Report link

This way works:

echo(& echo(& echo(& echo(& echo()

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

79740031

Date: 2025-08-19 14:19:32
Score: 4.5
Natty: 4.5
Report link

Is the package free? It seems my Mac can't find it in the pip market.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Is the
  • Low reputation (1):
Posted by: JOSEPH MANIA

79740007

Date: 2025-08-19 13:59:27
Score: 1
Natty:
Report link

The code itself looks correct to me. If that’s returning None it could be due to your Python version. Azure's flex consumption plan does not fully support Python 3.13 yet.

Can you confirm what Python version your Function App is set to in Configuration → General settings? At the moment, Azure Functions officially supports Python 3.10, 3.11, and 3.12. If the app is configured to use 3.13, the runtime will not load any environment variables.

Reference: Azure Functions Flex Consumption plan hosting

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

79740000

Date: 2025-08-19 13:54:25
Score: 0.5
Natty:
Report link

The main thing is: cereal is not intended to deserialize random jsons, but rather jsons it generated itself. It has specific fields and flags it adds to help itself, such as versions and tags.

In your particular case, the json is saved as if an int is written to it, but you are deserializing through an std::optional<int>, which cereal expects to look different. As @3CEZVQ mentioned in a comment, this includes an extra field telling it if the optional is actually populated or not.

The fact that the value of the int is optional does not make the field in the json optional. If what you intend is an actual missing json field, that is not the right approach. What you want is an optional NVP, of type int. To achieve that, I have been using the lovely Optional-NVP extension, available at Cereal-Optional-NVP. I am not the author nor affiliated in any way, but I've been using it for a few years now and it does exactly what you are asking. Just add those files to your cereal installation to gain the new macros

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

79739996

Date: 2025-08-19 13:49:24
Score: 1.5
Natty:
Report link

I had this error recently and you DON'T HAVE TO DISABLE SSL.

The right way to fix it is to add the certificate path to the ENV variable `NODE_EXTRA_CA_CERTS`.

This way, Node'll use it and boom, problem solved ;)

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

79739994

Date: 2025-08-19 13:48:23
Score: 1
Natty:
Report link

Tty this:

ts:

import { Component } from '@angular/core';
import { MatListOption, MatSelectionList } from '@angular/material/list';

@Component({
  selector: 'app-list-single-selection',
  standalone: true,
  imports: [MatSelectionList, MatListOption],
  templateUrl: './list-single-selection.component.html'
})

export class listSingleSelectionComponent {
  listOptions = [
    {value: 'boots', name: 'Boots'},
    {value: 'clogs', name: 'Clogs'},
    {value: 'loafers', name: 'Loafers'},
  ]
}

html:

<mat-selection-list [multiple]="false">
    @for (listItem of listOptions; track $index) {
    <mat-list-option [value]="listItem.value">
        {{listItem.name}}
    </mat-list-option>
    }
</mat-selection-list>

https://material.angular.dev/components/list/examples

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

79739984

Date: 2025-08-19 13:42:21
Score: 2
Natty:
Report link

<span style="color: red;">e</span>

<span style="color: orange;">r</span>

<span style="color: gold;">m</span>

<span style="color: green;">a</span>

<span style="color: blue;">0</span>

<span style="color: violet;">1</span>

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

79739983

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

Yes, there's some support for AMD & Xilinx :

meta-amd & meta-amd-bsp & meta-amd-distro

For athor Xilink layers are availble here

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

79739980

Date: 2025-08-19 13:38:20
Score: 3
Natty:
Report link

Start "psql tool" from the pg admin and run your query there

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

79739978

Date: 2025-08-19 13:37:20
Score: 1
Natty:
Report link

Your packages are already large, so I don't think there's much you can do.

Using venv not as an isolator but as a package wrapper is a good strategy.

Many AI libraries, especially PyTorch, offer different versions. If you're not going to use a GPU for inference in your container, never install the default version of PyTorch.

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

79739970

Date: 2025-08-19 13:32:18
Score: 2
Natty:
Report link

Someone gave me a tip (outside Stack Overflow), that pointed me into the right direction.

Key is this documentation: Diff Tool Order

I added an environment variable DiffEngine_ToolOrder with the value VisualStudio. That solved the problem.

Reasons:
  • Blacklisted phrase (1): this document
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: George

79739964

Date: 2025-08-19 13:29:18
Score: 3
Natty:
Report link

GROUP_CONCAT worked perfectly. Thanks @MatBailie. I'm still a little unclear on the differences between LISTAGG, STRING_AGG, and GROUP_CONCAT but I very much appreciate the help!

Updated code:

SELECT ToolGroup, GROUP_CONCAT(', ', ToolID) AS ActiveTools
FROM DB
GROUP BY ToolGroup
ORDER BY ToolGroup
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • Has code block (-0.5):
  • User mentioned (1): @MatBailie
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: wawiti

79739962

Date: 2025-08-19 13:28:17
Score: 3
Natty:
Report link

Rnutime Error Affempt to invoke virtual method void androidx recyclervie w widget recycler view s Adapter notifyDa tasetchanged on a null opject reference FunTap

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