79405721

Date: 2025-02-01 21:47:11
Score: 1.5
Natty:
Report link

Since the post is quite old and the pkg has been updated, let me quickly post an myself.

If u've been wondering where the Queue object gone, it become a entity called channel.

Small, well-written example to use it: https://stackoverflow.com/a/75625692/15185021

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Hunor Portik

79405720

Date: 2025-02-01 21:44:11
Score: 2
Natty:
Report link

I confirm what @framilano did.

I did this tutorial https://quarkus.io/guides/aws-lambda.

When I actually added the lambda on AWS and created a FunctionURL for it, I started to get null pointers.

Then, I had an idea.

I tested my lambda to receive a JsonNode (jackson.databind).

This revealed that the object which was actually passed to my handleRequest() method was a APIGatewayV2HTTPEvent.

This is the logs on CloudWatch:

enter image description here

After I changed the object on handleRequest(), it worked properly.

Reasons:
  • Blacklisted phrase (1): this tutorial
  • Whitelisted phrase (-1): it worked
  • No code block (0.5):
  • User mentioned (1): @framilano
  • Low reputation (0.5):
Posted by: Juliano Suman Curti

79405715

Date: 2025-02-01 21:39:10
Score: 2.5
Natty:
Report link

Adding the path of Gradle in the previous answers is needed. In my case, I also needed to restart my computer.

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

79405709

Date: 2025-02-01 21:34:09
Score: 0.5
Natty:
Report link

Well thank you to everybody who answered! In the end I came up with a dirty but efficient solution. The whole problem is that during build time the environment variables are not accessible (unless you use the ARG and ENV parameters in your Dockerfile file, but I don't like to bloat it), therefore all the database initialization, for example Stripe initialization or whatever other services that you may have that require those environmental variables, are gonna fail in build time. The idea is, try to adapt the code so instead of throwing an error, it accepts and manages situations where those env variables are null or not defined. For example in the database(postgres) initialization file (db/index.ts):

import { drizzle } from 'drizzle-orm/postgres-js';
import postgres from 'postgres';

import * as users from '$lib/server/db/schemas/users'
import * as normalized from '$lib/server/db/schemas/normalized'
import * as availability from '$lib/server/db/schemas/availability';
import * as lessons from '$lib/server/db/schemas/lessons';
import * as bookings from '$lib/server/db/schemas/bookings';
import { env } from 'process';


function createDb() {
    const databaseUrl = env.DATABASE_URL;
    console.log('DATABASEURL: ', databaseUrl)
    if (!databaseUrl) throw new Error('DATABASE_URL is not set');
    
    // Skip DB connection during build
    if (process.env.NODE_ENV === 'build') {
        console.log('Build mode - skipping database connection');
        return null;
    }

    if (process.env.NODE_ENV === 'production') {
        console.log('Production mode - skipping database connection');
    }

    const client = postgres(databaseUrl);
    return drizzle(client, {
        schema: { ...users, ...normalized, ...availability, ...lessons, ...bookings }
    });
}

export const db = createDb();

Adn then wherever this db needs to be used, just handle the scenario where it might not be initialized properly:

import { eq } from "drizzle-orm";
import { db } from ".";
import { ageGroups, countries, currencies, languages, pricingModes, resorts, skillLevels, sports, timeUnits } from "./schemas/normalized";


export async function getAllSkiResorts() {
    if (!db){
        console.error('Database Not Initialized')
        return [];
    } 
    return await db.select().from(resorts);
}

export async function getSkiResortsByCountry(countryId: number) {
    if (!db){
        console.error('Database Not Initialized')
        return [];
    } 
    return await db.select().from(resorts).where(eq(countries.id, countryId))
}

export async function getAllCountries() {
    if (!db){
        console.error('Database Not Initialized')
        return [];
    } 
    return await db.select().from(countries);
}

Also in the Dockerfile, you could set the "build" environment var just to perform cleaner logic:

# Build stage
FROM node:22-alpine AS builder
RUN corepack enable && corepack prepare pnpm@latest --activate
WORKDIR /app
COPY package.json pnpm-lock.yaml ./
RUN pnpm install
COPY . .
# Set build environment
ENV NODE_ENV=build
RUN pnpm build

# Production stage
FROM node:22-alpine
RUN corepack enable && corepack prepare pnpm@latest --activate
WORKDIR /app
COPY package.json pnpm-lock.yaml ./
RUN pnpm install --production
COPY --from=builder /app/build ./build
# Set production environment
ENV NODE_ENV=production
CMD ["node", "build/index.js"]
EXPOSE 3000

you just need to test and try to see where in your app, there is code that might create conflict during build and then adapt the logic to handle non existing values during buildtime. I hope this does the trick for someone in the same situation that I was!!

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

79405707

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

{"object":"whatsapp_business_account","entry":[{"id":"540031869196964","changes":[{"value":{"messaging_product":"whatsapp","metadata":{"display_phone_number":"15551762468","phone_number_id":"564113223449477"},"contacts":null,"messages":null},"field":"messages"}]}]} ``

does that feature need to buy first? i just doing this on dev mode

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

79405695

Date: 2025-02-01 21:24:07
Score: 1
Natty:
Report link

Just like the error message says, change the properties of the model.bim in the Solution Explorer:

enter image description here

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: David Browne - Microsoft

79405693

Date: 2025-02-01 21:22:06
Score: 1
Natty:
Report link

I post my answer, beacuse a I think that a lot of people are not aware that from Next.js v15 params attribute is considered as DYNAMIC API which can only be known during request - response lifecycle. That means, params needs to satisfy Promise type and to get params request for a page resource have to be made.

Related resources:

Async request API - next 15 breaking change

Request response lifecycle

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

79405691

Date: 2025-02-01 21:21:05
Score: 4
Natty: 4
Report link

There are multiple ways to setup it up, it appears, which makes it confusing. While other answers are not wrong, also try opening settings (File > Preferences > Settings), type "formatter" into the search and find "Editor: Default Formatter" setting. Is it set to use Prettier?

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: AlexeiOst

79405674

Date: 2025-02-01 21:03:01
Score: 2.5
Natty:
Report link

I am currently working on a native non blocking HTTP client library over at https://github.com/sfenzke/http-client.nvim. It doesn't have a response parser yet and the API ist still a little rough around the edges but I think this could be helpful for you in the future.

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

79405671

Date: 2025-02-01 21:00:00
Score: 4
Natty:
Report link

Looks like this post's answer could help you:

Numbered lists using python docx

hope so.

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

79405659

Date: 2025-02-01 20:50:58
Score: 1
Natty:
Report link

you can call the method inside the constructor like this

 UserWalletInfo(
          {super.key, required this.index, required this.userWalletModel})
          : super() {
        Get.put<WalletInfoViewModel>(WalletInfoViewModel()).init();
      }
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: anas beeorder

79405653

Date: 2025-02-01 20:47:57
Score: 3.5
Natty:
Report link

Will need some code snippets to dig further... There are some similar answers including:

Questions to ask:

cnxn = boto3.connect()
process_data_for_a_while()
cnxn.upload(file)

If you do then maybe the cnxn is too long lived

Reasons:
  • Blacklisted phrase (1): Is there any
  • RegEx Blacklisted phrase (2.5): do you have the
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: smoot

79405641

Date: 2025-02-01 20:33:54
Score: 5.5
Natty: 6
Report link

any chance you can do a step by step on the solution that you came up with? I am trying to do the same and am not sure how to do that. Thank you!

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): I am trying to
  • Blacklisted phrase (1): trying to do the same
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: TheBotLord

