79771975

Date: 2025-09-22 19:23:18
Score: 2.5
Natty:
Report link

Use username(without @) inplace of channelId it work for me, sadly for the username you have to make the channel public.

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

79771973

Date: 2025-09-22 19:21:17
Score: 2.5
Natty:
Report link

What about doing that?

#include <stdio.h>
#include <stdlib.h>
#include <cpuid.h>

int main() {
    unsigned int eax, ebx, ecx, edx;
    char vendor[13];
    char brand[49];

    if (__get_cpuid(0, &eax, &ebx, &ecx, &edx)) {
        ((uint*)vendor)[0] = ebx;
        ((uint*)vendor)[1] = edx;
        ((uint*)vendor)[2] = ecx;
        vendor[12] = '\0';
        printf("Vendor: %s\n", vendor);

    }

    brand[0] = '\0';
    for (int i = 0x80000002; i <= 0x80000004; i++) {
        if (__get_cpuid(i, &eax, &ebx, &ecx, &edx)) {
            uint *p = (uint*)(brand + (i - 0x80000002) * 16);
            p[0] = eax; p[1] = ebx; p[2] = ecx; p[3] = edx;

        }

    }
    brand[48] = '\0';
    printf("CPU Name: %s\n", brand);

    uint maxLeaf = __get_cpuid_max(0, NULL);
    if (maxLeaf >= 4) {
        __cpuid_count(4, 0, eax, ebx, ecx, edx);
        uint coresPerPkg = ((eax >> 26) & 0x3F) + 1;
        printf("Cores per package: %u\n", coresPerPkg);

    }

    if (maxLeaf >= 1) {
        __get_cpuid(1, &eax, &ebx, &ecx, &edx);
        uint baseMhz = eax & 0xFFFF;
        uint maxMhz = ebx & 0xFFFF;
        printf("Base clock: %u MHz\nMax clock: %u MHz\n", baseMhz, maxMhz);

    }

    if (maxLeaf >= 4) {
        int i = 0;
        while (1) {
            __cpuid_count(4, i, eax, ebx, ecx, edx);
            uint cacheType = eax & 0x1F;
            if (cacheType == 0) break;
            
            uint level = (eax >> 5) & 0x7;
            uint ways = ((ebx >> 22) & 0x3FF) + 1;
            uint partitions = ((ebx >> 12) & 0x3FF) + 1;
            uint lineSize = (ebx & 0xFFF) + 1;
            uint sets = ecx + 1;
            uint size = ways * partitions * lineSize * sets / 1024;

            printf("L%u cache size: %u KB\n", level, size);
            i++;

        }

    }

    return 0;

}

Expected Output:

Vendor: GenuineIntel
CPU Name: 11th Gen Intel(R) Core(TM) i5-1135G7 @ 2.40GHz
Cores per package: 8
Base clock: 1729 MHz
Max clock: 2048 MHz
L1 cache size: 48 KB
L1 cache size: 32 KB
L2 cache size: 1280 KB
L3 cache size: 8192 KB

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Starts with a question (0.5): What
  • Low reputation (1):
Posted by: hoWo

79771968

Date: 2025-09-22 19:13:15
Score: 2
Natty:
Report link

The most common way is to wrap your command in a retry loop inside your PowerShell or Bash script, where you can check the attempt number and add Start-Sleep between tries.

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

79771966

Date: 2025-09-22 19:12:15
Score: 1.5
Natty:
Report link

You should use the value={selectedColor} prop instead of defaultValue. That makes the Select “controlled” so it will keep focus on the selected option even after re-renders.

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

79771964

Date: 2025-09-22 19:09:13
Score: 6.5 🚩
Natty: 5.5
Report link

Hey I also want to create a site similar to one like that but I really don't know how to embed such ruffle games, is there any way I can find out how to?

Reasons:
  • Blacklisted phrase (1): is there any
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: mrtwinkle

79771963

Date: 2025-09-22 19:05:12
Score: 2
Natty:
Report link

I know this was solved 13 years ago, but I would like to reemphasize what gbulmer said:

If this is an interview question (and not on a closed-book test,) you should be asking questions. The interview actually has 3 goals:

