79742219

Date: 2025-08-21 11:37:08
Score: 4.5
Natty:
Report link

No se ha dicho pero una posible solución podría ser añadir en el __init__.py de la carpeta donde están los módulos (por ejemplo si es la carpeta objects que está dentro del proyecto project) lo siguiente:

# project/objects/__init__.py

import importlib

homePageLib = importlib.import_module(
    "project.objects.homePageLib"
)
calendarLib = importlib.import_module(
    "project.objects.calendarLib"
)

Después en cada módulo homePageLib y calendarLib hacer el import de la siguiente manera:

from project.objects import homePageLib

o

from project.objects import calendarLib

y para usarlo dentro:

return calendarLib.CalendarPage()

Reasons:
  • Blacklisted phrase (1): está
  • Blacklisted phrase (3): solución
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Juanjo

79742198

Date: 2025-08-21 11:16:03
Score: 4
Natty:
Report link

try looking at NativeWind as well

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

79742191

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

I have a quick solution to this. Update this line with a default parameter EmptyTuple:

inline def makeString[T <: Tuple](x: T = EmptyTuple): String = arg2String(x).mkString(",")

Here it is in scastie:

https://scastie.scala-lang.org/l02ZtukYQ0mPf2Bhx57xCQ

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

79742190

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

For now this is my conclusion on how to access the required value from withing the MinecraftServer.class

    @Override
    @Nullable
    public ReloadableServerResources codec$getResources() {
        try {
            Field resources = MinecraftServer.class.getDeclaredField("resources");
            resources.setAccessible(true);
            Method managers = resources.getType().getDeclaredMethod("managers");
            managers.setAccessible(true);
            Object reloadableResources = resources.get(this);
            return (ReloadableServerResources) managers.invoke(reloadableResources);
        } catch (Exception e) {
            return null;
        }
    }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Résu

79742182

Date: 2025-08-21 10:55:59
Score: 0.5
Natty:
Report link
    public class UITestAttribute : TestAttribute
    {
        public new void ApplyToTest(Test test)
        {
            base.ApplyToTest(test);
            new RequiresThreadAttribute(ApartmentState.STA).ApplyToTest(test);
        }
    }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: user487779

79742169

Date: 2025-08-21 10:48:57
Score: 2
Natty:
Report link

I ran into the same error for the Shadcn chart and sidebarbutton components. When the error shows, Next.js would display the offending component and line of code. I went in and added id tags to where I call said components to resolve the hydration server-client mismatch.

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

79742163

Date: 2025-08-21 10:40:55
Score: 3
Natty:
Report link

.net Entity Framework 6 + Just add the following to the Scaffold code

-Nopluralize

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Mustafa Onur Özkan

79742161

Date: 2025-08-21 10:36:55
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: sandip das sani das

79742160

Date: 2025-08-21 10:35:54
Score: 2.5
Natty:
Report link

I solved this problem by placeing the displays (in parametrs -> system -> displays) in straight row.
From enter image description here to enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Whitelisted phrase (-2): I solved
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Green Map

79742153

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

Unfortunately, no, there’s no safe way to fully hide an OpenAI API key in a frontend-only React app. Any key you put in the client code or request headers can be seen in the browser or network tab, so it’s always exposed.

The standard solutions are:
1.Use a backend (Node.js, serverless functions, Firebase Cloud Functions, etc.) to proxy requests. Your React app calls your backend, which adds the API key and forwards the request. This keeps the key secret.
2.Use OpenAI’s client-side tools with ephemeral keys if available (like some limited use cases in OpenAI’s examples), but these are temporary and still limited.

Without a backend, there’s no fully secure way anyone could copy the key and make API calls themselves. For production apps, a backend or serverless proxy is mandatory.

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

79742147

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

Title: Standardizing showDatePicker date format to dd/MM/yyyy in Flutter

Question / Issue:
Users can manually type dates in mm/dd/yyyy format while most of the app expects dd/MM/yyyy. This causes parsing errors and inconsistent date formats across the app.

I want to standardize the showDatePicker so that either:

  1. The picker respects dd/MM/yyyy based on locale.

  2. Manual input parsing is handled safely in dd/MM/yyyy.

Reference: https://github.com/flutter/flutter/issues/62401

Solution 1: Using Flutter Localization

You can force the picker to follow a locale that uses dd/MM/yyyy (UK or India):

// In pubspec.yaml
flutter_localizations:
  sdk: flutter

// MaterialApp setup
MaterialApp(
  title: 'APP NAME',
  localizationsDelegates: const [
    GlobalMaterialLocalizations.delegate,
    GlobalWidgetsLocalizations.delegate,
    GlobalCupertinoLocalizations.delegate,
  ],
  supportedLocales: const [
    Locale('en', 'GB'), // UK English = dd/MM/yyyy
    Locale('ar', 'AE'), // Arabic, UAE
    Locale('en', 'IN'), // Indian English = dd/MM/yyyy
  ],
  home: MyHomePage(title: 'Flutter Demo Home Page'),
);

// DatePicker usage
await showDatePicker(
  locale: const Locale('en', 'GB'), // or Locale('en', 'IN')
  context: context,
  fieldHintText: 'dd/MM/yyyy',
  initialDate: selectedDate,
  firstDate: DateTime(1970, 8),
  lastDate: DateTime(2101),
);

✅ Pros: Works with stock showDatePicker.
⚠️ Cons: Requires adding flutter_localizations to pubspec.

Solution 2: Using a Custom CalendarDelegate

You can extend GregorianCalendarDelegate and override parseCompactDate to handle manual input safely:

class CustomCalendarGregorianCalendarDelegate extends GregorianCalendarDelegate {
  const CustomCalendarGregorianCalendarDelegate();

  @override
  DateTime? parseCompactDate(String? inputString, MaterialLocalizations localizations) {
    if (inputString == null || inputString.isEmpty) return null;

    try {
      // First, try dd/MM/yyyy
      return DateFormat('dd/MM/yyyy').parseStrict(inputString);
    } catch (_) {
      try {
        // Fallback: MM/dd/yyyy
        return DateFormat('MM/dd/yyyy').parseStrict(inputString);
      } catch (_) {
        return null;
      }
    }
  }
}

Usage:

await showDatePicker(
  context: context,
  fieldHintText: 'dd/MM/yyyy',
  initialDate: selectedDate,
  firstDate: DateTime(1970, 8),
  lastDate: DateTime(2101),
  calendarDelegate: CustomCalendarGregorianCalendarDelegate(),
);

✅ Pros: Full control over manual input parsing, no extra pubspec assets required.
⚠️ Cons: Requires using a picker/widget that supports custom CalendarDelegate.

Recommendation:

  1. Use Flutter localization for a quick standard solution.

  2. Use CustomCalendarGregorianCalendarDelegate for strict manual input handling or if flutter_localizations cannot be added.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mohamed Ashiq

79742131

Date: 2025-08-21 10:06:48
Score: 2.5
Natty:
Report link

Unfortunately, Android Studio doesn't have an option/setting to disable this. It assumes that once you refactor a file, you want to take a look at the result and thus opens it in the editor.

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

79742126