79405637

Date: 2025-02-01 20:30:52
Score: 5
Natty: 5.5
Report link

Same problems in 2025. What's become the better against all of it

Reasons:
  • RegEx Blacklisted phrase (1): Same problem
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Margaret High Pipe

79405634

Date: 2025-02-01 20:27:51
Score: 5
Natty: 5.5
Report link

How can I make this pattern work in python

(.)\1(?!\1)

I want to use this pattern to find

"aa" in the string

"aabccc" but not "ccc"

Reasons:
  • Blacklisted phrase (0.5): How can I
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): How can I
  • Low reputation (1):
Posted by: KLee

79405632

Date: 2025-02-01 20:26:50
Score: 7 🚩
Natty: 5.5
Report link

I had the same issue. I want to apply pruning on a YOLOv8 model, but the number of parameters never decreases.
Have you found a solution, please?

Reasons:
  • Whitelisted phrase (-1): I had the same
  • RegEx Blacklisted phrase (2.5): Have you found a solution
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: selma AZIZI

79405629

Date: 2025-02-01 20:23:49
Score: 3
Natty:
Report link

There are also RemoteGraphs. We can execute deployments as tools to use them within ReAct agent, which is an interesting concept.

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

79405628

Date: 2025-02-01 20:22:48
Score: 1.5
Natty:
Report link

Now it's 2025 and VS 17.12.4, but I still get this error. After hours I've seen that VS loses the setting "Xcode path" in Tools > Options > Xamarin > iOS Settings on VS application close.

This must be set to /Applications/Xcode.app

Then tried to pair again. This time the error "The Xcode license status couldn't be verified because Xcode has not been found on the default location of the connected Mac..." does not happen and the connection was successful.

So the Xcode path must be entered each time VS is started.

Maybe this helps someone.

Reasons:
  • RegEx Blacklisted phrase (1): I still get this error
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: uli1306

79405618

Date: 2025-02-01 20:13:47
Score: 0.5
Natty:
Report link

Earlier repo's Remote URL without .git suffix, like https://github.com/username/reponame, was constantly redirected to https://github.com/username/reponame.git with warning in SmartGit Output window. So it was convenient to add this suffix to Remote URL manually. But now .git suffix is out of date and breaks authorization.

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

79405611

Date: 2025-02-01 20:06:45
Score: 4
Natty: 4.5
Report link

var status: MutableStateFlow<Status?> = MutableStateFlow(null)

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: АндрСй ΠšΠ°Ρ€Π°Π³ΠΎΠ΄ΠΈΠ½

79405608

Date: 2025-02-01 20:01:44
Score: 1.5
Natty:
Report link

From the official docs:

const child = page.getByText('Hello');
const parent = page.getByRole('listitem').filter({ has: child });
Reasons:
  • Probably link only (1):
  • Low length (1):
  • Has code block (-0.5):
Posted by: Eduard Kolosovskyi

79405589

Date: 2025-02-01 19:50:42
Score: 3
Natty:
Report link

If anyone here facing same issue, isRewardedVideoAvailable always being false. I was initializing like this: LevelPlay.Init("appKey"); Changing initialization to this solved my problem:

LevelPlayAdFormat[] legacyAdFormats = new[] { LevelPlayAdFormat.REWARDED, LevelPlayAdFormat.INTERSTITIAL, LevelPlayAdFormat.BANNER };
LevelPlay.Init("appKey", adFormats: legacyAdFormats);
Reasons:
  • Has code block (-0.5):
  • Me too answer (2.5): facing same issue
  • Low reputation (1):
Posted by: ccaner37

79405588

Date: 2025-02-01 19:50:42
Score: 1.5
Natty:
Report link

The trick is to set the Notify setting in the grid properties:

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: Andrew Truckle

79405583

Date: 2025-02-01 19:46:41
Score: 3.5
Natty:
Report link

useref just can call in client component.

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

79405576

Date: 2025-02-01 19:40:40
Score: 0.5
Natty:
Report link
UserFilter(logging.Filter):
   def filter(self, record) -> bool:
      record.app_name = str(getenv("app_name", "API"))
      return True

The set the env variable anywhere os.environ["app_name"] = "UTI"

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

79405572

Date: 2025-02-01 19:38:39
Score: 3.5
Natty:
Report link

I have used the below formula

index(B39:B58, MATCH(MAX(A39:A58), A39:A58, 0)) to tell me how the name in range B39:B58 with the highest value in range A39:A58. However, since this won't return values that are equal, who would I add a COUNTIF formula to this to return multiple names of they have the same value?

Reasons:
  • No code block (0.5):
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Nathalie Scott

79405561

Date: 2025-02-01 19:32:37
Score: 10.5 🚩
Natty: 5.5
Report link

DID ANYONE FOUND A SOLUTION??? IT'S BEEN 7 YERAS!!!