The task looks neat and tidy, but it is actually ridiculously broad. Here are the questions you need to ask, before starting on your task:

  1. What does "safe" mean?

    1. Should the data structure be type-safe? (and how do I handle garbage data?)

    2. Should it be thread-safe? (or can I assume only one process will ever use it?)

    3. Are there any additional "safety features" you need? (security, error correction, backups. They should say "no", but it doesn't hurt to ask.)

  2. What does "efficient" mean?

    1. Should you prioritize time or space?

    2. Should you prioritize saving numbers or retrieving numbers?

  3. What does "a phone book" mean?

    1. Can numbers be longer than 8 digits (18 on a 64 bit system?)

    2. Can numbers have additional and symbols in them (-,+,#, and space are likely) and if so, should these numbers be reproduced as written, stripped down to a sequence of digits, or reconstituted into a specific format?

    3. Can people's names consist entirely of numbers (and whatever additional symbols we designated in question 3.2?)

    4. Are there future plans to expand the phone book with additional fields (addresses for example) or can you assume that a name-to-number correspondence is all that will ever be needed?

    5. Can contacts be modified?

      1. A name assigned a new number?

      2. A number assigned a new name?

      3. The whole contact be deleted?

Having claridifed the task, you can proceed. Assuming the answers are: type-safe, but not thread-safe and the structure should return blank name or 0 when the input is incorrect, but never throw exceptions. Prioritize time and retrieval. Numbers can be as long as the user wants, but all numbers with the same digits are considered equal, names will include at least one letter and contacts will be deleted when they become obsolete, but no further modification will occur. A possible solution can do the following:

The data structure will expose 5 methods:

Internally it will consist of a HashMap (we are guaranteed no collisions between numbers and names, so one is enough) and a few helper methods.

Sample implementation here: https://dotnetfiddle.net/JWEUPi

Reasons:
  • Blacklisted phrase (1): how do I
  • Long answer (-1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Vladimirs Kacs

79771951

Date: 2025-09-22 18:44:06
Score: 1.5
Natty:
Report link

In Android Studio Ladybug 2024.2.1 or IntelliJ IDEA, this error can happen even if you have Java 21 installed and enabled by default. For example, you could set your $JAVA_HOME environment variable to use the JDK that comes from Android Studio, using this guide Using JDK that is bundled inside Android Studio as JAVA_HOME on Mac :

# For ~/.bash_profile or ~/.zshrc
export JAVA_HOME="/Applications/Android Studio.app/Contents/jbr/Contents/Home"

But for some reason, an Android project that declares that it needs Java 17 in a build.gradle file cannot be compiled with Java 21.

java {
  sourceCompatibility JavaVersion.VERSION_17
  targetCompatibility JavaVersion.VERSION_17
}

kotlin {
  jvmToolchain(17)
}

You'll see an error like this when you try to build the app:

org.gradle.jvm.toolchain.internal.NoToolchainAvailableException:
No matching toolchains found for requested specification:
{languageVersion=17, vendor=any, implementation=vendor-specific} for MAC_OS on aarch64.

Could not determine the dependencies of task ':app:compileKotlin'.
> No locally installed toolchains match and toolchain download repositories have not been configured.

The solution is to download a specific Java 17 JDK/SDK manually, and make your project use it:

Android Studio - Settings Dialog for Gradle Projects

Android Studio - Settings - Gradle - Download JDK

Reasons:
  • Blacklisted phrase (1): this guide
  • Blacklisted phrase (1): How do I
  • Whitelisted phrase (-1): solution is
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Mr-IDE

79771950

Date: 2025-09-22 18:43:06
Score: 3
Natty:
Report link

I'm experiencing the same issue, and everything I've tried isn't working. Works fine on iOS though...

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

79771936

Date: 2025-09-22 18:17:59
Score: 3.5
Natty:
Report link

Interesting... I tried to rebuild the code in "Release" mode and everything works nicely. Still does not work in Debug mode.. weird

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

79771926

Date: 2025-09-22 18:07:57
Score: 2
Natty:
Report link

I created an NPM package google-maps-vector-engine to handle PBF/vector tiles on Google Maps, offering near-native performance and multiple functionalities. I recommend giving it a try.

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

79771924

Date: 2025-09-22 18:06:56
Score: 1.5
Natty:
Report link

my issue was that i had a lot of unsaved tabs that i was not sure i will keep.

in my case i have to use a different user for that task and .

i just force kill the specific session \ process ID and re lunched it , on re lunched it showed recovery option. that solved my issue.

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

79771922

Date: 2025-09-22 18:02:55
Score: 2.5
Natty:
Report link

Python is open source language

But you was mentioned oracle is only.I could have used other Operating system or not

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

79771906

Date: 2025-09-22 17:44:50
Score: 5
Natty: 4.5
Report link

Use "Automate"

https://play.google.com/store/apps/details?id=com.llamalab.automate

Interact Power dialog.

  1. In Automate create Flow enter image description here

  2. Install to home screen shortcut. enter image description here

  3. Button Power menu enter image description here

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

79771897

Date: 2025-09-22 17:30:47
Score: 2.5
Natty:
Report link

We dropped the spring tables, which were a few years old but had not been used, and rebuilt them with a new script. After that it seems to work, so there must have been something funky with the old tables, even though they looked correct.

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

79771890

Date: 2025-09-22 17:26:46
Score: 1.5
Natty:
Report link

Create a image features a stylish young man captured in a headshot, likely for a fashion or lifestyle context. He's wearing rectangular, black-framed sunglasses that give him a chic, modern look. Underneath a cream-colored collared overshirt with large dark buttons, he has on a plain black t-shirt, creating a classic and versatile color palette. His hair is neatly styled with good volume on top and faded sides, complementing his well. The background is a simple, dark gray, putting the focus entirely on him. The lighting is soft and even, highlighting his features without harsh shadows, which contributes to the overall clean and sophisticated aesthetic.

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

79771880

Date: 2025-09-22 17:15:42
Score: 8 🚩
Natty: 5
Report link

I am having a similar, but not identical problem. Spacyr works with spacy_initialize(model="en_core_web_sm", but not with (model="de_core_news_sm"), i.e. the trained German texts.

input of reticulate::use condaenv ("spacy_condaenv", required=T) is no remedy. Could sb. please help me?

Best,

Manfred

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): please help me
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Manfred Sellner

79771870

Date: 2025-09-22 17:03:38
Score: 1.5
Natty:
Report link

Yes, the list you mentioned is what GKE recognizes when working with structured logs. GKE collects application logs from non-system containers structured logging is supported by outputting single-line JSON objects to these streams, which the agent parses into jsonPayload fields in Cloud Logging. GKE uses a fluentbit based logging agent (not the full Ops Agent) by default to collect application logs from stdout/stderr, supporting structured JSON logs.

The legacy Logging agent was used in older GKE setups but is deprecated for new features. The full Ops Agent combines logging and metrics collection via Fluent Bit and OpenTelemetry is recommended for Compute Engine VMs but isn't manually installed in GKE. For further reference see this Which agent should you choose?

For best practices you can refer to this documentations :

Reasons:
  • Blacklisted phrase (1): this document
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Looks like a comment (1):
  • Low reputation (0.5):
Posted by: miracle

79771866

Date: 2025-09-22 16:59:37
Score: 0.5
Natty:
Report link

UINavigationBar 's background color change can be achieved by UINavigationBarAppearance

let appearance = UINavigationBarAppearance()
appearance.configureWithOpaqueBackground()
appearance.backgroundColor = .black
        
navigationController?.navigationBar.standardAppearance = appearance
navigationController?.navigationBar.scrollEdgeAppearance = appearance

For the UIBarButtonItem , Liquid glass automatically chooses the tint color depending upon the background of the navigation example:

Dark Background: iOS 26 Navigation Bar Image with Dark Backround

Light Background: iOS 26 Navigation Bar Image with Light background

Additionally, if you set the value of style property of UIBarButtonItem to UIBarButtonItem.Style.prominent it would change the liquid glass background color like this:

nb1.style = .prominent
nb2.style = .prominent
nb3.style = .prominent
nb4.style = .prominent

iOS 25 Navigation Bar Image with UIBarButtonItem tint colors

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

79771865

Date: 2025-09-22 16:57:36
Score: 0.5
Natty:
Report link

Based on the solution from HellNoki, I encountered a library with a somewhat deep dependency tree. I had to opt for an alternative solution, letting npm do its job...,

import type { ForgeConfig } from "@electron-forge/shared-types";
import { execSync } from "child_process";

const config: ForgeConfig = {
    packagerConfig: {
        asar: true,
    },
    rebuildConfig: {},
    hooks: {
        // The call to this hook is mandatory for exceljs to work once the app built
        packageAfterCopy(_forgeConfig, buildPath) {
            const requiredNativePackages = ["[email protected]"]; // or "exceljs"

            // install all asked packages in /node_modules directory inside the asar archive
            requiredNativePackages.map((packageName) => {
                execSync(`npm install ${packageName} -g --prefix ${buildPath}`);
            });
        },
    },
    // ... others configs
    
};

export default config;

That way, even if the library has new dependencies in the future, there won't be any breakage.

However, remember to update the package version if it is modified.

npm install packageName -g --prefix 'directory' allows you to install a package in a node_modules folder other than the current directory. As seen here https://stackoverflow.com/a/14867050/21533924

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

79771861

Date: 2025-09-22 16:45:33
Score: 3
Natty:
Report link

Thanks to the help of @fuz, I learned my target was wrong. I looked thought compatible targets for my device and landed on aarch64-unknown-none. I also had to specify that mrs {}, MPIDR_EL1 needed to be x0 and not w0 by changing that line to mrs {0:x}, MPIDR_EL1.

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

79771858

Date: 2025-09-22 16:43:32
Score: 1
Natty:
Report link

One option is to use a local sandbox that simulates WhatsApp’s webhook model. That way you don’t have to override your production webhook or spin up a second WhatsApp app just to test.

I built an open-source tool called WaFlow that does this:

This lets you iterate on bot logic without touching your production WhatsApp Cloud API setup.

https://github.com/leandrobon/WaFlow

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

79771844

Date: 2025-09-22 16:25:27
Score: 0.5
Natty:
Report link

The line if __name__ == "__main__": checks whether the Python file is being run directly (in which case __name__ is set to "__main__") or imported as a module (where __name__ becomes the module’s name), and if the condition is true, the next line print("Hello, World!") executes, which outputs the message to the console; this structure is useful because it ensures that certain code only runs when the file is executed directly, not when it is imported elsewhere.

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

79771839

Date: 2025-09-22 16:22:26
Score: 1
Natty:
Report link

This happens when you have a proxy in front of you FastAPI.

FastAPI expects you to have the docs at the root of your URL

If the URL for the FastAPI is https://www.example.com/example/api/

add:

app = FastAPI(
    root_path="/example/api/"
)

This way https://www.example.com/example/api/docs will work

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

79771827

Date: 2025-09-22 16:08:22
Score: 0.5
Natty:
Report link

That Playwright error (net::ERR_HTTP2_PROTOCOL_ERROR) usually means the target server (in this case Tesla’s site) is rejecting or breaking the HTTP/2 connection when it detects automation or a mismatch in how the request is made. It can happen if the site blocks headless browsers, if Playwright’s HTTP/2 negotiation isn’t fully compatible with the server or CDN, or if there’s some network interference. A few workarounds often help: try running the browser in non-headless mode (headless=False) to see if it’s specifically blocking headless traffic, set a custom user agent and headers so the request looks like a normal browser, or experiment with different goto load states instead of waiting for a full page load. In some cases, forcing the browser to fall back to HTTP/1.1, or using a VPN/proxy, can bypass the issue. Essentially, the problem is not your Playwright code itself but how Tesla’s server responds to automated requests over HTTP/2.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rasa Dariush

79771811

Date: 2025-09-22 15:57:19
Score: 4
Natty:
Report link

Seems like a library bug. That's the same behavior as in the PrimeReact docs.

https://primereact.org/listbox/#virtualscroll

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Vladislav Maksimov

79771805

Date: 2025-09-22 15:52:18
Score: 0.5
Natty:
Report link
public static class AppRoles
{
    public const string Administrator = "Administrator";
    public const string Secretary = "Secretary";
    public const string Technician = "Technician";
}
@attribute [Authorize(Roles = AppRoles.Technician)]
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Verbe

79771798

Date: 2025-09-22 15:41:15
Score: 0.5
Natty:
Report link

I also have an auto-updating feature built into my PyInstaller application that detects a version mismatch and then calls a support (updater) application that essentially swaps out the old app with the new one.

In order to resolve the error you are running into, a separate PyInstaller app of any kind must be executed thus creating a new _MEIxxxx folder. This will "trick" the OS into moving on to a new _MEI naming convention.

My theory as to what happens when running for example, MyApp.exe, a folder is built and the OS for some reason get's stuck with its reference to that folder for MyApp.exe. So, the next time that same app is executed (within the chain reaction that is started on the update), it will try to use the same "randomly" generated number.

In your order of events, I would suggest something like this:

  1. Run MyApp.exe

  2. Oh no! An updated is needed! Execute our installer application and close MyApp.exe

  3. Once our original app is closed, replace MyApp.exe with the brand new one

  4. Now, either run a PyInstaller application of any kind that is not MyApp.exe (this will create a new _MEI naming convention) or for bonus points build your installer (updater) application using python and PyInstaller which will flush out the old _MEI folder name

  5. Launch the new MyApp.exe

  6. Close installer and our separate app we used to change the _MEI folder names if needed

This was quite a tricky one that I could not find anyone else running into this issue. As long as I run some sort of alternative PyInstaller app that is not the primary app, I avoid this error.

Hope this helps! Cheers

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

79771792

Date: 2025-09-22 15:33:13
Score: 1
Natty:
Report link

Use trait struct like here: Using a nested name specifier in CRTP

#include <iostream>

template <typename TDerived>
struct traits;

template <typename TDerived>
struct Base
{
    int array[traits<TDerived>::NValue];
};

template <int N>
struct Derived : Base<Derived<N>>
{};

template <int N>
struct traits<Derived<N>> {
  constexpr static int NValue = N;
};


int main()
{
    Derived<8> derived;
    Base<decltype(derived)>& b = derived;
    std::cout << sizeof(b.array);
}
Reasons:
  • Probably link only (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: SLebedev777

79771788

Date: 2025-09-22 15:31:12
Score: 3
Natty:
Report link

I tested this in adf and a combination of substring and lastindex of functions did the trick. see the screenshot below. There is an '_' before the datepart starts. in the substring I am selecting the string from the beginning till last '_'.

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Hijesh V L

79771786

Date: 2025-09-22 15:31:12
Score: 5
Natty: 5
Report link

Use "Automate"

https://play.google.com/store/apps/details?id=com.llamalab.automate

Interact Power dialog

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

79771775

Date: 2025-09-22 15:12:07
Score: 3
Natty:
Report link

DigitalOcean has recently started blocking SMTP ports: https://docs.digitalocean.com/support/why-is-smtp-blocked/

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: William

79771768

Date: 2025-09-22 15:08:06
Score: 2.5
Natty:
Report link

If you have this issue in the mac version of vscode then go to keyboard shortcuts ⌘K + ⌘S and then look for editor.action.clipboardCopyAction and make sure it's ⌘C

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: Pranith chowdary Karumanchi

79771758

Date: 2025-09-22 14:57:03
Score: 2.5
Natty:
Report link

https://github.com/sergiocasero/kmm_mtls_sample

check it out

expect class HttpClientProvider {
    fun clientWithMtls(block: HttpClientConfig<*>.() -> Unit): HttpClient
    fun client(block: HttpClientConfig<*>.() -> Unit): HttpClient
}
Reasons:
  • Blacklisted phrase (0.5): check it out
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Dmitry Andreev

79771746

Date: 2025-09-22 14:45:59
Score: 3
Natty:
Report link

python app.py

* Running on http://127.0.0.1:5000/ (Press CTRL+C to quit)

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

79771741

Date: 2025-09-22 14:41:58
Score: 3
Natty:
Report link

I use this service Dominus to manage priorities mongodb. It allows you to manage MongoDB priorities from the web interface. If you're interested, here's the link to the project.

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

79771735

Date: 2025-09-22 14:32:55
Score: 5
Natty:
Report link

I see a similar error message. I had the same scheme working fine some months ago in May 2025, with Xcode 15. Now with Xcode 16.4, on [productsRequest start] I get the mentioned error in the Xcode log and the delegate returns my identifiers as _invalidIdentifiers. Could it be an Apple bug?

I can fetch a new synchronized StoreKit configuration file with up-to-date data. So my environment seems not altogether wrong.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • RegEx Blacklisted phrase (1): I get the mentioned error
  • No code block (0.5):
  • Me too answer (2.5): I see a similar error
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Bernd J.

79771731

Date: 2025-09-22 14:26:53
Score: 4
Natty:
Report link

<p>hi</p> <!-- IDK how to help sorry :( -->

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

79771729

Date: 2025-09-22 14:26:53
Score: 3
Natty:
Report link

Watcom Fortran 77: use form='unformatted' and recordtype='fixed' in the open statement. You can read any amount any time without losing any bytes - also works for writing a file. I use it all the time.

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

79771722

Date: 2025-09-22 14:20:51
Score: 3
Natty:
Report link

If you go into setting make your way down to editor then click general and scroll about half way down you will see virtual space as a option. enjoy

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

79771716

Date: 2025-09-22 14:15:49
Score: 2
Natty:
Report link

Thank you to @Larme for helping. With landscape only in target settings. This will give left or right even when the device is held in the portrait orientation.

if let windowScene = UIApplication.shared.connectedScenes
    .first(where: { $0 is UIWindowScene }) as? UIWindowScene {
    
    switch windowScene.interfaceOrientation {
    case .landscapeLeft:
        print("Landscape Left")
    case .landscapeRight:
        print("Landscape Right")
    }
}
Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Has code block (-0.5):
  • User mentioned (1): @Larme
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: AthleteInAction

79771714

Date: 2025-09-22 14:13:48
Score: 2.5
Natty:
Report link

Its working now for me , I just rebuild It and the build is successful
So I think that there was a little shutdown on the mavensync zk server but they finally fix it

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

79771711

Date: 2025-09-22 14:10:47
Score: 1
Natty:
Report link
ssh-add "C:\Users\{user}\.ssh\id_rsa"

Instead of asking for my key, this prompt is requesting the passphrase I set during keygen.

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

79771700

Date: 2025-09-22 14:00:43
Score: 1
Natty:
Report link

My final compilation step was not linking to -lpthread, which was why it was failing. Adding $(CXXFLAGS) to the main target resolved the issue.

$(TARGET): $(OBJS)
        $(CXX) $(CXXFLAGS) $(OBJS) -o $@
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Kungfunk

79771695

Date: 2025-09-22 13:54:42
Score: 1
Natty:
Report link

For those who use Symfony on the project:
I have search, a regular search through all the files, around 8-10 seconds.

I've just cleared the index in PHP --> Symfony --> Clear index (button), and it helped/impoved performance as expected - not more than a second.

I guess it was related to the volumes of many services (lots of files) that have been added to the project.

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

79771689

Date: 2025-09-22 13:53:42
Score: 0.5
Natty:
Report link

It seems that your case has been a common issue. I ran into this myself a while back and after a lot of digging, I found a similar case and an issue tracker, which shows that you all have had the same problem.

You can try this approach as a workaround, which is highlighted on the issue trackers's comment #87: you need to use a complex type for the logical date/timestamp field.

Also, it's a good idea to comment on the issue tracker to let the team know that the behavior is still causing confusion for developers. The more people who report it, the more likely they are to improve the documentation or behavior.

Reasons:
  • Blacklisted phrase (1): to comment
  • Whitelisted phrase (-1): try this
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: shiro

79771684

Date: 2025-09-22 13:49:40
Score: 3.5
Natty:
Report link

what about?

function input(){
    in="$(cat /dev/stdin)"
    printf "$in"
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): what
Posted by: Oliver Gaida

79771683

Date: 2025-09-22 13:49:40
Score: 3.5
Natty:
Report link

I got a win last night and it was real, I played on the JO777 site

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

79771678

Date: 2025-09-22 13:45:39
Score: 0.5
Natty:
Report link

In my case what did the trick was disabling buildkit
DOCKER_BUILDKIT=0 docker compose -f ./docker-compose.yaml build

Docker version 28.1.1, build 4eba377

Docker Compose version v2.35.1

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

79771672

Date: 2025-09-22 13:39:37
Score: 2
Natty:
Report link

I figured out what was missing. I needed to add the -longpaths parameter to the exe export.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Whitelisted phrase (-2): I figured out
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Kevin Jones

79771661

Date: 2025-09-22 13:29:35
Score: 3
Natty:
Report link

Avizo doesn’t provide a direct way to compute the mean of all vectors in a field. The usual workflow is to export the vector field e.g. txt, csv, then compute the mean externally

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

79771658

Date: 2025-09-22 13:28:34
Score: 2
Natty:
Report link

Move the <ClerkProvider> wrapper into the NavBar, or any other route of your choice than the Root Layout, i.e., in this case, src/app/layout.tsx to avoid multiple providers. For Sanity studio brings its own auth.

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

79771652

Date: 2025-09-22 13:21:32
Score: 3.5
Natty:
Report link

My solution appeared as just "brew upgrade" :)))

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

79771632

Date: 2025-09-22 13:02:27
Score: 2
Natty:
Report link

Documentation is lacking, this is the way.

New-ScheduledTaskTrigger -Once:$false -At '14:45' -RepetitionInterval ([timespan]'1:00:00') -RepetitionDuration ([timespan]'1:00:00:00')
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: rmariboe

79771622

Date: 2025-09-22 12:52:25
Score: 1
Natty:
Report link
.search-form .select2-search--inline,
.search-form .select2-search__field {
  width: 100% !important;
}

.search-form:has(.select2-selection__choice) .select2-search {
  width: unset !important;
}

.search-form:has(.select2-selection__choice) .select2-search__field {
  width: 0.75em !important;
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Дмитрий Багаев

79771618

Date: 2025-09-22 12:48:24
Score: 0.5
Natty:
Report link

You’re right — if you just decrypt a section, modify it, and then re-encrypt it with the same key/nonce/counter values, you’ll be reusing the same keystream, which breaks the security of ChaCha20. A stream cipher must never encrypt two different plaintexts with the same keystream.

What you can do instead is take advantage of the fact that ChaCha20 (like CTR mode) is seekable. The keystream is generated in 64-byte blocks, and you can start from any block counter to encrypt or decrypt an arbitrary region of the file. That means you don’t need to reprocess the whole file, only the blocks that overlap with the data you want to change — as long as the key/nonce pair is unique for that file.

If you expect frequent in-place modifications, a common approach is to split the file into fixed-size chunks and encrypt each chunk separately with its own nonce. That way, when you change part of the file you only need to re-encrypt the affected chunks, and you don’t risk keystream reuse.

Also, don’t forget integrity: ChaCha20 on its own gives you confidentiality, but not tamper detection. In practice you’d want something like XChaCha20-Poly1305 per chunk to get both random access and authentication.

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

79771617

Date: 2025-09-22 12:47:24
Score: 5
Natty: 5.5
Report link

I use this service to manage priorities https://github.com/Basyuk/dominus

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

79771613

Date: 2025-09-22 12:43:23
Score: 2.5
Natty:
Report link

Answer - No, It Is Not Possible

Aha, someone phrased this differently, here ... I just found this whilst searching for "odata $value array" ... and the answer was basically that this is not possible! :-)

https://stackoverflow.com/a/40414470/21167799

( I did not see this in the list of suggested other posts )

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

79771611

Date: 2025-09-22 12:40:21
Score: 1
Natty:
Report link

Yes, it's possible to enhance Selenium with AI-based tools to make element detection more resilient to UI changes. Here are a few options:

AI Tools for Smarter Element Location

Testim or Functionize

AI-driven test platforms that can self-heal locators when UI changes.

Mabl

Uses machine learning to automatically adapt to changes in the DOM.

Healenium (open-source)

Works with Selenium and Java

Self-heals broken locators at runtime using historical data.

Applitools Eyes

Visual AI testing to detect layout/UI changes (can work alongside Selenium).

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

79771604

Date: 2025-09-22 12:33:19
Score: 2.5
Natty:
Report link

Currently, this feature is working only with Float type columns not with Int datatype,

Once i convert the datatype it started working

Thanks to Acumatica team for detail investigation

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: user2803805

79771601

Date: 2025-09-22 12:30:18
Score: 2.5
Natty:
Report link

In Shopware 6 sync API, you can update products directly using their product number instead of IDs. It’s similar to how a female Quran teacher can recognize students by name rather than complex codes.

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

79771598

Date: 2025-09-22 12:23:17
Score: 1
Natty:
Report link

In my case the Problem was a part of the search path that's a symbolic link without a target, here "Helpers":

/Users/myuser/Qt/Projects/softphone/dist/softphone.app/Contents/Frameworks/PySide6/Qt/lib/QtWebEngineCore.framework/Helpers

After copying the folder from "source" my App runs.

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

79771597

Date: 2025-09-22 12:22:16
Score: 4.5
Natty:
Report link

With above code the result is like below enter image description here

But expected result is like below. enter image description here

Below is the drawing view reference enter image description here

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

79771596

Date: 2025-09-22 12:22:16
Score: 1
Natty:
Report link

I'm also facing this problem some time while clicking the pdf its showing blank screen may i know the solution

import React, { useState, useCallback, ReactNode, Component } from "react";
import {
  Text,
  TouchableOpacity,
  View,
  Image,
  ScrollView,
  ActivityIndicator,
  Alert,
  Dimensions 
} from "react-native";
import { WebView } from "react-native-webview";
import { useFocusEffect } from "expo-router";
import * as Linking from "expo-linking"; // 👈 for external browser
import Styles from "./DocumentStyles";
import StorageService from "@/constants/LocalStorage/AsyncStorage";
import { ApiService } from "@/src/Services/ApiServices";

interface DocumentItem {
  id: number;
  documentName: string;
  fileUrl: string;
}

const generateRandomKey = (): number => Math.floor(Math.random() * 100000);

class WebViewErrorBoundary extends Component<
  { children: ReactNode; onReset: () => void },
  { hasError: boolean }
> {
  constructor(props: { children: ReactNode; onReset: () => void }) {
    super(props);
    this.state = { hasError: false };
  }

  static getDerivedStateFromError(): { hasError: boolean } {
    return { hasError: true };
  }

  componentDidCatch(error: Error, info: any) {
    console.error("[WebViewErrorBoundary] WebView crashed:", error, info);
    this.props.onReset();
  }

  render() {
    if (this.state.hasError) return <></>;
    return this.props.children;
  }
}

const Documents: React.FC = () => {
  const [documents, setDocuments] = useState<DocumentItem[]>([]);
  const [loading, setLoading] = useState<boolean>(true);
  const [selectedPdf, setSelectedPdf] = useState<DocumentItem | null>(null);
  const [webViewKey, setWebViewKey] = useState<number>(generateRandomKey());

  const fetchDocuments = async () => {
    setLoading(true);
    try {
      const agentIdStr: string = (await StorageService.getData("agentId")) || "0";
      const agentId: number = parseInt(agentIdStr, 10);
      const response: DocumentItem[] = await ApiService.getDocuments(agentId);
      setDocuments(response);
    } catch (error) {
      console.error("[Documents] Error fetching documents:", error);
    } finally {
      setLoading(false);
    }
  };

  useFocusEffect(
    useCallback(() => {
      fetchDocuments();
    }, [])
  );

  const openPdf = async (documentId: number) => {
    try {
      const agentIdStr: string = (await StorageService.getData("agentId")) || "0";
      const agentId: number = parseInt(agentIdStr, 10);
      const latestDocuments: DocumentItem[] = await ApiService.getDocuments(agentId);
      const latestDoc = latestDocuments.find((doc) => doc.id === documentId);
      if (!latestDoc) return;

      setWebViewKey(generateRandomKey());
      setSelectedPdf(latestDoc);
    } catch (error) {
      console.error("[Documents] Failed to open PDF:", error);
    }
  };

  const closePdf = () => setSelectedPdf(null);

  if (loading) return <ActivityIndicator size="large" style={{ flex: 1 }} />;

  return (
    <View style={{ flex: 1 }}>
      {/* Document List */}
      {!selectedPdf && (
        <ScrollView showsVerticalScrollIndicator={false}>
          <View style={{ margin: 15, marginBottom: 10 }}>
            <View style={Styles.card}>
              <Text style={Styles.headerText}>All Documents</Text>
              {documents.map((item) => (
                <View key={item.id} style={Styles.itemContainer}>
                  <TouchableOpacity onPress={() => openPdf(item.id)}>
                    <View style={Styles.itemWrapper}>
                      <View style={Styles.itemLeft}>
                        <Image
                          source={require("../../../assets/images/fileview.png")}
                          style={Styles.fileIcon}
                        />
                        <Text style={Styles.itemText}>{item.documentName}</Text>
                      </View>
                      <Image
                        source={require("../../../assets/images/forward_icon.png")}
                        style={Styles.arrowIcon}
                      />
                    </View>
                  </TouchableOpacity>
                  <View style={Styles.attachmentsingleline} />
                </View>
              ))}
            </View>
          </View>
        </ScrollView>
      )}

      {/* PDF Viewer */}
      {selectedPdf && (
        <WebViewErrorBoundary onReset={() => setWebViewKey(generateRandomKey())}>
        <WebView
  key={webViewKey}
  source={{
    uri: `https://docs.google.com/gview?embedded=true&url=${encodeURIComponent(
      selectedPdf.fileUrl
    )}`,
    headers: { "Cache-Control": "no-cache", Pragma: "no-cache" },
  }}
  cacheEnabled={false}
 startInLoadingState={true}  
 style = {{marginTop: 20, width: Dimensions.get('window').width, height: Dimensions.get('window').height}}
  nestedScrollEnabled={true}
  javaScriptEnabled={true}
  domStorageEnabled={true}
  renderLoading={() => <ActivityIndicator size="large" style={{ flex: 1 }} />}
  onError={() => {
    Alert.alert(
      "PDF Error",
      "Preview not available. Do you want to open in browser?",
      [
        { text: "Cancel", style: "cancel" },
        { text: "Open", onPress: () => Linking.openURL(selectedPdf.fileUrl) },
      ]
    );
  }}
  onContentProcessDidTerminate={() => {
    console.warn("[Documents] WebView content terminated, reloading...");
    setWebViewKey(generateRandomKey());
  }}
/>
        </WebViewErrorBoundary>
      )}
    </View>
  );
};

export default Documents;
Reasons:
  • Blacklisted phrase (1): also facing this
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31543668

79771588

Date: 2025-09-22 12:10:13
Score: 3
Natty:
Report link

I managed to resolve the problem with reinstalling Emscripten (build from source) and also the build scripts inside ffmpeg.wasm was very useful, and if you are not using Docker see the Dockerfile because you will need to set some environment variables before using the mentioned scripts.

There are two articles that are useful for learning compilation of FFmpeg into WebAssembly:

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: ali

79771577

Date: 2025-09-22 12:03:11
Score: 3.5
Natty:
Report link

In Bit Flows Pro,the flow runner timeout is 20 seconds. However, if your server or application environment has a lower timeout configured, the process may stop earlier, which could explain why the flow ends before reaching the final nodes, even though it reports as “SUCCESS.”

A possible solution can be increasing the timeout limits on your server side , so that they are set higher than our flow runner timeout. That way, the entire flow has enough time to complete all nodes without being cut short.

Also please share the flow by exporting with me so that I can figure out the issue

Reasons:
  • RegEx Blacklisted phrase (2.5): please share
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Abrar Faisal

79771575

Date: 2025-09-22 12:01:10
Score: 0.5
Natty:
Report link

Let's combine:

Result :

WITH sm AS (SELECT name FROM sqlite_master WHERE type = 'table')
SELECT * FROM PRAGMA_TABLE_INFO(sm.name), sm ORDER BY sm.name, 1;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Zyglute

79771572

Date: 2025-09-22 12:00:09
Score: 2
Natty:
Report link

Building off of Austin's answer since I was also looking for an example where (tight) big-O and big-W for worst case was different. Think of this: we have some (horrible) code where we have determined that the runtime function for the worst case inputs set is 1 when n is odd and n when n is even. Then, the upper bound of the runtime of the worst case of this code is O(n), while the lower bound is W(1).

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

79771571

Date: 2025-09-22 11:59:09
Score: 2.5
Natty:
Report link

Abandoning PR helped me. I abandoned my PR, added a small change in the branch, started to create a new PR - and it got updated

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

79771570

Date: 2025-09-22 11:59:09
Score: 1
Natty:
Report link

No. On Xtensa (ESP32/ESP32-S3), constants that don’t fit in an instruction’s immediate field are materialized from a literal pool and fetched with L32R. A literal-pool entry is a 32-bit word, so each such constant costs 4 bytes even if the value would fit in 16 bits.

Why you’re seeing 4 bytes:

GCC emits L32R to load the constant into a register; L32R is a PC-relative 32-bit load from the pool. There’s no 16-bit “L16R” equivalent for literal pools on these cores. (Small values may be encoded with immediates like MOVI/ADDI, but once the value doesn’t fit, it becomes a pooled literal.)

What you can do instead (to actually use 16-bit storage):

Put thresholds in a table of uint16_t in .rodata (Flash) and load them at run time, instead of writing inline literals in expressions. That lets the linker pack them at 2 bytes each (modulo alignment), and the compiler can load them with 16-bit loads (l16ui) and then compare.

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

79771569

Date: 2025-09-22 11:58:07
Score: 4
Natty:
Report link

You can tag the source with an annotation @JsonProperty

Ex: enter image description here in myDto, although the variable that I define is the same as the one that I define in @Jsonproperty, but it's not the same. The problem that leads to this is the auto-generation of @Getter and @Setter by Loombook

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @JsonProperty
  • User mentioned (0): @Jsonproperty
  • User mentioned (0): @Getter
  • User mentioned (0): @Setter
  • Low reputation (1):
Posted by: Công Hùng

79771568

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

This kind of roadblock is exactly why many organisations prefer something called a Mobile Device Management (MDM) Solution. Instead of relying on StageNow or custom scripts, an MDM gives direct visibility into serial numbers, IMEI, and other identifiers across ethe ntire fleet. It not only saves time but also sets a bar as to how these values are pulled and stored, which are critical when you are scaling and testing beyond few units. There are some really MDM solutions in the market like Scalefusion or SOTI.

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

79771559

Date: 2025-09-22 11:49:05
Score: 1.5
Natty:
Report link

The error “Error response from daemon: manifest for during publish” usually occurs when the Docker image you are trying to push or pull does not exist or the tag is incorrect. To resolve this issue:

By following these steps, your Docker deployment for NCERT Solutions Class 7 via Veda Academy should work smoothly without manifest errors.

Visit for more info: https://vedaacademy.in/ncert-solutions/ncert-solutions-class-7

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

79771553

Date: 2025-09-22 11:44:03
Score: 3.5
Natty:
Report link

Saving the bat file using code page 850 solved the problem for me

850 is the default windows code page for UK

I knew there had to be a trivial solution

Thanks to all who responded, espeacialy @Mark Tolonen

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @Mark
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: MymsMan

79771548

Date: 2025-09-22 11:37:02
Score: 2
Natty:
Report link

See, let me tell you what you did wrong here. What I am guessing here is that you allow guest posts on your websites that are draining your juice, which you are now referring to as Spam. And you have deleted it via your CMS directly. What was supposed to be done here is that you should have first used GSC to disinfect each of them and then deleted them. And still, you do not need to worry; it is a matter of days, but it will get deindexed. But yes te repution damage is real

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

79771547

Date: 2025-09-22 11:35:01
Score: 2
Natty:
Report link

If you really want to force a PDF to be viewed in the browser and to parse the document to get the pagecount, is to implement something like "pdf.js"

see https://mozilla.github.io/pdf.js/getting_started/

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

79771542

Date: 2025-09-22 11:27:59
Score: 0.5
Natty:
Report link

After some futher thoughts, I came to the conclusion that the answer is actually very simple: Just remove the increment after completion of the foreach loop:

#macro(renderChildItems $item $indentLevel)
  #set($childItems = $transaction.workItems().search().query("linkedWorkItems:parent=$item.fields.id.get AND NOT status:obsolete AND type:(design_decision system_requirement)").sort("id"))
  #foreach($child in $childItems)
    <tr>
    <td style="padding-left:$indentLevel$px">
      $child.render.withTitle.withLinks.openLinksInNewWindow()
    </td>
    </tr>
    #set($indentLevelNew = $indentLevels + $indentSizeInt)
    #renderChildItems($child $indentLevelNew)
  #end
#set($indentLevelNew = $indentLevels - $indentSizeInt) ##NEW
#end
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Sebastiaan Voorderhake

79771541

Date: 2025-09-22 11:27:59
Score: 1.5
Natty:
Report link
Name=fires
TypeName=fires
TimeAttribute=time
PropertyCollectors=TimestampFileNameExtractorSPI[timeregex](time)
Schema=*the_geom:Polygon,location:String,time:java.util.Date
CanBeEmpty=true

ai-generated, fires - it is a name data store (maybe its mapping)

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

79771532

Date: 2025-09-22 11:09:54
Score: 4
Natty: 4.5
Report link

https://pub.dev/packages/keyboard_safe_wrapper

This package solves your problem.

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

79771516

Date: 2025-09-22 10:50:49
Score: 0.5
Natty:
Report link

TLDR:

Full Answers:

how does Truffle identify the code to optimize?

Truffle starts partial evaluation at RootNode.execute(VirtualFrame). During partial evaluation, the RootNode instance itself is treated as a constant, while the VirtualFrame argument represents the dynamic input to the program.

Beyond that, Truffle does not use reflection or heuristics to discover execute() methods. It simply follows the normal Java call graph starting from the RootNode. Any code reachable from that entry point is a candidate for partial evaluation.

This means you can structure Node.execute(..) calls however you like, but for the compiler to inline and optimize them, the node instances must be constant from the RootNode’s point of view. To achieve that you should:

Granularity and @TruffleBoundary

Granularity matters a lot. Many small, type-specialized Node subclasses typically optimize better than one monolithic execute() method. @TruffleBoundary explicitly stops partial evaluation/inlining across a method boundary (useful for I/O or debugging), so placing it incorrectly can destroy performance. The usual pattern is to keep “hot” interpreter code boundary-free and push any side effects or slow paths behind boundaries.

Truffle DSLs and compiler directives

The DSLs (Specialization, Library, Bytecode DSL) are not strictly required for peak performance. Anything the DSL generates you could hand-write yourself. However, they dramatically reduce boilerplate and encode best practices: specialization guards, cached values, automatic rewriting of nodes, etc. This both improves maintainability and makes performance tuning much easier.

Similarly, compiler directives (@ExplodeLoop, @CompilationFinal(dimensions = ...), etc.) give the optimizer hints. They are incremental , you can start with a naïve interpreter, but expect to add annotations to reach competitive performance. Without them, partial evaluation may not unroll loops or constant-fold as expected.

Performance expectations and inspection

Truffle interpreters are not automatically fast. A naïve tree-walk interpreter can easily be slower under partial evaluation than as plain Java. Understanding how PE works, constants vs. dynamics, call graph shape, guard failures, loop explosion, etc. is essential.

In practice, most language implementers end up inspecting the optimized code. Graal provides two main tools:

The Truffle docs have a dedicated “Optimizing Your Interpreter” guide that demonstrate the patterns. I would also recommend checking out the other language implementations for best practices.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @TruffleBoundary
  • Low reputation (0.5):
Posted by: Christian Humer

79771510

Date: 2025-09-22 10:45:48
Score: 1
Natty:
Report link

Do not use next/head in App Router. Remove it from your components if present.
Make sure your layout.tsx has proper structure:

export default function RootLayout({ children }: { children: React.ReactNode }) {
  return (
    <html lang="en">
      <body>{children}</body>
    </html>
  );
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Dhiraj Rupnawar

79771503

Date: 2025-09-22 10:40:47
Score: 2.5
Natty:
Report link

Convex hull is possible, there are so many ways to do that, it may not be fully accurate. Concave hull is some extra process on a convex hull, like splitting the edge with the nearest vertex that stays in between them. I think there is no simple and widely accepted solution for that.

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

79771492

Date: 2025-09-22 10:24:42
Score: 0.5
Natty:
Report link

I had the same issue when running dotnet publish for multiple platforms using a bash script (Windows / MacOS). In my case, the fix turned out to be running dotnet clean before the publish.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Thomas Van Iseghem

79771491

Date: 2025-09-22 10:24:42
Score: 3.5
Natty:
Report link

If the device's traits don't match the reported state, it might not render correctly.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Valeria Jiménez Rodríguez

79771487

Date: 2025-09-22 10:22:41
Score: 2.5
Natty:
Report link

Check if you are really using the correct version of Java in the project. In my case, after downloading the project, JDK 21 was selected by default, but the project was on 8 :) Changing it helped.

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

79771480

Date: 2025-09-22 10:10:38
Score: 0.5
Natty:
Report link

You have a typo in your -e PORT:8996. This must be = instead of ::

-e PORT=8996

But this configuration setting is non-useful and add complexity. Best is to remove -e PORT=8996, openproject will still listen on 80 within the container, but your -p 8996:80 will make openproject listen on another port on your host.

For your "Invalid host_name configuration" error, did you well access openproject using http://localhost:8996? (we cannot see the whole URL you posted, it seems truncated)

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

79771473

Date: 2025-09-22 10:01:35
Score: 0.5
Natty:
Report link

Right now your animation looks shaky because you’re resizing the whole window with window.setAttributes() on every frame that forces android to relayout the entire activity and it stutters. The smoother way is to put your dialog content inside a container view (like a FrameLayout), start it at half screen height and then animate that view’s height using a ValueAnimator. That way only the container is remeasured not the whole window, and the animation runs much more smoothly. Also use an interpolator like DecelerateInterpolator instead of LinearInterpolator to make the motion feel natural.

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

79771468

Date: 2025-09-22 09:56:34
Score: 1
Natty:
Report link

By using the relative path, the problem will be solved i.e cat ./file\ name\ with\ spaces or cd ./file\ name\ with\ spaces

It'll work.

Instead of placing the escape characters, click tab after two or three characters(do not forget "./")

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

79771464

Date: 2025-09-22 09:51:32
Score: 4
Natty:
Report link

can we integrate it in all kind of situations

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): can we in
  • Low reputation (1):
Posted by: user1584380

79771448

Date: 2025-09-22 09:32:27
Score: 1
Natty:
Report link

When deciding whether to use a flowchart or a sequence diagram to describe a process, it really depends on what you want to explain. At Cloudairy, we often suggest starting with a flowchart when you want to give a simple, high-level view of a process. Flowcharts are perfect for showing the steps and decisions in a workflow — for example, “User signs up → Email is verified → Account is created.” They are easy for business teams, managers, and clients to understand because they focus on what happens next and where decisions are made.

A sequence diagram, on the other hand, is more technical. It shows the order of interactions between systems, components, or people over time. If you want to describe how your front-end, back-end, and database communicate during a login process, a sequence diagram is ideal. It helps developers visualize requests, responses, and timing issues so they can build or troubleshoot the system correctly.

In practice, many Cloudairy projects use both: flowcharts to get everyone on the same page, then sequence diagrams to capture the technical details. So, think about your audience — if you’re presenting to business stakeholders, use a flowchart. If you’re documenting for developers, go with a sequence diagram.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Starts with a question (0.5): When
  • Low reputation (1):
Posted by: yagna cloudairy

79771442

Date: 2025-09-22 09:27:26
Score: 0.5
Natty:
Report link

Unset the max-width from the parent container and use the full vw centred

.overflow-slider {
  max-width: none !important;
  width: 100vw;
  margin-left: calc(-50vw + 50%);
  margin-right: calc(-50vw + 50%);
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Shark Lasers

79771438

Date: 2025-09-22 09:20:24
Score: 4.5
Natty: 5
Report link

I've create a post install script which can be found here github.com/firebase/firebase-ios-sdk/issues/15347

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

79771436

Date: 2025-09-22 09:20:24
Score: 2
Natty:
Report link

You don’t need to declare @JsonKey() anymore. The latest json_serializable updates handle most cases automatically, so your models should work fine without explicitly adding it.

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

79771420

Date: 2025-09-22 09:02:19
Score: 3
Natty:
Report link

I have also resolved this problem by selecting Business Intelligence option during SSMS21 installation.

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

79771416

Date: 2025-09-22 08:55:17
Score: 1.5
Natty:
Report link

you can disable it with this step
open keyboard setting
enter image description here

select Write in text field
enter image description here

disable by toggle Use Stylus to write in text fields
enter image description here

Now when you pop the keyboard setting screen everything should be fine now
enter image description here

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

79771412

Date: 2025-09-22 08:52:15
Score: 8.5 🚩
Natty: 5.5
Report link

I'm in the same position, did you find a solution?

Reasons:
  • RegEx Blacklisted phrase (3): did you find a solution
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Hugo Arias

79771410

Date: 2025-09-22 08:47:14
Score: 4.5
Natty:
Report link

I have exactly the same problem. Except that I don't have tabBar.isTranslucent = false in my code.

The bottom constraint of my ViewController that is displayed is also attached to the view's bottomAnchor, and not to contentLayoutGuide bottomAnchor.

Is anyone else unable to solve this problem with isTranslucent?

Reasons:
  • Has code block (-0.5):
  • Me too answer (2.5): I have exactly the same problem
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: FabioDev

79771404

Date: 2025-09-22 08:41:12
Score: 5.5
Natty:
Report link

I think that bidirectional association in SysML v2 is crossing relationship, but I am not sure - pls can someone confirm this?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: qwertys

79771400

Date: 2025-09-22 08:35:04
Score: 7.5 🚩
Natty:
Report link

I am having the exact same problem as @vuelicious, also realized about the latency values and try to delay the playtime that latency to sync the screen but still the delay is much higher than the output latency value.

Did any of you found an approach to manage this delays?

Thank you so much!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I am having the exact same problem
  • Contains question mark (0.5):
  • User mentioned (1): @vuelicious
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Ricardo Pardo

79771393

Date: 2025-09-22 08:31:03
Score: 3
Natty:
Report link

The leading “I” actually stands for “import” so as to sometimes identify imported vehicles.

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

79771378

Date: 2025-09-22 08:07:57
Score: 0.5
Natty:
Report link

The accepted answer is correct, but I'd like to add:

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