Date: 2025-08-21 10:03:47
Score: 3
Natty:
Report link

LOVE is the answer:

12=L (#'s in Alphabet)

15=O

22=V

05=E

Evolve, elovate, and omg! Volvo Volvo, okay quit showing off Mom and Dad!!!:)

Kathy, he he he:)

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

79742116

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

Go to android/app/build.gradle and change the versions with below codes.

compileOptions {
    sourceCompatibility = JavaVersion.VERSION_17
    targetCompatibility = JavaVersion.VERSION_17
}

kotlinOptions {
    jvmTarget = JavaVersion.VERSION_17
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Ebuzer SARIYERLİOĞLU

79742114

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

Eclipse doesn’t provide a direct global setting to always use Java Compare for Java files, but you can set it per file type:

  1. Go to Window → Preferences → General → Editors → File Associations.

  2. Find .java in the file types list.

  3. In the Associated editors section, select Java Compare and click Default.

After this, whenever you open a Java file for comparison, Eclipse should prefer the Java Compare editor instead of the generic text compare.
If Git still opens the standard compare, a workaround is to right-click the file → Compare With → HEAD, then manually select Java Compare the first time; Eclipse usually remembers it for future comparisons.
Eclipse doesn’t have a built-in preference to force Git staging view to always use Java Compare globally.

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

79742104

Date: 2025-08-21 09:45:42
Score: 1
Natty:
Report link

You can’t really hide your API key in a React app because anything in the frontend is visible to the user (including the key in the network tab). So, calling OpenAI directly from the frontend will always expose it.

To keep your key safe, the best option is to use a backend (like Node.js/Express or Python) to make the request for you. That way, the API key stays hidden from the user.

If you don’t want to deal with a full backend, you could try using serverless functions (like Vercel or Netlify), which essentially act as tiny backends to handle the API call securely.

In short, you need some kind of backend to protect the key — no way around that for security reasons.

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

79742098

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

One new algorithm that you might not be aware of is Gloria. It is not neural network based as your current approach, but is state-of-the-art in a sense that it significantly improves on the well-known Prophet.

Online traning is not yet available (i.e. updating existing models based on the latest new data point), but including a warm-start is on our roadmap for the upcoming minor release (see issue #57), which should speed up re-training your models with new data significantly.

As Gloria outputs lower and upper confidence intervals simple distance-based anomaly detection is very straight forward. Based on the data-type you are using, you have a number of different distribution models available (non-negative models, models with upper bounds, count data,...). These will give you very reliable bounds for precise anomaly detection. With a little bit of extra work, you will even be able to assign a p-value like probability to your data points of being an anomaly.

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

79742087

Date: 2025-08-21 09:25:38
Score: 1
Natty:
Report link
import torch.multiprocessing as mp
import torch

def foo(worker,tl):
    tl[worker] += (worker+1) * 1000

if __name__ == '__main__':
    mp.set_start_method('spawn')
    tl = [torch.randn(2,), torch.randn(3,)]

    # for t in tl:
    #     t.share_memory_()

    print("before mp: tl=")
    print(tl)

    p0 = mp.Process(target=foo, args=(0, tl))
    p1 = mp.Process(target=foo, args=(1, tl))
    p0.start()
    p1.start()
    p0.join()
    p1.join()

    print("after mp: tl=")
    print(tl)

# The running result:
# before mp: tl=
# [tensor([1.7138, 0.0069]), tensor([-0.6838,  2.7146,  0.2787])]
# after mp: tl=
# [tensor([1001.7137, 1000.0069]), tensor([1999.3162, 2002.7146, 2000.2787])

I have another question. As long as mp.set_start_method('spawn') is used, envn if I comment t.share_memory_,the tl is still modified.

Reasons:
  • Blacklisted phrase (1): another question
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: damon tang

79742086

Date: 2025-08-21 09:25:38
Score: 2.5
Natty:
Report link
suppressScrollOnNewData={true}
getRowId={getRowId} 
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • Low reputation (1):
Posted by: James Chen

79742084

Date: 2025-08-21 09:23:37
Score: 2
Natty:
Report link

It looks like hyperlinks in the terminal are broken again in WebStorm 2025 (at least if the path to the file is relative). For those looking for a solution, there is a plugin https://plugins.jetbrains.com/plugin/7677-awesome-console that fixes the problem

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

79742070

Date: 2025-08-21 09:11:34
Score: 2
Natty:
Report link

May be this variant with grouping will do the thing?

df = df.assign(grp=df[0].str.contains(r"\++").cumsum())
res = df.groupby("grp").apply(lambda x: x.iloc[-3,2] 
                              if "truck"  in x[1].values
                              else None,
                              include_groups=False).dropna()
Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: strawdog

79742069

Date: 2025-08-21 09:06:33
Score: 6
Natty: 8
Report link

Can anyone have clear idea, about this issue and find any solution. kindly share your experience.

AbandonedConnectionTimeout set to 15 mins InactivityTimeout set to 30 mins,: is this work?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): Can anyone have
  • Low reputation (1):
Posted by: yogi yogaraj

79742060

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

When I do something like this I usually just use the date command. Perhaps if I run a command that takes a while and I want to see about how long it ran I run something like...

(date && COMMAND && date) > output.txt

Then when I look in the output file, it will show the date before the command starts, and after the command finishes. In Perl the code would look something like this...

$ perl -e '$cmd=q(date && echo "sleeping 3 seconds" && sleep 3 && date); print for(`$cmd`);'

Thu Aug 21 02:54:45 AM CDT 2025
sleeping 3 seconds
Thu Aug 21 02:54:48 AM CDT 2025

So if you wanted to print out the time in a logfile you could do something like this...

#!/usr/bin/perl -w

open(my $fh, ">", "logfile.txt");
my ($dateCommand, $sleepCommand, $date, $sleep);
$dateCommand = "date";
$sleepCommand = "sleep 3";

chomp($date =`$dateCommand`);
print $fh "LOG: Stuff happened at time: $date\n";

chomp($date = `$dateCommand && echo "sleeping for 3 seconds" && $sleepCommand && $dateCommand`);
print $fh "LOG: Following line is command output surrounded by date\n\n$date\n";

if(1){ #this is how you can put the date in error messages
  chomp($date = `$dateCommand`);
  die("ERROR: something happened at time: $date\n");
}

Output looks like this

$ perl date.in.logfile.pl

ERROR: something happened at time: Thu Aug 21 02:55:54 AM CDT 2025

Compilation exited abnormally with code 255 at Thu Aug 21 02:55:54


$ more logfile.txt 

LOG: Stuff happened at time: Thu Aug 21 02:55:51 AM CDT 2025
LOG: Following line is command output surrounded by date

Thu Aug 21 02:55:51 AM CDT 2025
sleeping for 3 seconds
Thu Aug 21 02:55:54 AM CDT 2025

If you only wanted a specific time field instead of the entire date, you could run the date command and separate it with a regular expression like so...

#!/usr/bin/perl -w

$cmd="date";
$date=`$cmd`;
$date=~/(\w+) (\w+) (\d+) ([\d:]+) (\w+) (\w+) (\d+)/;

my ($dayOfWeek, $month, $day, $time, $meridiem, $timeZone, $year) = 
    ($1, $2, $3, $4, $5, $6, $7);

#used printf to align columns to -11 and -8
printf("%-11s : %-8s\n", "Day of week", $dayOfWeek);
printf("%-11s : %-8s\n", "Month", $month);
printf("%-11s : %-8s\n", "Day", $day);
printf("%-11s : %-8s\n", "Time", $time);
printf("%-11s : %-8s\n", "Meridiem",$meridiem );
printf("%-11s : %-8s\n", "Timezone", $timeZone);
printf("%-11s : %-8s\n", "Year", $year);

Output looks like this...

$ perl date.pl

Day of week : Thu     
Month       : Aug     
Day         : 21      
Time        : 03:25:05
Meridiem    : AM      
Timezone    : CDT     
Year        : 2025    
Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Starts with a question (0.5): When I
  • Low reputation (0.5):
Posted by: user3408541

79742057

Date: 2025-08-21 08:50:29
Score: 3
Natty:
Report link

ARG USER
ARG GROUP
RUN useradd "$USER"
USER "$USER":"$GROUP"

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

79742053

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

I found the explanation myself. It seems the error was triggered not by comments but by file size.

I ended up refactoring the ApexCharts options in a separate file, and that got rid of the error.

So it seems that web-pack has some issues with big configuration files (not sure exactly what), but clearly by reducing the file size it solved the issue.

Does not care about comments directly, but most likely, the comments are getting stripped at compilation so that affects the resulting file size, thus it's was an indirect effect when I played around with comments in my question above.

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

79742049

Date: 2025-08-21 08:43:27
Score: 3.5
Natty:
Report link

This question is duplicate of Expo unable to resolve module expo-router

Try answer added to this question.

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

79742048

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

This error means your Android device doesn't have a Lock Screen Knowledge Factor (LSKF) set up - basically, no screen lock protection.

Quick fix:

Go to Settings → Security (or Lock Screen)

Set up a screen lock:

🔸 PIN

🔸 Pattern

🔸 Password

🔸 Fingerprint

🔸 Face unlock

Why does this happen?

Your app is trying to use Android's secure keystore, but the system requires some form of screen lock to protect the keys. Without it, Android won't let apps store sensitive data securely.

Steps:

Open Settings

Find "Security" or "Lock Screen"

Choose "Screen Lock"

Pick any method (PIN is quickest)

Restart your app

That should fix it. The keystore needs device security to work properly.

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

79742041

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

Right click on the variable and click on the Rename Symbol option, this option will only rename the correct ABC (str vs bool).

You can alternatively press F2 as well to do this.

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

79742040

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

Just open Vscode in the folder that contains the Scripts folder.

Then activate your virtual environment. Create a ipynb notebook, put some code in it and at the top right, you can select the kernel. The name of the env will be same as the name of your folder.

see top right, this is my env name

Vscode will auto detect this environment, even when you restart the editor. Once you activate the environment, select on this option and reselect the environment. I have a cell that shows me the number of libraries installed in the venv, and this helps to check if vscode is using the correct env or not. (in my main python, i have only 20 libraries installed and in my virtual environments, I have over 100).

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

79742035

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

Alternatively, you can exclude packages by adding a parameter to the upgrade command:

choco upgrade all --except="firefox,googlechrome"

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

79742029

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

SELECT COUNT(*) FROM (VALUES ('05040'),('7066'),('2035'),('1310')) AS t(val);

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

79742026

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

ENV PATH="$PATH:/opt/gtk/bin"

No spaces before or after =

I don't know if the quotes are necessary.

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

79742015

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

I've just delete from .idea the gradle.xml file -> closed and open the project and it worked

Reasons:
  • Whitelisted phrase (-1): it worked
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: John.Paul.hey

79742009

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

Request Id: 70e9f474-ee8a-43c5-8dcc-d82e56925400

Correlation Id: bd74ca51-e2ca-47eb-9fca-2e06d01a6763

Timestamp: 2025-08-21T07:47:14.933Z

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Eng. Mohamed Hesham

79742002

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

For pytest-asyncio >= 1.1.0,

#pyproject.toml
...
[tool.pytest.ini_options]
asyncio_default_fixture_loop_scope = "session"
asyncio_default_test_loop_scope = "session"

if use other configuration, reference
https://pytest-asyncio.readthedocs.io/en/latest/how-to-guides/change_default_fixture_loop.html
https://pytest-asyncio.readthedocs.io/en/latest/how-to-guides/change_default_test_loop.html

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

79742000

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

This seems to be working now. gemini_in_workspace_apps is part of the API pattern rules for allowed applications.

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

79741994

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

I think that the disconnectedCallback() is what are you looking for.
Try to add it to your class with logic of destroying your element, like

disconnectedCallback() {
    // here put your logic with killing subscriptions and so on
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Виталий Боднар

79741993

Date: 2025-08-21 07:46:12
Score: 4
Natty:
Report link

Please check out this : https://github.com/mmin18/RealtimeBlurView

I think this is the best blur overlay view in Android world

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

79741991

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

Custom property can be used for this, here is the example:

@property --breakpoint-lg {
    syntax: "<length>";
    initial-value: 1024px;
    inherits: true;
}

.container {
    // some styles

    @media (min-width: --breakpoint-lg) {
        // some styles
    }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): can
  • Low reputation (0.5):
Posted by: Lukaydo

79741986

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

SOLVED

sudo apt install postgresql-client-common

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

79741975

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

Okay, I finally managed the sql syntax:

DoCmd.RunSQL "INSERT INTO PlanningChangeLog(" & _
        "ID, TimeStampEdit, UserAccount, Datum, Bestelbon, Transporteur, Productnaam, Tank) " & _
        "SELECT ID, Now() as TimeStampEdit, '" & user & "' as UserAccount, Datum, " & _
        "Bestelbon, Transporteur, Productnaam, Tank FROM Planning " & _
        "WHERE Bestelbon = " & Me.txtSearch & ""

This copies the record to a changelog table, and inserts a timestamp and user account field after the index field.

Thx for all the suggestions!

Reasons:
  • Blacklisted phrase (1): Thx
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Don Quixote

79741973

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

Search Pattern

Use this regular expression to find the invalid pattern. It's flexible enough to match any expressions for a, b, c, and d, not just simple variables.

(.*\s*\?)(.*):\s*(.*)\?\s*:\s*(.*)

Option 1: Fix to (a ? b : c) ?: d

Use this replacement pattern if you want to group the entire first ternary as the condition for the second.

Code snippet

($1 $2 : $3) ?: $4

This pattern wraps the first three capture groups in parentheses, creating a single, valid expression.

Option 2: Fix to a ? b : (c ?: d)

Use this replacement pattern if you want to nest the second ternary inside the first. This is a common and often more readable approach.

Code snippet

$1 $2 : ($3 ?: $4)
Reasons:
  • RegEx Blacklisted phrase (1.5): Fix to a ?
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Htut Win Latt

79741967

Date: 2025-08-21 07:22:06
Score: 0.5
Natty:
Report link

Try using one of these.

import { screen } from '@testing-library/react';

screen.debug(undefined, Infinity);
import { prettyDOM } from '@testing-library/react';

console.log(prettyDOM());
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Claim

79741963

Date: 2025-08-21 07:18:05
Score: 2
Natty:
Report link

I've been working in a company that fully make use of Spring ecosystem. And in order to use actor model, we needed to integrate spring and Pekko. So I've wrote a libarary that integrated Pekko(Akka fork) and Spring Ecosystem. PTAL if you are interested

https://github.com/seonWKim/spring-boot-starter-actor

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: 김선우A

79741960

Date: 2025-08-21 07:14:04
Score: 0.5
Natty:
Report link

Filtering by Apps Script ID fails because Logs Explorer doesn’t index script_id as a resource label. It only allows filtering by types like resource.type="app_script_function". To filter by script ID, you must either log the script ID explicitly in your log messages and filter via jsonPayload—or export your logs to BigQuery or a Logging sink, enabling full querying capabilities.

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

79741959

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

Issue
tsconfig.app.json included the whole src folder, which also contained test files. This meant the tests were type-checked by both tsconfig.app.json and tsconfig.test.json, which caused conflicts and ESLint didn’t recognize Vitest globals.

Fix
Exclude test files from tsconfig.app.json so only tsconfig.test.json handles them.

tsconfig.app.json

{
  // Vite defaults...

  "exclude": ["src/**/*.test.ts", "src/**/*.test.tsx", "src/tests/setup.ts"]
}

tsconfig.test.json

{
  "compilerOptions": {
    "types": ["vitest/globals"],
    "lib": ["ES2020", "DOM"],
    "module": "ESNext",
    "moduleResolution": "bundler",
    "jsx": "react-jsx"
  },
  "include": ["src/**/*.test.ts", "src/**/*.test.tsx", "src/tests/setup.ts"]
}

After this change, ESLint recognized describe, it, expect, etc.

(Optional): I also added @vitest/eslint-plugin to my ESLint config. Not required for fixing the globals error, but helpful for extra rules and best practices in tests.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Basma Khalil

79741956

Date: 2025-08-21 07:10:02
Score: 3
Natty:
Report link

If you are using MVC, use RedirectToAction with a TempData or QueryString passed as error id. Using that error id, display a message box in the target action or view.

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

79741943

Date: 2025-08-21 07:06:01
Score: 1
Natty:
Report link
{
  "Version": "2012-10-17",
  "Statement": [
    {
      "Effect": "Allow",
      "Principal": {
        "Service": "cloudformation.amazonaws.com"
      },
      "Action": "lambda:InvokeFunction",
      "Resource": "*"
    }
  ]
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Karambir Singh

79741937

Date: 2025-08-21 06:59:00
Score: 0.5
Natty:
Report link

Firehose cannot deliver directly to a Redshift cluster in a private VPC without internet access or making the cluster public.

Using an Internet Gateway workaround compromises security.
1. Enabling an Internet Gateway exposes the Redshift cluster to inbound traffic from the internet, dramatically increasing the attack surface.
2. Many compliance frameworks and AWS Security Hub rules (e.g., foundational best practices) discourage making databases publicly accessible.

A best-practice alternative is to have Firehose deliver logs to S3, then use a Lambda or similar within the VPC to COPY into Redshift.

For real-time streaming, consider Redshift's native Streaming Ingestion which fits tightly into private network models.

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

79741932

Date: 2025-08-21 06:53:58
Score: 8.5
Natty: 5.5
Report link

Did you find any solution for this i hope its solved by now

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (3): Did you find any solution
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find any solution for this i
  • Low reputation (1):
Posted by: Awais

79741925

Date: 2025-08-21 06:49:57
Score: 1.5
Natty:
Report link

Imagine you’re designing a lift (elevator) for a building.

Similarly, in algorithms, we want to know the maximum time it can ever take, so that no matter what input comes, the program won’t surprise or fail.

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

79741922

Date: 2025-08-21 06:47:57
Score: 2.5
Natty:
Report link
  1. Use string_split function

  2. Use this workaround if you have old sql-server version

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

79741910

Date: 2025-08-21 06:30:52
Score: 0.5
Natty:
Report link

When you configure an AWS CLI profile for SSO, every command you run—even those against LocalStack—requires authentication via a valid SSO session. The CLI automatically checks for a cached SSO access token and, if missing or expired, prompts you to run aws sso login. Only after that token is retrieved can the CLI issue (mock or real) AWS API calls. This is documented in the AWS CLI behavior around IAM Identity Center sessions and SSO tokens.
AWS Doc: https://docs.aws.amazon.com/cli/latest/reference/sso/login.html?

"To login, the requested profile must have first been setup using aws configure sso. Each time the login command is called, a new SSO access token will be retrieved."

For LocalStack, you can bypass this by using a non-SSO profile with dummy static credentials (aws_access_key_id and aws_secret_access_key), since LocalStack does not validate them. This prevents unnecessary SSO logins while still allowing AWS CLI and SDKs to function locally.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): When you
  • Low reputation (0.5):
Posted by: syam

79741891

Date: 2025-08-21 06:14:48
Score: 1
Natty:
Report link

This is because DocumentDB does not support isMaster; it utilizes hello instead, particularly in newer releases (v5.0). Ensure your driver version is compatible and uses hello, or upgrade the cluster to v5.0 for better API alignment with MongoDB

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

79741889

Date: 2025-08-21 06:12:48
Score: 1.5
Natty:
Report link

You may try Spectral confocal technology.

Spectral confocal technology is a non-contact method used to measure surface height, particularly for micro and nano-scale measurements. It works by analyzing the spectrum of reflected light from a surface, where different wavelengths correspond to different heights.

Usually it been used to measure heights, but you can get intensity of different surface from the results, but maybe need some normalization to convert to the intensity of white light.

Reasons:
  • Blacklisted phrase (0.5): contact me
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Lamp

79741887

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

enter image description here

Formula in D1:

=LET(f,TEXTSPLIT,s,IFNA(N(f(A1,",")=f(A2,",")),),SUM(s)/COUNT(s))
Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • Has code block (-0.5):
  • Has no white space (0.5):
  • High reputation (-2):
Posted by: JvdV

79741881

Date: 2025-08-21 06:00:45
Score: 1
Natty:
Report link

you can make use of  --disableexcludes=all with the yum install command, which overrides all the excludes from /etc/yum.conf file.

in you case, yum install nginx --disableexcludes=all

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

79741871

Date: 2025-08-21 05:48:43
Score: 2
Natty:
Report link
SELECT NAME, TYPE, LINE, TEXT
FROM USER_SOURCE
WHERE TYPE = 'PROCEDURE'
  AND UPPER(TEXT) LIKE '%PALABRA%';
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Eliseo

79741866

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

The proble get resolved.

follow below step if sudo nano /usr/share/libalpm/hooks/60-dkms.hook or sudo nano /usr/share/libalpm/hooks/90-mkinitcpio-install.hook files doesn't exist and you have /usr/share/libalpm/hooks/30-systemd-udev-reload.hook this file.

Here are the steps that I followed:

  1. Create an override hook:
sudo mkdir -p /etc/pacman.d/hooks
sudo nano /etc/pacman.d/hooks/30-systemd-udev-reload.hook
  1. Add this:
[Trigger]
Type = Path
Operation = Install
Operation = Upgrade
Operation = Remove
Target = usr/lib/udev/rules.d/*

[Action]
Description = Skipping udev reload to avoid freeze
When = PostTransaction
Exec = /usr/bin/true
  1. then save it.

and the problem is resolved now.

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

79741853

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

This kind of issue may also occur due to the expiration of your Apple Developer account. If your App Store membership expire that time you may also face similar type issues. Please make sure your account is renewed.

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

79741850

Date: 2025-08-21 05:15:36
Score: 2.5
Natty:
Report link

I had a similar use case a few years ago, so I created a small package that converts trained XGBClassifier and XGBRegressor models into Excel formulas by exporting their decision trees. https://github.com/KalinNonchev/xgbexcel

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

79741843

Date: 2025-08-21 05:07:34
Score: 2
Natty:
Report link

As far as I understand, there is no point in considering approximations that are slower than the standard acos() or acosf() functions. Achieving same performance for correctly rounded double-precision values ​​is extremely difficult, if not impossible, but it is quite possible to improve performance for values with error ​​close to one of single-precision format. Therefore, even those approximations that seem successful should be tested for performance.

Since the arccosine of x has an unbounded derivative at points x=+-1, the approximated function should be transformed so that it becomes sufficiently smooth. I propose to do this as follows (I think this is not a new way): is constructed an approximation of the function

f(t) = arccos(t^2)/(1-t^2)^0.5

using the Padé-Chebyshev method, where t=|x|^0.5, -1<=t<=1. The function f(t) is even, fairly smooth, and can be well approximated by both polynomial and a fractional rational functions. The approximation is as follows:

f(t) ≈ (a0+a1*t^2+a2*t^4+a3*t^6)/(b0+b1*t^2+b2*t^4+b3*t^6) = p(t)/q(t).

Considering the relationship between the variables t and x, we can write:

f(x) ≈ (a0+a1*|x|+a2*|x|^2+a3*|x|^3)/(b0+b1*|x|+b2*|x|^2+b3*|x|^3) = p(x)/q(x).

After calculating the function f(x), the final result is obtained using one of the formulas:

arccos(x) = f(x)*(1-|x|)^0.5 at x>=0;

arccos(x) = pi-f(x)*(1-|x|)^0.5 at x<=0.

The coefficients of the fractional rational function f(x), providing a maximum relative error of 8.6E-10, are follows:

a0 = 1.171233654022217, a1 = 1.301361441612244, a2 = 0.3297972381114960, a3 = 0.01141332555562258;

b0 = 0.7456305027008057, b1 = 0.9303402304649353, b2 = 0.2947896122932434, b3 = 0.01890071667730808.

These coefficients are specially selected for calculations in single precision format.

An example of code implementation using the proposed method can be found in the adjacent topic Fast Arc Cos algorithm?

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: aenigma

79741835

Date: 2025-08-21 04:57:31
Score: 4.5
Natty:
Report link

i think the issue You are asked to design a program that displays a message box showing a custom message entered by the user. The box should include options such as OK, Cancel, Retry, and Exit. How would you implement this?

Would you like me to make a few different variations of the question (same grammar, ~220 characters) so you can choose the best one?

Reasons:
  • Blacklisted phrase (1): How would you
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: user28232928

79741818

Date: 2025-08-21 04:29:25
Score: 0.5
Natty:
Report link

A workaround to the original code could be:

template<int...n> struct StrStuff {
    template<int...n0> explicit StrStuff(char const(&...s)[n0]) {}
};
template<int...n> StrStuff(char const(&...s)[n])->StrStuff<n...>;

int main() {
    StrStuff g("apple", "pie");
}

But I still wonder why the original code can/can't compile in different compilers.

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

79741810

Date: 2025-08-21 04:15:22
Score: 1
Natty:
Report link

Adding those configurations to `application.properties` just worked as advised in this Github issue.

server.tomcat.max-part-count=50
server.tomcat.max-part-header-size=2048
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: alierdogan7

79741805

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

The issue is that your Docker build does not have your Git credentials.

If it is a private repo, the simplest fix is to make a build argument with a personal access token:

ARG GIT_TOKEN
RUN git clone https://${GIT_TOKEN}@github.com/username/your-repo.git

Then build with:

docker build --build-arg GIT_TOKEN=your_token_here -t myimage .

Just make sure that you are using a personal access token from GitHub, and not your password - GitHub does not allow password auth anymore.

If it is a public repo and is still not working, try:

RUN git config --global url."https://".insteadOf git://
RUN git clone https://github.com/username/repo.git

Sometimes the git:// protocol will mess up Docker images.

Edit: Also, as mentioned in comments, be careful about tokens in build args - because they may appear in image history, and this could pose a risk. For production purposes, consider using Docker BuildKit's --mount=type=ssh option instead.

Reasons:
  • Blacklisted phrase (2): still not working
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Mahitha Adapa

79741796

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

For multiples of 90°, you can use page.set_rotation() For arbitrary angles, render the page as an image with a rotation matrix, then insert it back into a PDF if needed—this isn’t a true vector transformation, but a raster workaround, as MuPDF and most PDF formats do not natively support non-orthogonal page rotations.

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

79741794

Date: 2025-08-21 03:43:14
Score: 2
Natty:
Report link
Para cumplir tus requerimientos en Batch Script:
1.  Mover un archivo de una ruta a otra: Se usa el comando move.
2.  Renombrar el archivo y cambiar la fecha juliana a DDMMYYYY: Se requiere extraer la fecha juliana del nombre, convertirla y renombrar el archivo.
Aquí tienes un ejemplo de código Batch Script que realiza ambas tareas. Supongamos que el archivo original tiene un nombre como archivo_2024165.txt (donde 2024165 es la fecha juliana: año 2024, día 165).

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

@echo off
setlocal enabledelayedexpansion

REM Configura las rutas
set "origen=C:\ruta\origen\archivo_2024165.txt"
set "destino=C:\ruta\destino"

REM Mueve el archivo
move "%origen%" "%destino%"

REM Extrae el nombre del archivo movido
for %%F in ("%destino%\archivo_*.txt") do (
    set "archivo=%%~nxF"
    REM Extrae la fecha juliana del nombre
    for /f "tokens=2 delims=_" %%A in ("!archivo!") do (
        set "fechaJuliana=%%~nA"
        set "anio=!fechaJuliana:~0,4!"
        set "dia=!fechaJuliana:~4,3!"

        REM Convierte día juliano a fecha DDMMYYYY
        powershell -Command "$date = [datetime]::ParseExact('%anio%', 'yyyy', $null).AddDays(%dia% - 1); Write-Host $date.ToString('ddMMyyyy')" > temp_fecha.txt
        set /p fechaDDMMYYYY=<temp_fecha.txt
        del temp_fecha.txt

        REM Renombra el archivo
        ren "%destino%\!archivo!" "archivo_!fechaDDMMYYYY!.txt"
    )
)

endlocal

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

odifica las rutas de origen y destino según tus necesidades.
•   El script usa PowerShell para convertir la fecha juliana a DDMMYYYY, ya que Batch puro no tiene funciones de fecha avanzadas.
•   El nombre final será archivo_DDMMYYYY.txt.
Reasons:
  • Blacklisted phrase (2): código
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Eliseo

79741784

Date: 2025-08-21 03:19:10
Score: 2
Natty:
Report link

Primitives, and their object counterparts are not proxyable as per the spec. If you need the value to live in the request scope, use a wrapper class that is actually proxyable. If you make it @Dependent, you will be able to inject it as an Integer, but there may be overhead because of the nature of dependent beans.

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

79741776

Date: 2025-08-21 02:47:05
Score: 2
Natty:
Report link

You can open up 2 tabs or windows on the same view and have different preview devices showing. Hate this, but it works.

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

79741769

Date: 2025-08-21 02:42:04
Score: 2
Natty:
Report link

1. Check Project Java Build Path

2.Update Installed JREs in Eclipse

3. Project Compiler Compliance Level

4. Check Source and Target Compatibility

5. Restart Eclipse/Refresh Workspace

6. Check for Errors in Problems View

7. Update Content Assist Settings

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

79741764

Date: 2025-08-21 02:33:01
Score: 2
Natty:
Report link

The build system generates the SDL3 library in the build folder, but imgui was not searching in the correct directory due to the command issue. target_link_directories(imgui PUBLIC SDL3) in the vendors/imgui/CMakeLists.txt file, on the last line, needs to be target_link_libraries(imgui PUBLIC SDL3::SDL3).

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

79741750

Date: 2025-08-21 01:47:52
Score: 0.5
Natty:
Report link

I can see why you'd want to build this feature, but unfortunately, detecting whether a user has an active screen-sharing session via any external application (like TeamViewer, Zoom, or Google Meet) isn't directly possible from a web-based application using JavaScript. This is a deliberate limitation for some security and privacy reasons:

  1. Browser Sandboxing: Modern web browsers are designed to run web pages in a "sandbox." This is a crucial security feature that isolates the code from your website from the user's operating system. Because of this, browsers simply don't provide APIs to peek into system-level details like what other processes are running or what they are doing.
  2. Privacy Concerns: Allowing any website to detect if you're running screen-sharing software would be a significant privacy risk. Imagine a malicious website being able to know when you're in a private meeting. To protect users, operating systems and browsers intentionally prevent this kind of access.
  3. Limited Browser Control: There is a relevant API called MediaDevices.getDisplayMedia which can start a screen-share session from your own website. However, its control is limited to the stream it creates. It has no awareness of what other applications or browser tabs are doing.
Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: shuishuo yu

79741749

Date: 2025-08-21 01:46:51
Score: 2
Natty:
Report link

You can also do the following :

Then "Check for Updates..." would be in the "Code" menu.

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

79741744

Date: 2025-08-21 01:39:50
Score: 1
Natty:
Report link

I couldn't find any other way to create a share folder than creating it manually using PowerShell. This is what I did in my code. Thank you everyone for their replies.

- name: 'Create Folder shortcut on G: drive'
  ansible.windows.win_shell: |
    $WshShell = New-Object -ComObject WScript.Shell
    $Shortcut = $WshShell.CreateShortcut("G:\\Folder1.lnk")
    $Shortcut.TargetPath = "\\\\SERVER1\\Folder1"
    $Shortcut.Save()
Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: MWH

79741742

Date: 2025-08-21 01:35:49
Score: 4.5
Natty: 5
Report link

Các bạn có thể tham khảo bài viết Các kiểu dữ liệu trong MySQL https://webmoi.vn/cac-kieu-du-lieu-trong-mysql/ ở bên mình.

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

79741741

Date: 2025-08-21 01:33:48
Score: 0.5
Natty:
Report link

This works great with custom fonts and updating the view's frame causing layout changes:

enter image description here

Here's the code:

public struct FirstLineCenterID: AlignmentID {
    static func defaultValue(in d: ViewDimensions) -> CGFloat {
        d[VerticalAlignment.center]
    }
}

/// Custom vertical alignment used to coordinate views against the **first line center**.
extension VerticalAlignment {
    static let firstLineCenter = VerticalAlignment(FirstLineCenterID.self)
}

// MARK: - FirstLineCenteredLabel

/// A `Label`-like view that displays a leading icon and a text label, aligning the icon
/// to the **vertical midpoint of the text’s first line**.
struct FirstLineCenteredLabel<Icon>: View where Icon : View {
    let text: String
    let spacing: CGFloat?
    let icon: Icon

    /// Cached measured height of a single line for the current font.
    @State private var firstLineHeight: CGFloat?

    /// The effective font pulled from the environment; used by both visible and measuring text.
    @Environment(\.font) var font

    init(
        _ text: String,
        spacing: CGFloat? = nil,
        @ViewBuilder icon: () -> Icon
    ) {
        self.text = text
        self.spacing = spacing
        self.icon = icon()
    }

    var body: some View {
        HStack(alignment: .firstLineCenter, spacing: spacing) {
            let text = Text(text)

            icon
                // aligns by its vertical center
                .alignmentGuide(.firstLineCenter) { d in d[.top] + d.height / 2 } 
                .font(font)

            text
                .font(font)
                .fixedSize(horizontal: false, vertical: true)
                // aligns by the first line's vertical midpoint
                .alignmentGuide(.firstLineCenter) { d in                                                    
                    let h = firstLineHeight ?? d.height
                    return d[.top] + h / 2
                }
                // Measure the natural height of a single line **without impacting layout**:
                // a 1-line clone in an overlay with zero frame captures `geo.size.height` for the
                // current environment font. This avoids the `.hidden()` pitfall which keeps layout space.
                .overlay(alignment: .topLeading) {
                    text.font(font).lineLimit(1).fixedSize()
                        .overlay(
                            GeometryReader { g in
                                Color.clear
                                    .onAppear { firstLineHeight = g.size.height }
                                    .onChange(of: g.size.height) { firstLineHeight = $0 }
                            }
                        )
                        .opacity(0)
                        .frame(width: 0, height: 0)
                        .allowsHitTesting(false)
                        .accessibilityHidden(true)
                }
        }
    }
}

Usage:

var body: some View {
    VStack {
        FirstLineCenteredLabel(longText, spacing: 8) {
            Image(systemName: "star.fill")
        }

        FirstLineCenteredLabel(shortText, spacing: 8) {
            Image(systemName: "star.fill")
        }

        Divider()

        // Just to showcase that it can handle various font sizing.

        FirstLineCenteredLabel(longText, spacing: 8) {
            Image(systemName: "star.fill")
                .font(.largeTitle
        }
        .font(.caption)
    }
}

private var longText: String {
    "This is a new label view that places an image/icon to the left of the text and aligns it to the text's first line vertical midpoint."
}

private var shortText: String {
    "This should be one line.
}
Reasons:
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: MarlonJames

79741735

Date: 2025-08-21 01:17:42
Score: 6.5
Natty:
Report link
import time

def slow_print(text, delay=0.04):
    for char in text:
        print(char, end='', flush=True)
        time.sleep(delay)
    print()

def escolha_personagem():
    slow_print("Escolha sua classe:")
    slow_print("1 - Guerreiro")
    slow_print("2 - Mago")
    slow_print("3 - Ladino")
    classe = input("Digite o número da sua escolha: ")
    if classe == "1":
        return "Guerreiro"
    elif classe == "2":
        return "Mago"
    elif classe == "3":
        return "Ladino"
    else:
        slow_print("Escolha inválida. Você será um Aventureiro.")
        return "Aventureiro"

def inicio_historia(classe):
    slow_print(f"\nVocê acorda em uma floresta sombria. Como um(a) {classe}, seu instinto o guia.")
    slow_print("De repente, um velho encapuzado aparece diante de você...")
    slow_print("Kael: 'Você finalmente despertou
Reasons:
  • Blacklisted phrase (3): Você
  • Blacklisted phrase (3): você
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Mmmmzx

79741718

Date: 2025-08-21 00:31:33
Score: 2
Natty:
Report link

You've said in the comments that

I could see some extra bytes added in the corrupted file.

... well there's your problem, rather than "flushing/closing".

What extra bytes? I wonder if it is the "Byte Order Mark". Read about it here https://stackoverflow.com/a/48749396/1847378 - this article is about how to overcome a file/input stream with a BOM that you don't want. That's the opposite problem, though.

Maybe the use of stream is unhelpfully messing around with the stream. Just for a test at least, how about passing ByteArrayOutputStream() to the the outputDocument(..) and then passing byte[] (from ByteArrayOutputStream.toByteArray()) to the JAX RS Response ?

Reasons:
  • Blacklisted phrase (1): this article
  • Blacklisted phrase (1): stackoverflow
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: AndrewL

79741701

Date: 2025-08-20 23:55:26
Score: 2.5
Natty:
Report link

According to this, the maximum deepsleep is 2^45 microseconds, or just over 407 days.

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

79741698

Date: 2025-08-20 23:50:25
Score: 2
Natty:
Report link

Turns out having Claude test things in Chrome on it's own, made copies of Chrome in a temp file that were never deleted. The path was this:

/private/var/folders/c3/6s_l3vn96s5b8b9f08szx05w0000gn/X/com.google.Chrome.code_sign_clone/

I deleted all the temp files in here and got back 200gb of space.

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

79741696

Date: 2025-08-20 23:49:24
Score: 0.5
Natty:
Report link

For Android you can use React Native's Own Permissions (PermissionsAndroid) and for IOS the library you are using in one of the bes libraries but it has some minor issues.

for IOS you can use 3 libraries saperately

  1. react-native-geolocation-service (for location).

  2. react-native-documents (for documents).

  3. @react-native-camera-roll/camera-roll (for Camera)

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Engr. Ahmed Nabeel

79741685

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

Some .so library files in the command output are 2**12 == 4KB aligned. So, the message that ELF alignment check failed.

Please check this link for detailed answer. I am posting a summary of what you need to do here:

Steps to support 16KB page alignment in Flutter app: (First of all create a backup of your original project, and try the following steps in a copy of the project. It's always good to have a backup.)

  1. As stated in the official documentation, you need to update AGP to version 8.5.1 or higher to be able to compile with 16KB page size. The documentation says to upgrade NDK version to 28 but the versions 26 and 27 also compatible. You may leave it to any among 26, 27 or 28. The respective files to edit are: android/settings.gradle and look for the line like id "com.android.application" version "8.7.3" apply false and change to compatible version, and file android/app/build.gradle where you may change the like as ndkVersion "27.0.12077973".

  2. Your project code, if contains native code, must update to support 16KB page size.

  3. Your project dependencies listed in pubspec.yaml file, both direct and dev dependencies may need to be updated if they depend on native code. If you can identify the individual ones, you may update only those to the appropriate version, or else you should update all the dependency packages in your pubspec.yaml file. Also, the transient dependencies should be updated. How: To update the direct and dev dependencies, update the corresponding version number to each packages in the pubspec.yaml file and after that run flutter clean; flutter pub get from the project root which will update the direct and dev dependencies listed in pubspec.yaml file. Now to upgrade the transient dependencies: You can see the table with the command: flutter pub outdated and update the transient dependencies with flutter pub upgrade command (or flutter pub upgrade --major-versions).

  4. After you've updated the dependencies, try to run the project. Additional configuration changes may be asked and displayed as error messages. You should do as suggested. You may update your question if you need help with that.

After you fix these, check again for the 16KB alignment of .so packages and also test run in 16KB compliant emulator or devices.

Note: To update the dependencies in your pubspec.yaml VS Code extensions like Version Lens can ease the process. Similar should also exist for Android Studio.

Reasons:
  • Blacklisted phrase (1): Please check this
  • Blacklisted phrase (1): this link
  • Whitelisted phrase (-1): try the following
  • RegEx Blacklisted phrase (1): check this link
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: rusty

79741678

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

The emoji is a non-existing topic, so publishing of messages also fail with the following message: InvalidTopicException: Invalid topics: [😃]. Everything good so far.

The problem is that I now have an infinite loop.

I honestly don't get what else do you expect?

Let's see: you use the DefaultErrorHandler as is, which works at Spring container level & covers events happening BEFORE (and AFTER) whatever happens in the listener POJO.

Then, when it exhausts all attempts prescribed by your BackOff, it executes component that itself throws an error.
It's executing in the same container context, where does it fall then? Back into your DefaultErrorHandler!
And here you go again.

I'm not quite sure what's the reason for "experiment" like this besides sheer boredom and nothing-else-to-do.

But IF there's an engineering reason for this, you can extend the DefaultErrorHandler by overriding the appropriate method of it, likely handleOne() (or implement a whole CommonErrorHandler yourself) and deal with the situation.

And to top all that...

I throw an exception in the Kafka listener code, so messages will fail and this error handler will be used.

... if there's an exception in @KafkaListener POJO (means YOUR processing part, not framework's), another error handler is to be utilized - the KafkaListenerErrorHandler implementation.

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

79741676

Date: 2025-08-20 23:19:17
Score: 2
Natty:
Report link

Yes, the Vault API and DLLs change between versions, so code compiled against AutoCAD Vault 2012 libraries will not work reliably with Vault 2015 or newer. You’ll need to reference and build against the matching Vault SDK for each version. There’s no true “write once, run everywhere” approach with Vault, but you can structure your code to use abstraction/interfaces and compile separate builds per version, or use conditional references to target multiple Vault releases.

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

79741674

Date: 2025-08-20 23:15:16
Score: 1
Natty:
Report link

Xcode 16:
I just waited 10-20 seconds and the code appeared.

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

79741666

Date: 2025-08-20 22:58:12
Score: 0.5
Natty:
Report link

Try to put `CREATE OR REPLACE TABLE ... AS` before your query.

CREATE OR REPLACE TABLE your_dataset.your_table AS
WITH my_cte AS (
SELECT ... 
)
SELECT * FROM my_cte;

This keeps your query the same, but saves the result into a table.

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

79741664

Date: 2025-08-20 22:57:12
Score: 2
Natty:
Report link

I've been having the exact same problem in NextJS with Tailwind and Typescript. Dynamically swapping between sm:flex-row and sm:flex-row-reverse (in my case using Template Literals and a constant defined by the index of the item in a map).

It has an inconsistent bug where suddenly, after making a change anywhere on the page, all the items that should resolve to flex-row-reverse instead revert to being styled as the default breakpoint's flex-col. This issue will then persist through more changes, reloads, etc., until it will randomly fix itself again. I have tried other methods of dynamically setting the direction, I've tried just putting sm:flex-row and then only dynamically adding -reverse to the end, with no success. I truly don't know why it's happening or how to fix it at this point.

Here's a rough outline of the code:

<ul className="flex flex-col list-none">
            {arr.map((entry, index) => {
                const direction = index % 2 === 0 ? 'flex-row' : 'flex-row-reverse';
                return (
                <li key={entry.id} className={`flex flex-col sm:${direction} border-2 p-[1rem] my-[1rem]`}>
                    <Image
                        className="object-contain border border-black"
                        width={300}
                        height={300}
                        priority
                    />
                    <div>
                        <div className={`flex ${direction}`}>
                            <h2 className="border px-[0.5rem]">text</h2>
                            <div className="w-auto h-1/3 p-[0.25rem] border">text</div>
                        </div>
                        <div className={`flex ${direction} p-[0.5rem]`}>
                            <div className="mx-[1rem]">
                                text
                            </div>
                            <ul className="flex flex-col px-[2rem] py-[1rem] mx-[0.5rem] list-disc border">
                                <li>
                                    text
                                </li>
                                <li>
                                    text
                                </li>
                                <li>
                                    text
                                </li>
                            </ul>
                        </div>
                    </div>
                </li>
                )
            })}
        </ul>
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): having the exact same problem
  • Low reputation (1):
Posted by: Gracie Armour

79741647

Date: 2025-08-20 22:27:05
Score: 3
Natty:
Report link

To solve this issue, I had to restart my computer, my system runs on Ubuntu.

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

79741629

Date: 2025-08-20 22:02:00
Score: 2
Natty:
Report link

System settings, Google settings, other Google apps, Assistant settings, transportation

Set default transportation mode to walking

Now Google maps will always start in walking mode

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

79741628

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

It's reported as an issue on azure-cli as well: https://github.com/Azure/azure-cli/issues/23643

"I ran into this as well while using a "fine grained PAT." I fixed it by enabling webhook read/write access."

Does using a token with more permissions resolve this issue?

Reasons:
  • Whitelisted phrase (-2): I fixed
  • RegEx Blacklisted phrase (1.5): resolve this issue?
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Arend

79741626

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

Answer my question quetion using the knowledge of networking full answer please the answer should contain the related answers from other works

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

79741621

Date: 2025-08-20 21:54:58
Score: 1.5
Natty:
Report link

Turns out application is a reserved word, or rather it's not allowed as part of a form field name. The Parameter interceptor sets fields on the Action but, for security reasons, excludes any parameter name that matches the excluded parameters regex pattern. More is found at https://struts.apache.org/core-developers/parameters-interceptor#excluding-parameters

The documentation is wrong and, for 6.4.0, the exclusion patterns are the following pair of hideous monstrosities.

(^|\%\{)((#?)(top(\.|\['|\[\")|\[\d\]\.)?)(dojo|struts|session|request|response|application|servlet(Request|Response|Context)|parameters|context|_memberAccess)(\.|\[).*
.*(^|\.|\[|\'|\"|get)class(\(\.|\[|\'|\").*

Application is an object on the Value Stack and a bad person might edit parameter names to hack it.

A different exclusion pattern can be set per Action or for the whole application but, as you've discovered, it's just easier to use a different form name.

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

79741613

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

What worked for me was camel.main.run-controller = true

This is printed in the log at startup and in https://github.com/apache/camel-spring-boot-examples/blob/main/activemq/src/main/resources/application.properties.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
  • Starts with a question (0.5): What
Posted by: JL_SO

79741608

Date: 2025-08-20 21:42:55
Score: 2
Natty:
Report link

You can mark the containing directory of the header files as system include. Usually compilers do not complain about those (gcc, clang, MSVC).

Either using SYSTEM in

target_include_directories(<target> [SYSTEM] [AFTER|BEFORE]
  <INTERFACE|PUBLIC|PRIVATE> [items1...]
  [<INTERFACE|PUBLIC|PRIVATE> [items2...] ...])

or

set_target_properties(xxxDepXxx PROPERTIES INTERFACE_SYSTEM_INCLUDE_DIRECTORIES $<TARGET_PROPERTY:xxxDepXxx,INTERFACE_INCLUDE_DIRECTORIES>)

See more info on this so question:

How to suppress Clang warnings in third-party library header file in CMakeLists.txt file?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: simohe

79741603

Date: 2025-08-20 21:29:52
Score: 4.5
Natty:
Report link

Ошибок нет, просто обновите 8.3.1 в tools - agp

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

79741599

Date: 2025-08-20 21:26:51
Score: 1.5
Natty:
Report link

Just a hint for anyone still having the same issue. If the circumstances of process death aren't important (exit code and/or signal) there is work around. One can detect a process death by secondary indicators. One can rely on the *nix feature that guarantees that on exit each process closes all of its descriptors. Knowing this one can create a simple pipe, where each end is shared by each party.

Then, a simple select on one end of the pipe will detect an event of the other end being closed (process exit). It's very common in this case to already have some communication line between parent and child (stdin/stdout/strderr or a custom pipe/unix-socket). In which case this is all that is needed here.

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Me too answer (2.5): having the same issue
  • High reputation (-1):
Posted by: GreenScape

79741593

Date: 2025-08-20 21:15:48
Score: 0.5
Natty:
Report link

I suggest using this plugin developed by me, vim-simple-guifont: https://github.com/awvalenti/vim-simple-guifont

Then you can do:

" This check avoids loading plugin when Vim is running on terminal
if has('gui_running')
  silent! call simple_guifont#Set(
    \['Cascadia Code PL', 'JetBrains Mono', 'Hack'], 'Consolas', 14)
endif

For more details, please check the plugin page on GitHub.

Reasons:
  • Blacklisted phrase (1): this plugin
  • Contains signature (1):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: awvalenti

79741592

Date: 2025-08-20 21:13:47
Score: 9
Natty: 5.5
Report link

facing same issues, what combination of recent packages work? any idea?

Reasons:
  • Blacklisted phrase (1): any idea?
  • Low length (1.5):
  • No code block (0.5):
  • Me too answer (2.5): facing same issue
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: sami ibn jamil

79741590

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

I suggest using this plugin developed by me, vim-simple-guifont: https://github.com/awvalenti/vim-simple-guifont

Then you can simply do:

silent! call simple_guifont#Set(['Monaco New'], 'monospace', 11)

For more details, please check the plugin page on GitHub.

Reasons:
  • Blacklisted phrase (1): this plugin
  • Contains signature (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: awvalenti