Reasons:
  • Blacklisted phrase (1): ???
  • Blacklisted phrase (2): ANYONE FOUND
  • RegEx Blacklisted phrase (3): DID ANYONE FOUND A SOLUTION
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): DID ANYONE
  • Low reputation (1):
Posted by: Mammad

79405550

Date: 2025-02-01 19:21:31
Score: 4
Natty: 4
Report link

Just quit ExpoG and scan your QR again it helped me

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

79405536

Date: 2025-02-01 19:11:29
Score: 2
Natty:
Report link

I had this problem just now, and the issue was that I was referring to non-existent modules from an old pyproject.toml file that I had copied over to this new package in the [project.optional-dependencies]. So if you just get the dist-info folder created upon installation but not the actual package folder, check the pyproject.toml folder for errors, and specifically check to make sure that [project.optional-dependencies] does not list any modules that do not exist in your package.

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

79405534

Date: 2025-02-01 19:08:28
Score: 1.5
Natty:
Report link

There is a nice online tool https://yqnn.github.io/svg-path-editor/ Just copy the content of the Figures property and paste it to the Path textbox

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

79405527

Date: 2025-02-01 19:05:27
Score: 0.5
Natty:
Report link

a simple way is removing using that dispose memory stream:

// change bellow code 
// using (MemoryStream ms = new MemoryStream()){} 
// to
MemoryStream ms = new MemoryStream();
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: Zolfaghari

79405521

Date: 2025-02-01 19:02:26
Score: 4
Natty:
Report link

Try bumping gradle to version 8.12.1. It solved similar issue in my case. Good luck.

https://docs.gradle.org/8.12.1/release-notes.html

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

79405518

Date: 2025-02-01 19:00:24
Score: 6.5 🚩
Natty: 4.5
Report link

[enter image description here][1]

[1]: https://i.sstatic.net/yiqYGB0w.png I want to know both ways the username …………………….

Reasons:
  • Blacklisted phrase (1): I want to know
  • Blacklisted phrase (1): enter image description here
  • RegEx Blacklisted phrase (1): I want
  • Low length (1.5):
  • No code block (0.5):
  • Filler text (0.5): ……………………
  • Low reputation (1):
Posted by: Andreea Ganea

79405515

Date: 2025-02-01 18:58:23
Score: 5.5
Natty: 4.5
Report link

Can you post a full chart of previous data and forecast? It can be only if prophet got a down trend

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you post
  • Low length (1):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Can you post a
  • Low reputation (0.5):
Posted by: irumata

79405502

Date: 2025-02-01 18:51:22
Score: 1
Natty:
Report link

Thank you to you Ed Bayiates.

Your lines of code helped me to solve a similar problem I had. I extended your code a little cuz there was a small detail missing I needed. Now it makes sure lowest unused number will never be "0".

let k = [1,3,4];

function getLowestFreeNumber(){
let lowestUnusedNumber = -1;


  if (k.length === 0) {
    lowestUnusedNumber = 1;
    return lowestUnusedNumber;
  }

  k.sort((a, b) =>  a - b);

  for (let i = 0; i < k.length; ++i) {
     if (k[i] > 0 && k[i] != i + 1) {
      lowestUnusedNumber = i + 1;
      break;
    }
  }

  if (lowestUnusedNumber == -1) {
    lowestUnusedNumber = k[k.length - 1] + 1;
  }

  return lowestUnusedNumber;
}

console.log(getLowestFreeNumber())

I hope this few lines of code will help someone...

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (0.5): I need
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Steven0age

79405493

Date: 2025-02-01 18:45:20
Score: 1.5
Natty:
Report link

ADB WIFI plugin is more stable than the built in one. For the first time, you must connect with the built in wifi debugger so as to get your phone in ADB WIFI list. After that, connect the device by pressing connect button on the ADB WIFI list.

enter image description here

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

79405490

Date: 2025-02-01 18:44:20
Score: 3
Natty:
Report link

It looks like you can just uninstall the CoPilot extensions and you'll be logged out

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

79405472

Date: 2025-02-01 18:35:18
Score: 1
Natty:
Report link

idk if this will help anyone, but I had this error on Stability Matrix on linux. The fix was to install opencv-python through the Stability Matrix interface. On the packages screen, you click the three dot menu for the package having the problem, then click python packages. From there you can install missing packages. i don't really know much about how python/conda/etc environments work on linux, because i did a whole lot of steps mentioned above and elsewhere in terminal, but it never did anything. I'm just posting this because no one has posted the fix to my problem anywhere, probably it's too obvious... anyway, just in case this might help someone down the road. Anyone that knows what they're doing, feel free to elaborate..

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

79405470

Date: 2025-02-01 18:34:17
Score: 5.5
Natty: 6
Report link

Pt.Br: Programando para web, o ft.FilePicker retorna a propriedade path=None, como faΓ§o para obter o conteΓΊdo de um arquivo ou o path que o usuΓ‘rio selecionou atravΓ©s do FilePicker? En: Programming for the web, ft.FilePicker returns the property path=None, how do I get the content of a file or path of file that the user has selected through FilePicker?

Reasons:
  • Blacklisted phrase (1): how do I
  • No code block (0.5):
  • Ends in question mark (2):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: Nilton Medeiros

79405466

Date: 2025-02-01 18:33:17
Score: 1
Natty:
Report link

At the end I use example from here: How can I draw a line in a-frame?

<!DOCTYPE HTML>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Dynamic BΓ©zier Curve in A-Frame</title>
    <script src="https://aframe.io/releases/1.2.0/aframe.min.js"></script>
    <script src="https://cdnjs.cloudflare.com/ajax/libs/three.js/r128/three.min.js">            </script>
</head>
<body>
    <a-scene id="scene">
        <a-camera position="0 2 5"></a-camera>
        <a-entity id="bezierCurve"></a-entity>
    </a-scene>

    <script>
        document.addEventListener("DOMContentLoaded", function () {
            const scene = document.querySelector("#scene");
            const bezierCurveEntity = document.querySelector("#bezierCurve");

            // Dinamične kontrolne točke (može se dodavati ili uklanjati)
            let controlPoints = [
                new THREE.Vector3(-3, 0, 0),
                new THREE.Vector3(-2, 3, 1),
                new THREE.Vector3(3, -5, 2), // Dodana dodatna točka
                new THREE.Vector3(2, 3, 1),
                new THREE.Vector3(3, 0, 0)
            ];

            function updateCurve() {
                // Uklanjanje stare krivulje
                while (bezierCurveEntity.firstChild) {
                    bezierCurveEntity.removeChild(bezierCurveEntity.firstChild);
                }

                // Generiranje glatke krivulje pomoću Catmull-Rom interpolacije
                const curve = new THREE.CatmullRomCurve3(controlPoints);
                const curvePoints = curve.getPoints(50); // 50 točaka na krivulji

                const curveGeometry = new THREE.BufferGeometry().setFromPoints(curvePoints);
                const curveMaterial = new THREE.LineBasicMaterial({ color: 0xff0000 });
                const curveObject = new THREE.Line(curveGeometry, curveMaterial);

                // Dodavanje nove krivulje u scenu
                scene.object3D.add(curveObject);

                // Dodavanje kuglica na kontrolne točke
                controlPoints.forEach((point, index) => {
                    const sphere = document.createElement("a-sphere");
                    sphere.setAttribute("position", `${point.x} ${point.y} ${point.z}`);
                    sphere.setAttribute("radius", "0.2");
                    sphere.setAttribute("color", "red");
                    bezierCurveEntity.appendChild(sphere);
                });

                console.log("Krivulja i kuglice aΕΎurirane!");
            }

            // Prvi prikaz krivulje
            updateCurve();
        });
    </script>
</body>
</html>
Reasons:
  • Blacklisted phrase (0.5): How can I
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: user1182625

79405465

Date: 2025-02-01 18:32:16
Score: 1
Natty:
Report link

Please use a translator from Russian, I don’t know English well!

для удалСния прилоТСния ΠΏΠΎΠ΄ Ρ‚Π΅ΠΊΡƒΡ‰ΠΈΠΌ ΠΏΠΎΠ»ΡŒΠ·ΠΎΠ²Π°Ρ‚Π΅Π»Π΅ΠΌ Ρƒ мСня Ρ€Π°Π±ΠΎΡ‚Π°Π΅Ρ‚ подобная ΠΊΠΎΠΌΠ°Π½Π΄Π°

Get-AppxPackage *WindowsCamera* | Remove-AppxPackage

для удалСния прилоТСния для всСх ΠΏΠΎΠ»ΡŒΠ·ΠΎΠ²Π°Ρ‚Π΅Π»Π΅ΠΉ Π½ΡƒΠΆΠ½ΠΎ ΠΏΠ΅Ρ€Π΅Π΄Π°Ρ‚ΡŒ ΠΏΠΎΠ»Π½ΠΎΠ΅ Π½Π°Π·Π²Π°Π½ΠΈΠ΅ ΠΏΡ€ΠΎΠ³Ρ€Π°ΠΌΠΌΡ‹ ΠΏΠΎΠ»ΡƒΡ‡Π΅Π½Π½ΠΎΠ΅ ΠΈΠ· ΠΏΠ°Ρ€Π°ΠΌΠ΅Ρ‚Ρ€Π° PackageName ΠΊΠΎΠΌΠ°Π½Π΄Ρ‹ Get-AppxProvisionedPackage -online

ΠΏΠΎΠ»Π½Ρ‹Π΅ названия прилоТСния ΠΎΡ‚Π»ΠΈΡ‡Π°ΡŽΡ‚ΡΡ Π² зависимости ΠΎΡ‚ ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΡƒΠ΅ΠΌΠΎΠΉ Π²Π°ΠΌΠΈ ΠΊΠΎΠΌΠ°Π½Π΄Ρ‹ Get-AppxPackage Ρ…Ρ€Π°Π½ΠΈΡ‚ ΠΏΠΎΠ»Π½ΠΎΠ΅ Π½Π°Π·Π²Π°Π½ΠΈΠ΅ прилоТСния Π² ΠΏΠ°Ρ€Π°ΠΌΠ΅Ρ‚Ρ€Π΅ с Π½Π°Π·Π²Π°Π½ΠΈΠ΅ΠΌ - PackageFullName (ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΡƒΡ Π΅Π³ΠΎ ΠΌΡ‹ ΠΏΠΎΠ»ΡƒΡ‡Π°Π΅ΠΌ ΠΎΡˆΠΈΠ±ΠΊΡƒ) Get-AppxProvisionedPackage -online Ρ…Ρ€Π°Π½ΠΈΡ‚ ΠΏΠΎΠ»Π½ΠΎΠ΅ Π½Π°Π·Π²Π°Π½ΠΈΠ΅ прилоТСния Π² ΠΏΠ°Ρ€Π°ΠΌΠ΅Ρ‚Ρ€Π΅ с Π½Π°Π·Π²Π°Π½ΠΈΠ΅ΠΌ - PackageName (Π½Π°Π΄ΠΎ ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΠΎΠ²Π°Ρ‚ΡŒ это Π½Π°Π·Π²Π°Π½ΠΈΠ΅)

для ΠΎΠ΄Π½ΠΎΠ³ΠΎ прилоТСния я ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΡƒΡŽ ΠΏΠΎΠ΄ΠΎΠ±Π½ΡƒΡŽ ΠΊΠΎΠ½ΡΡ‚Ρ€ΡƒΠΊΡ†ΠΈΡŽ

$appx = Get-AppXProvisionedPackage -Online | Where {$_.DisplayName -eq "Microsoft.WindowsCamera"}
write-host $appx.PackageName
Remove-AppxPackage -Package $appx.PackageName -AllUsers

для удалСния списка ΠΏΡ€ΠΈΠ»ΠΎΠΆΠ΅Π½ΠΈΠΉ я ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΡƒΡŽ ΠΏΠΎΠ΄ΠΎΠ±Π½Ρ‹ΠΉ Ρ†ΠΈΠΊΠ»

$apps = @(
    "Microsoft.549981C3F5F10",# Cortana
    "Microsoft.BingWeather",
    "Microsoft.GetHelp",
    "Microsoft.Getstarted",
    "Microsoft.Microsoft3DViewer",
    "Microsoft.MicrosoftOfficeHub",
    "Microsoft.MicrosoftSolitaireCollection",
    "Microsoft.MicrosoftStickyNotes",
    "Microsoft.MixedReality.Portal",
    "Microsoft.MSPaint",
    "Microsoft.Office.OneNote",
    "Microsoft.People",
    "Microsoft.SkypeApp",
    "Microsoft.Wallet",
    "Microsoft.WindowsAlarms",
    "microsoft.windowscommunicationsapps",
    "Microsoft.WindowsFeedbackHub",
    "Microsoft.WindowsMaps",
    "Microsoft.WindowsSoundRecorder",
    "Microsoft.Xbox.TCUI",
    "Microsoft.XboxApp",
    "Microsoft.XboxGameOverlay",
    "Microsoft.XboxGamingOverlay",
    "Microsoft.XboxIdentityProvider",
    "Microsoft.XboxSpeechToTextOverlay",
    "Microsoft.YourPhone",
    "Microsoft.ZuneMusic",
    "Microsoft.ZuneVideo"
)
# cycle of deleting an application for all users from the list
Get-AppxProvisionedPackage -Online | ForEach-Object {
        if ($apps -contains $_.DisplayName) {
        Write-Host Removing $_.DisplayName...
        Remove-AppxPackage -Package $_.PackageName -AllUsers
            }
        }
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • No latin characters (1.5):
  • Low reputation (1):
Posted by: Mifody

79405463

Date: 2025-02-01 18:31:16
Score: 1.5
Natty:
Report link

In my case my Tailwind config was named tailwind.config.js. Autocompletion started working when I renamed the file to tailwind.config.cjs and restarted NeoVim.

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

79405459

Date: 2025-02-01 18:28:15
Score: 2.5
Natty:
Report link

The code works fine. I didn't realize that the nextPageToken for each successive call is the same as the last call ie. when you loop through the fetching of data, nextPageToken stays the same; it only becomes nil on the last fetch.

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

79405449

Date: 2025-02-01 18:21:14
Score: 4.5
Natty:
Report link

weak_ptr has the member function expired() you can check with it is still valid.

https://www.youtube.com/watch?v=Tp5-f9YAzNk <- I have it from this video

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Blacklisted phrase (1): this video
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: niki

79405448

Date: 2025-02-01 18:21:13
Score: 0.5
Natty:
Report link

I noticed the other Google App Script Web App that was working had a url structure different than this one with issues...

Problematic Web App URL: https://scripts.google.com/macros/s/{script_id}/exec

I tried to publish another app, initially with "Google Account logged in" can access the web app (not Anyone can access). When I published with this permission, the generated deployment URL was in different structure, like this (https://scripts.google.com/a/macros/{script_id}/exec), then I changed the permission to "Anyone" can access... and I tried to execute embed the web app with this new URL structure and it worked.

So What I understood, if anyone face this issue, must use different url structure to get the url with /a/macros/... instead of /macros/s/

So this URL: https://scripts.google.com/macros/s/{script_id}/exec (will cause issues if multiple goolge accounts logged in on mobile chrome browser...

and this URL: https://scripts.google.com/a/macros/{script_id}/exec should be working without URL changes.

For me it worked and saved my many hours of work on migrating web app to alternative platforms.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: faisal manzoor

79405447

Date: 2025-02-01 18:19:13
Score: 2.5
Natty:
Report link

In my case, the problem with QML engine was solved by installing these packages:

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

79405440

Date: 2025-02-01 18:15:12
Score: 1.5
Natty:
Report link

In my case, I just had to move my services.yaml config below symfony's _default configs. That made it work.

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

79405437

Date: 2025-02-01 18:15:12
Score: 3
Natty:
Report link

extension manager (dpkg) on checking installed extensions I have two extension(i.e dash to dock & Ubuntu dock) of dock enabled which causes this bug. On disabling one of the extension issue is solved.

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

79405423

Date: 2025-02-01 18:05:09
Score: 0.5
Natty:
Report link

Unfortunately, it doesn't work that way. It is true that the fourth parameter always contains the last status of the EditText and the second is always zero, but the first parameter is irregular, and so are the others (mostly).

I discovered this by doing some debugging experiments. Looks like Google really screwed this one up.

I'm going to try my luck with a TextWatcher instead. While it is true that InputFilter.filter really is supposed to give the text/leftover of the first three parameters that is to be inserted between the fifth and sixth parameter into the fourth, there is simply no way of knowing what values Google assigns to most of the parameters.

EDIT: Actually, the first parameter does seem to be some sort of potpourri of the input, so possibly there is a way to reconstruct the desired output. But this is probably highly case and version dependent.

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

79405422

Date: 2025-02-01 18:05:09
Score: 0.5
Natty:
Report link

When you draw the y_curve, rotate it in a different direction using the cosine of theta instead of the sine. Also, since you want to connect the lines, elevate the centre of the semicircle to be in between the two adjacent ones: (i + 0.5). Here's the line that shows the right y coordinates for me:

width = 10
spacing = 1
length = 10

for i in range(int(width // spacing)):
    theta = np.linspace(0, np.pi, 100)
    x_curve = length + (spacing / 2) * np.cos(theta)
    y_curve = (i + 0.5) * spacing + (spacing / 2) * np.cos(theta) # this is the line in qquestion
    print(f"X: {x_curve}\nY: {y_curve}")
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: 3iM0ViY

79405421

Date: 2025-02-01 18:04:09
Score: 1
Natty:
Report link
<template>
  <button
    @click="searchBarOpen = !searchBarOpen"
  >
     {{ searchBarOpen ? 'Close search bar' : 'Open search bar }}
  </button>
  <input v-if="searchBarOpen"/>
<template>

<script setup>
import { ref } from "vue";

const searchBarOpen = ref(false);
</script>
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Max

79405414

Date: 2025-02-01 17:57:08
Score: 1
Natty:
Report link

Execute the following commands:

symfony console importmap:require bootstrap
symfony console importmap:require bootstrap/dist/css/bootstrap.min.css

This adds the bootstrap packages to your importmap.php file:

// importmap.php
return [
    'app' => [
        'path' => './assets/app.js',
        'entrypoint' => true,
    ],
    'bootstrap' => [
        'version' => '5.3.0',
    ],
    'bootstrap/dist/css/bootstrap.min.css' => [
        'version' => '5.3.3',
        'type' => 'css',
    ],
];

Then, import those files:

// assets/app.js
import 'bootstrap';
import 'bootstrap/dist/css/bootstrap.min.css';

References:

https://symfony.com/doc/current/frontend/asset_mapper.html#importing-3rd-party-javascript-packages
https://symfony.com/doc/current/frontend/asset_mapper.html#handling-3rd-party-css

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

79405405

Date: 2025-02-01 17:48:06
Score: 3.5
Natty:
Report link

It got resolved by upgrading newrelic agent

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

79405400

Date: 2025-02-01 17:44:05
Score: 5.5
Natty:
Report link

Although I'm new to Next.js, from the Next.js 13+ while scaffolding a new project, you'll have to decide between App Router vs Pages Router. With App Router you'll be given React.js server & client component - and this affects how you configure the routes for you App. While Pages Router leaves you with the old way of doing things in Next.js. For an in-depth explanation of this watch this video. Thanks.

https://www.youtube.com/watch?v=fNiLQi1RZrA

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): youtube.com
  • Blacklisted phrase (1): this video
  • RegEx Blacklisted phrase (1.5): I'm new
  • No code block (0.5):
  • Low reputation (1):
Posted by: Dae-mon

79405394

Date: 2025-02-01 17:38:03
Score: 1
Natty:
Report link

Large applications that can have their own memory management(malloc/free) and placement new can extract very good performance compared to those that use plain old new(). This is still needed today in systems which creates and destroys a few hundred thousand objects a minute. A similar example is of skbuff in the linux network stack.

STL containers, embedded systems are tiny examples where this is useful.

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

79405378

Date: 2025-02-01 17:24:00
Score: 3
Natty:
Report link

Expo migrated from webpack to metro, currently you can achieve code splitting with Async Routes (available on web only atm)

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

79405376

Date: 2025-02-01 17:23:00
Score: 3.5
Natty:
Report link

C++ example based on Bazel

This is an example repository for C++ project based on Bazel and google test. And it also introduced how to code and test across platforms. I think it can match your needs.

Reasons:
  • Contains signature (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: KevinAo22

79405375

Date: 2025-02-01 17:23:00
Score: 1.5
Natty:
Report link

I was also getting same error until I deleted .pnp.cjs file in home which was hidden . Make sure u can view hidden files

try

ls -a 

which will show all hidden files

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

79405371

Date: 2025-02-01 17:17:58
Score: 4
Natty:
Report link

Same problem here, I've added €75,- in funds to get to tier 3 just for o3-mini, but I get the same message. I guess it's phased out, hopefully later today.

Reasons:
  • RegEx Blacklisted phrase (1): Same problem
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Ricardo van der Spoel

79405354

Date: 2025-02-01 17:01:55
Score: 4.5
Natty: 4.5
Report link

https://docs.expo.dev/develop/development-builds/create-a-build/

Or

eas build --platform android

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

79405347

Date: 2025-02-01 16:57:54
Score: 3.5
Natty:
Report link

Finally we have an API for that: BroadcastReceiver.getSentFromPackage

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
Posted by: Fedir Tsapana

79405344

Date: 2025-02-01 16:55:53
Score: 1
Natty:
Report link

"Am I imagining stuff and this is the correct behaviour?"

Yes, it is, both on Windows and Linux. Thanks to phd's comment I remembered why I thought it should ignore such folders: I created a virtual environment with python -m venv .v and git ignored it, so I thought that it ignored it because the name started with a period. I didn't take into account that venv itself created a gitignore file with a * which ignored the whole directory, hence it wasn't showing on git status. So yes, I am imagining stuff.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: postcoital.solitaire

79405340

Date: 2025-02-01 16:53:52
Score: 4
Natty:
Report link

Sorry that I found a solution seconds after posting this... Remapping Right Ctrl to CapLock solves the problem.enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: L. Francis Cong

79405339

Date: 2025-02-01 16:53:52
Score: 2.5
Natty:
Report link

Go to Developer Settings and disable multi-path networking. That solved it for me.

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

79405337

Date: 2025-02-01 16:52:52
Score: 3
Natty:
Report link

Thanks everyone for their solution.

In the end, instead of doing my SQL request when someone goes on the page, I made it when the :hover (css) of a div is trigger. Not the body, but something close to be that big. Body won't work, but the div did.

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

79405336

Date: 2025-02-01 16:51:51
Score: 2
Natty:
Report link

I finally found issue. I was literally 5 minutes before wiping my phone which would have bin a pain because of my banking apps and stuff. But I found a working solution!

Got to Developer Settings, and disable multi path networking.

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

79405326

Date: 2025-02-01 16:46:50
Score: 3.5
Natty:
Report link

The item you were attempting to purchase could not be found

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

79405321

Date: 2025-02-01 16:40:49
Score: 5.5
Natty: 6.5
Report link

What is this mean:

"Set this environment var: VISUAL

and where do I find that?

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): What is this mean
  • Low reputation (1):
Posted by: Test Account

79405317

Date: 2025-02-01 16:36:47
Score: 1
Natty:
Report link

If anyone is looking for a module that simplifies the process of multi-window (React) apps;

Needed something similar that scales well. I just published a module that simplifies the process of opening and closing electron windows. Currently only supports React but it could easily be used as base for anything else.

https://github.com/Gridminder/electron-react-window

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

79405316

Date: 2025-02-01 16:36:47
Score: 1
Natty:
Report link

A better way I found to get rid of this issue in javascript is:

JSON.parse(JSON.stringify(String.raw`${your_string}`))
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Mokrane

79405312

Date: 2025-02-01 16:33:47
Score: 2.5
Natty:
Report link

tg.sendData work only if the app opened via Keyboard button according to the documentation 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: Vlad

79405307

Date: 2025-02-01 16:31:46
Score: 1.5
Natty:
Report link

YOU CAN USE CHATGPT, STACK OVERFLOW IS OVERRATED ~CHATGPT(AGI)

Reasons:
  • Whitelisted phrase (-1.5): YOU CAN USE
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ayan Farooqui

79405305

Date: 2025-02-01 16:28:45
Score: 2.5
Natty:
Report link

I created a cmake build which uses LSQUIC, LIBUV, LIBURING, LIBEVENT, BORINGSSL and ZLIB, all compiled from scratch - no installed libraries needed.

Check it out at https://github.com/flipkickmedia/uwebsockets-cmake

Reasons:
  • Blacklisted phrase (0.5): Check it out
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Tom Shaw

79405303

Date: 2025-02-01 16:28:45
Score: 3
Natty:
Report link

Following are the quota requirements of I1v2 and EP1 enter image description here

enter image description here

Probably, you are stuck on availing the I1v2 quota in my thought

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

79405290

Date: 2025-02-01 16:18:44
Score: 1.5
Natty:
Report link

It seems I almost had it.

It was .on("change", function(d){....}):

document.getElementsByClassName('selectize-control multi')[0].parentElement.getElementsByClassName("selectized")[0].selectize.on("change",
    function(d){....})
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: dkysh

79405289

Date: 2025-02-01 16:18:44
Score: 1
Natty:
Report link

Crystal for Visual Studio does not support .NET Core -- only .NET Classic. So the highest you can go now is .NET 4.81.

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

79405288

Date: 2025-02-01 16:18:43
Score: 5.5
Natty: 7.5
Report link

par quoi remplacer _xlfn.DAYS pour Γ©viter code erreur #NOM?

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

79405281

Date: 2025-02-01 16:15:42
Score: 3.5
Natty:
Report link

As Clemens wrote binding the converter directly on the background is the solution. Works great! Thanks a lot.

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

79405275

Date: 2025-02-01 16:13:42
Score: 0.5
Natty:
Report link

Fast deploying server for Android developers on Ktor with files, resources and database

https://github.com/KursX/kursx-server

sudo apt update && sudo apt install -y git && git clone https://github.com/KursX/kursx-server.git /opt/kursx-server

bash /opt/kursx-server/install.sh $IP $DOMAIN $TOMCAT_VERSION
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: KursikS

79405252

Date: 2025-02-01 15:55:39
Score: 3.5
Natty:
Report link

"You need to increase token value" Set a high value for context length but it can significantly impact memory usage,enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Asrar Sheikh

79405251

Date: 2025-02-01 15:54:38
Score: 0.5
Natty:
Report link

The issue is likely not with Axios itself but rather with the server configuration. Keeping an HTTP connection open for an extended period is generally not a good idea. Here’s what I'll do:

If maintaining a persistent HTTP connection is necessary, I'll configure the server settings accordingly. (See nginx keepalive timeout vs ELB idle timeout vs proxy_read_timeout).

As noted in the reference above, client timeout settings are not relevant if the server’s timeout configuration is shorter than the client’s timeout setting.

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

79405247

Date: 2025-02-01 15:48:37
Score: 1.5
Natty:
Report link

I had the same problem. I tried different ways to fix it and nothing worked. Finally I tried on another browser (brave, I used chrome before) and suddenly everything started working - loading.tsx and suspense components started displaying content correctly while loading. However, I still don't know why it doesn't work on other browsers.

Reasons:
  • Whitelisted phrase (-1): I had the same
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Marek

79405237

Date: 2025-02-01 15:37:35
Score: 1
Natty:
Report link

You can try yo use the following snippet.

df1.loc[df1.index[-1], 'col1'] = df2.loc[df2.index[-1], 'col1']

On my machine with pandas version 2.2.3 is gives no warnings.

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

79405235

Date: 2025-02-01 15:37:35
Score: 0.5
Natty:
Report link

so, lets talk in simple terms, overfitting basically means if you create a model to detect cats, but when you use the model in real world scenario, you are able to only detect a specific cat/cats ( the cat images used in your training dataset )

reasons for overfitting is one or all of the following

how can I know each time when the model has learned properly or not

for now lets not consider the values or metrics that provide information about the model accuracy and stuff, the most practical and best way to check your models performance or model overfitting is testing your model, rather than just relying on the metric values ( though they do provide the accurate information )

create a dataset named test dataset and make sure this dataset is unique from the training and validation dataset, in simple terms, if you are training a model with cats ( x,y,z ) in different backgrounds and positions, make sure that the testing dataset contains ( A,B,C ) cats, in unique and positions from the training dataset

then after dataset creation, run inference or test your model using this dataset, that is manually check if the model is able to detect unique data rather than trained data,

as mentioned by about your responses from chatbots, yes it could be true, without you mentioning the volume, variety, and veracity of the dataset, i can only assume that your dataset is the problem

task being too simple, lets say you need to train a model to perform mathematical operations ( probability, word problems, permutations ), but you only train the model to perform simple addition and multiplication with small , then yes your model will overfit to only addition and multiplication

though the example mentioned is not realistic, but it may help you to understand what i am trying to say

can I rely on them for this type of analysis ?

partially yes and partially no, basically they are just models to process the human language and provide response to those, by searching their database or the web or probably even by the patterns learned by it during the training process,

if you are stuck have no idea, then it could give a idea/ spark a thought, to begin with

Reasons:
  • Blacklisted phrase (0.5): how can I
  • Blacklisted phrase (1): i am trying to
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Daksh Rawal

79405191

Date: 2025-02-01 15:04:22
Score: 6 🚩
Natty:
Report link

You can also get also get the same error in modern react-select if you return an option instead of a list of options in the callback.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): also get the same error
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Steve

79405174

Date: 2025-02-01 14:45:19
Score: 1
Natty:
Report link

I Solved my problem by installing jaxb-core-3.0.1.jar , and all its dependencies, linked in the comments of the post

Reasons:
  • Whitelisted phrase (-2): I Solved
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Letho123

79405165

Date: 2025-02-01 14:39:17
Score: 1.5
Natty:
Report link

try install sdk:

sudo apt update && sudo apt install android-sdk
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: DevMateus

79405161

Date: 2025-02-01 14:36:17
Score: 2
Natty:
Report link

I was able to get the value of email like this: $request->request->all()['update_email_form']['email']

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

79405160

Date: 2025-02-01 14:36:16
Score: 4
Natty: 4.5
Report link

Existe diferenΓ§a entre utilizar executescript e execute: enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Antonino Marques Jares

79405153

Date: 2025-02-01 14:33:15
Score: 1
Natty:
Report link

After several weeks of troubleshooting, I discovered that the issue was related to Docker Desktop. While I couldn't pinpoint the exact cause, my research indicated that it might be linked to how Docker Desktop handles certain CPU features, specifically SVE (Scalable Vector Extension) and SSVE.

Here's a brief overview of what I tried:

  1. Testing Different Environments:

    • Compiled various versions of GCC and GDB across different Docker distributions such as Arch, Debian Sid, and Alpine.
    • Attempted using LLDB instead of GDB.
    • Compiled the latest version of GDB to investigate issues related to SVE and SSVE management.
  2. Solution with Rancher Desktop:

    • Switched to Rancher Desktop, configuring it to use VZ as an emulator with Rosetta support for x64 Docker containers.
    • Utilized VirtioFS as the Volume Manager, which resolved the issues.

This setup allowed everything to function smoothly. Additionally, I was able to import all my images from Docker Desktop into Rancher Desktop without any problems.

Until Docker Desktop addresses this issue, using Rancher Desktop has been a successful workaround for me.

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

79405139

Date: 2025-02-01 14:26:14
Score: 1
Natty:
Report link

In C++ you can declare a constructor outside of the class scope.

class A {
    A();
};

A::A() {}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: aarcangeli

79405130

Date: 2025-02-01 14:19:12
Score: 1.5
Natty:
Report link

I have tried other validations such as @Valid and @Validated, as well as field value annotations on the object, but nothing works. I am wondering if there is a way around this without having to write a custom deserializer instead of using @RequestBody or adding it as a false positive.

This has nothing to do with @RequestBody in particular.

You probably disabled (or didn't configure) CSRF in your security configuration.

more information about csrf can be found in the official spring security documentation

here is an example of a configuration file taken from the getting started page

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.core.userdetails.User;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.core.userdetails.UserDetailsService;
import org.springframework.security.provisioning.InMemoryUserDetailsManager;
import org.springframework.security.web.SecurityFilterChain;

@Configuration
@EnableWebSecurity
public class WebSecurityConfig {

    @Bean
    public SecurityFilterChain securityFilterChain(HttpSecurity http) throws Exception {
        http
            .authorizeHttpRequests((requests) -> requests
                .requestMatchers("/", "/home").permitAll()
                .anyRequest().authenticated()
            )
            .formLogin((form) -> form
                .loginPage("/login")
                .permitAll()
            )
            .logout((logout) -> logout.permitAll());

        return http.build();
    }

    @Bean
    public UserDetailsService userDetailsService() {
        UserDetails user =
             User.withDefaultPasswordEncoder()
                .username("user")
                .password("password")
                .roles("USER")
                .build();

        return new InMemoryUserDetailsManager(user);
    }
}

If you don't have this in any shape or form, I suggest you start there.

Reasons:
  • Blacklisted phrase (1): but nothing work
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Valid
  • User mentioned (0): @Validated
  • User mentioned (0): @RequestBody
  • Low reputation (1):
Posted by: Yuval Roth

79405129

Date: 2025-02-01 14:18:12
Score: 1.5
Natty:
Report link

First, you need to go to any page, edit it, and you will see the template selection option on the right sidebar. From there, you can select your PHP template.

Second, go to Settings > Reading, and you will find the Static Page option to choose your front page. Simply select your desired page and save the changes.

That's it!

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

79405126

Date: 2025-02-01 14:17:11
Score: 0.5
Natty:
Report link

Ensure you have installed test runners on Visual Studio if using other test frameworks. I migrated all of my packages to Central Package Management and forgot to install xunit.runner.visualstudio so Visual Studio could not run my tests.

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

79405124

Date: 2025-02-01 14:15:10
Score: 5
Natty: 7
Report link

saya sudah coba dan terhubung antara ELM327 dan ESP32, namun kenapa ketika send command kok di serial monitor >ATI ?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Abe okianugroho

79405119

Date: 2025-02-01 14:11:09
Score: 12.5
Natty: 7.5
Report link

Did you find any solution for lag and jitter in animations?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (3): Did you find any solution
  • RegEx Blacklisted phrase (2): any solution for lag and jitter in animations?
  • Low length (1.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Did you find any solution for
  • Low reputation (1):
Posted by: Swapnil Sharma

79405110

Date: 2025-02-01 14:04:07
Score: 1
Natty:
Report link

This worked for me:

format longG

https://www.reddit.com/r/matlab/comments/9hczjy/how_to_get_matlab_to_stop_displaying_things_in/

Reasons:
  • Whitelisted phrase (-1): This worked for me
  • Whitelisted phrase (-1): worked for me
  • Probably link only (1):
  • Low length (2):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: noriega

79405105

Date: 2025-02-01 14:02:07
Score: 3
Natty:
Report link

I deleted renamed folder, then rollback it. It resolved the issue.

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

79405104

Date: 2025-02-01 14:00:06
Score: 3.5
Natty:
Report link


Static (last 100 Periods)

  1. Winning n

Blockquote



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

79405101

Date: 2025-02-01 13:58:06
Score: 3
Natty:
Report link

`` I also need to know which item in list 1 was found in which item in list 2. How do I do this please? This should result in
'found 6 from list1 in item 4 List2', but it shows 'found 6 from list1 in item 1 List2'

``

    List1 = [
        [60, 64, 67],
        [62, 67, 72],
        [62, 66, 69],
        [61, 64, 69],
        [64, 65, 67],
        [65, 70, 61],
    ]
    
    List2 = [
        [61, 62, 64, 69],
        [60, 61, 62, 63],
        [64, 65, 67, 69],
        [65, 70, 66, 61],
    ]
    w = 0; v = 0; b = 0
    for x in List1:
        for z in List2:
            is_subset =all([(y in z) for y in x])
            if is_subset == True:
                b = w            
                break
        w = w + 1   
    v = v + 1 
    print("found",w,"from list1 in item ",v,"List2") 

  
``
Reasons:
  • Blacklisted phrase (1): How do I
  • RegEx Blacklisted phrase (1): I do this please
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Tim