79741375

Date: 2025-08-20 17:14:42
Score: 0.5
Natty:
Report link

Figured it out eventually. The company uses a complicated system of profiles, and the profile used for tests contains a (well-hidden) spring.main.web-application-type: none. Which earlier did not prevent MockMVC from autowiring somehow. But now this property is parsed correctly, and the application is not considered a web application, so no WebApplicationContext, so no MockMVCs. The solution is to set type to servlet.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: ioann

79741373

Date: 2025-08-20 17:11:40
Score: 0.5
Natty:
Report link

This is what worked for me. Put the entry.Text inside the Dispatcher.
https://github.com/dotnet/maui/issues/25728

Dispatcher.DispatchAsync(() =>
 {
     if (sender is Entry entry)
     {
         entry.Text = texto.Insert(texto.Length - 2, ",");
         entry.CursorPosition = entry.Text.Length;
     }
 });
Reasons:
  • Whitelisted phrase (-1): worked for me
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Higor Pereira

79741363

Date: 2025-08-20 16:57:37
Score: 2
Natty:
Report link

I'm also facing the same issue in a Next.js project.

❌ Problem

When trying to use node-llama-cpp with the following code:

import { getLlama, LlamaChatSession } from "node-llama-cpp";
  const llama = await getLlama();

I got this error:

⨯ Error: require() of ES Module ...node_modules\node-llama-cpp\dist\index.js from ...\.next\server\app\api\aa\route.js not supported. Instead change the require of index.js to a dynamic import() which is available in all CommonJS modules.

✅ Solution

Since node-llama-cpp is an ES module, it cannot be loaded using require() in a CommonJS context. If you're working in a Next.js API route (which uses CommonJS under the hood), you need to use a dynamic import workaround:

  const nlc: typeof import("node-llama-cpp") = await Function(
    'return import("node-llama-cpp")',
  )();
  const { getLlama, LlamaChatSession } = nlc

This approach uses the Function constructor to dynamically import the ES module, bypassing the CommonJS limitation.

📚 Reference

You can find more details in the official node-llama-cpp troubleshooting guide.

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm also facing the same issue
  • Low reputation (1):
Posted by: Arun Venkatesan

79741359

Date: 2025-08-20 16:52:35
Score: 4.5
Natty: 4.5
Report link

https://github.com/thierryH91200/WelcomeTo and also
https://github.com/thierryH91200/PegaseUIData

I wrote this application in Xcode style.
look at class ProjectCreationManager
maybe this can help you

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

79741356

Date: 2025-08-20 16:48:35
Score: 0.5
Natty:
Report link

I do not know what buildozer version do you have instaled but distutils is been used in buildozer/targets/android.py https://github.com/kivy/buildozer/blob/7178c9e980419beb9150694f6239b2e38ade80f5/buildozer/targets/android.py#L40C1-L40C43

The link I share is from the latest version of that package so I think you should or ignore the warning or look for an alternative for that package.

I hope it helps

Reasons:
  • Whitelisted phrase (-1): hope it helps
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: PabloPaezSheridan

79741350

Date: 2025-08-20 16:36:32
Score: 0.5
Natty:
Report link

I have seen this when working with java classes. If I try to set the breakpoint on the member variable declaration then it adds a watchpoint instead of a breakpoint. It doesn't seem to matter if I am both declaring and initializing the member variable or just declaring it ... it will only add watchpoints at that location.

If inside one of my member methods I try to add a breakpoint to a local variable declaration it will not add anything at all. Inside the member method if I try to add a breakpoint on just about any other line of code, such as assigning a value to the local or member variable, then it does set a breakpoint.

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

79741338

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

After trying using even WinDbg, I got it working by recreating my Release profile and building it as Release. I don't know why Debug was not working, if it was a debug define that Visual Studio set, or one of the many different flags used between both profiles. An exact copy from the Debug profile didn't work, so I had to make an actual Release, including optimization flags, etc. Both the Dll and the Console App started working after compiling as Release.

Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Um Cara Qualquer

79741331

Date: 2025-08-20 16:15:27
Score: 3
Natty:
Report link

This is why you should never transfer binary numbers between different systems. You can also run into codepage issues, Always convert the numbers to character format.

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

79741330

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

In your example, it will not stop executing on the first reply. Meaning that your code will continue through the rest of the function which @dave-newton mentioned in their comment. The docs they show it is not necessary, so I think the correct way to structure it is like this:

if (!transaction) {
    return rep.code(204).send({ message: 'No previously used bank found' })
}

rep.code(200).send(transaction) // don't send if equals !transaction
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @dave-newton
  • Low reputation (0.5):
Posted by: BBQ Singular

79741328

Date: 2025-08-20 16:11:26
Score: 2.5
Natty:
Report link

I believe this is specific to using an emulator API level less than 36 with more recent versions of firebase.

I think "NetworkCapability 37 out of range" is referencing Android's NetworkCapabilities.NET_CAPABILITY_NOT_BANDWIDTH_CONSTRAINED (constant: 37) which was added in API 36.

I got the same error when using an API 35 emulator and it went away when using API 36.

Thank you @Glad1atoR and @j.f. for pointing out it was an emulator specific error.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • No code block (0.5):
  • User mentioned (1): @and
  • User mentioned (0): @for
  • Low reputation (0.5):
Posted by: Mykaelos

79741321

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

That means airflow was not able to pull the data, probably you havent placed the xcom data in the right place. also note that you would not find anything in the xcom side car logs, The objective of the xcom side car is to keep the pod alive while the airflow pulls xcom values. check the watcher pod-logs. Probably it will tell you why.

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

79741313

Date: 2025-08-20 15:54:22
Score: 0.5
Natty:
Report link

In the first case, the pattern works 2 times: for 30 x 4 and for 0 x 900

In the second case, only once for 3 x 4 and then for x 90 there is no longer a match.

And in general, isn't it easier to replace spaces with the necessary characters?

local s = "3 x 4 x 90"
s = s:gsub('%s+', '\u{2009}')
print (s)

Result:

3u{2009}xu{2009}4u{2009}xu{2009}90
Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Mike V.

79741311

Date: 2025-08-20 15:52:22
Score: 1
Natty:
Report link

This is an ugly one-liner that I use to calculate the maximum number of parallel jobs I can build flash-attn on a given nvidia/cuda machine. I've had to build on machines that were RAM-constrained and others that were CPU-constrained (ranging from Orin AGX 32GB to 128vCPU AMD with 1.5TB RAM and 8xH100).

Each job maxes out around 15GB of RAM, and each job will also max out around 4 threads. The build will likely crash if we go over RAM, but will just be slower if we go over threads. So I calculate the lesser of the two for max parallelization in the build.

YMMV, but this is the closest I've come to making this systematic as opposed to experiential.

export MAX_JOBS=$(expr $(free --giga | grep Mem: | awk '{print $2}') / 15); proc_jobs=$(expr $(nproc) / 4); echo $(($proc_jobs < $mem_jobs ? $proc_jobs : $mem_jobs)))

Reasons:
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Calvin Vette

79741309

Date: 2025-08-20 15:51:22
Score: 1
Natty:
Report link

Thanks @John Polo for spotting an issue. Eventually, I realized there were other two important problems in the loop I was creating:

  1. The subset() call was not triggering any warning so it could not work properly anyway. In order to trigger it, I had to call values() but to avoid printing the results I embedded it into invisible(). I could have called other functions too to trigger the warning, but I opted for values() believing it to be pretty fast.

  2. You cannot assign a matrix to a SpatRaster layer. So what I did was just to subset the original SpatRaster to that specific layer and fill it with NAs.

Here it is the solution to my problem in the form of a function. Hopefully others might find it helpful, even though I am sure some spatial analysis experts could come up with a way more efficient version.



# Function to repair a possibly corrupted SpatRaster
fixspatrast <- function(exporig) {
  
  # Create a new SpatRaster with same structure, all NA
  expfix <- rast(exporig, vals = NA)  
  
  for (lyr in 1:nlyr(expfix)) {
    tryCatch({
      lyrdata <- subset(exporig, lyr)
      invisible(values(lyrdata))   # force read (triggers warning/error if unreadable)
      expfix[[lyr]] <- lyrdata
    }, warning = function(w) {
      message("Warning in layer ", lyr, ": ", w$message)
      nalyr <- subset(exporig, lyr)
      nalyr[] <- NA
      names(nalyr) <- names(exporig)[lyr]  # keep name
      expfix[[lyr]] <- nalyr
    })
  }
  
  return(expfix)
}
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @John
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: jappo19

79741303

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

One way around to avoid this error is the following:

crs_28992 <- CRS(SRS_string = "EPSG:28992")
slot(d, "proj4string") <- crs_28992

*You need packge 'sp'

** Applied with OS Windows 11

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

79741302

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

When you connect with the GUI, you select "Keep the VM alive for profiling" in the session startup dialog:

enter image description here

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When you
  • High reputation (-2):
Posted by: Ingo Kegel

79741301

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

Just in case it can help everyone in this thread, I created a package based on the @AntonioHerraizS and @Ben answers to easily print any request or response easily with rich support.

If anyone is interested, you can find it here: github.com/YisusChrist/requests-pprint. The project currently supports requests and aiohttp libraries (with their respective cache-versions as well).

I hope you will find it helpful.

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

79741297

Date: 2025-08-20 15:37:18
Score: 3.5
Natty:
Report link

There is an issue related to this which is already raised in the repo : https://github.com/Azure/azure-cli/issues/26910

If you are looking for an alt option you can look into this documentation : https://docs.azure.cn/en-us/event-grid/enable-identity-system-topics
Which does it through the interface.

userassigned identity

Reasons:
  • Blacklisted phrase (1): this document
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Rajeev KR

79741276

Date: 2025-08-20 15:23:14
Score: 2.5
Natty:
Report link

This solved the issue for me:

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

79741269

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

You can help out type inference by tweaking makeInvalidatorRecord to be type-parameterized over the invalidators' argument types. This is easier to explain in code than prose.

Instead of this:

type invalidatorObj<T extends Record<string, unknown>> = {
  [K in keyof T]: T[K] extends invalidator<infer U> ? invalidator<U> : never;
};

You could use a type like this:

type invalidatorObjFromArgs<T extends Record<string, unknown[]>> = {
  [K in keyof T]: invalidator<T[K]>
};

And then have the type parameter of makeInvalidatorObj be a Record whose property values are argument tuples rather than entire invalidators.

Here's a complete example:

type invalidator<TArgs extends unknown[]> = {
  fn: (...args: TArgs) => any;
  genSetKey: (...args: TArgs) => string;
};

type invalidatorObjFromArgs<T extends Record<string, unknown[]>> = {
  [K in keyof T]: invalidator<T[K]>
};

const makeInvalidatorObj = <T extends Record<string, unknown[]>>(
  invalidatorObj: invalidatorObjFromArgs<T>,
) => invalidatorObj;

const inferredExample = makeInvalidatorObj({
  updateName: {
    fn: (name: string) => {},
    genSetKey: (name) => `name:${name}`,
    //          ^? - (parameter) name: string
  },
  updateAge: {
    fn: (age: number) => {},
    genSetKey: (age) => `age:${age}`,
    //          ^? - (parameter) age: number
  },
});
Reasons:
  • RegEx Blacklisted phrase (3): You can help
  • Long answer (-1):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: Matt Kantor

79741260

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

I think it has to do with gcc version, cuda 12.x is supported on gcc-12 and debian 13 provides gcc-14 as default.

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

79741257

Date: 2025-08-20 15:10:10
Score: 2.5
Natty:
Report link

An alternative is to use the robocopy command.

robocopy ".\Unity Editors" "C:\Program Files\Unity Editors" /e

This will create the Unity Editors folder if it does not exist, but will not alter it, if it does not.

The only downside is you need to have the directory structure to copy, as it will not let you create directories from nothing. The '/e' means it only does/copies directories but ignores any files.

i.e. I want to create directory d, at the end of C:>a\b\c so I create the d folder, but I do not want to disturb any folders or files, nor create an error if it already exists.

.\md d

.\robocopy ".\d" "C:\a\b\c" /e

.\rm d

What I like about robocopy is it plays nice with batching things on SCCM and such. Its also quite powerful.

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Passerbye

79741254

Date: 2025-08-20 15:09:10
Score: 2
Natty:
Report link

Maybe it will be useful for someone, I used postgresql with jdbc, and I had error messages not in English. The VM options -Duser.language=en -Duser.country=US helped me

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

79741252

Date: 2025-08-20 15:08:10
Score: 2.5
Natty:
Report link

Yo utilizo el siguiente y me ha funcionado bien para Android es una forma mucho mas amigable al momento de programarlo como tambien se pueda configurar mucho mas amigable entre la app y la impresora https://pub.dev/packages/bx_btprinter

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

79741248

Date: 2025-08-20 15:05:09
Score: 2
Natty:
Report link

I'm having the same problem, but with framework nextjs. It is not copying a crucial directory called _next with my embedded website exported.

I don't know why, but I tried many options on build.gradle inside android block, like aaptOptions, androidResource, both inside defaultConfig, inside buildTypes.release, any of it worked.

I found a solution for this reading the AAPT source code (here) it defines the ignore assets pattern like this:

const char * const gDefaultIgnoreAssets =
    "!.svn:!.git:!.ds_store:!*.scc:.*:<dir>_*:!CVS:!thumbs.db:!picasa.ini:!*~";

Also in this source code, it reads the env var ANDROID_AAPT_IGNORE, and using this env var works!

So, you can set this ENV before, or export it in your .bashrc or .zshrc, or use it inline when calling the gradle assembleRelease like this:

ANDROID_AAPT_IGNORE='!.svn:!.git:!.ds_store:!*.scc:.*:!CVS:!thumbs.db:!picasa.ini:!*~' ./gradlew assembleRelease
Reasons:
  • Blacklisted phrase (1): I'm having the same problem
  • Whitelisted phrase (-1): it worked
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm having the same problem
  • Low reputation (0.5):
Posted by: Murilo Rocha

79741237

Date: 2025-08-20 14:58:07
Score: 0.5
Natty:
Report link

`layout` parameter of `plt.figure` can be used for this purpose.

for instance, following example dynamically adjusts the layout to stay tight after window is resized.

import matplotlib.pyplot as plt

x = range(10)
y1 = [i ** 2 for i in x]
y2 = [1.0 / (i + 1) for i in x]

fig = plt.figure(tight_layout=True)
ax1 = plt.subplot(1, 2, 1)
ax1.plot(x, y1)
ax2 = plt.subplot(1, 2, 2)
ax2.plot(x, y2)

plt.show()
Reasons:
  • Has code block (-0.5):
  • Starts with a question (0.5): can
  • Low reputation (0.5):
Posted by: Enigma Machine

79741230

Date: 2025-08-20 14:52:05
Score: 2
Natty:
Report link

Just in case: do not forget to choose the correct types of logs to be shown. There is a dropdown menu "Custom" in the console. By default, I had only "errors", but for displaying outputs from the console.log(), "log" should be checked

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

79741222

Date: 2025-08-20 14:47:04
Score: 1
Natty:
Report link

A little late but hopefully useful some. In order to avoid the message, you need to set the version of yarn for the project for example

yarn set version 3.8.7
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: technified

79741216

Date: 2025-08-20 14:45:03
Score: 2.5
Natty:
Report link

Don't know if anyone is still looking at this thread but I also have an issue trying to find a working timelapse app for my newly acquired NEX 5R, the archive above I've looked at but none of them work, thought I had bricked my camera at times trying some of the apps.

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

79741210

Date: 2025-08-20 14:40:02
Score: 1
Natty:
Report link

I couldn't get the script provided by Atanas to work for me.

here's a variation...create a file with the project names with a line break after each project....

i.e. 'cat p.list' would show:

poject1
poject2
poject3
poject4

then, run:

for i in `cat p.lst`; do echo --$i-- && rd executions list -p $i; done
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Brandon DeYoung

79741209

Date: 2025-08-20 14:40:02
Score: 1
Natty:
Report link

What am I doing wrong?

You're expecting the if (isQuery(item.value)) check to narrow item, but that's not something that happens.

The only situation where item could be narrowed by checking item.value is if item were typed as a discriminated union and value was a discriminant property. That's not the case in your code.

Reasons:
  • Blacklisted phrase (1): What am I doing wrong?
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What am I
  • High reputation (-1):
Posted by: Matt Kantor

79741208

Date: 2025-08-20 14:40:02
Score: 0.5
Natty:
Report link

Your problem is that you use the so-called 'runtime declaration' for props, when you should use the 'type-based' one. Here's the article from docs regarding this matter.

https://vuejs.org/guide/typescript/composition-api.html#typing-component-props

So to fix your issue you should refactor your component to:

<script setup lang="ts" generic="T extends ChildEntryModel">
// ...imports
const props = defineProps<{
    modelValue: T[]
}>()
</script>

https://vuejs.org/api/sfc-script-setup.html#generics

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

79741207

Date: 2025-08-20 14:40:02
Score: 2.5
Natty:
Report link

In my case, my field name was valid, but my administrative user didn't have permission to use it. In Salesforce, permissions can be assigned at the field level.

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

79741204

Date: 2025-08-20 14:37:02
Score: 2.5
Natty:
Report link

Remember to set 'Targets > [your project] > General > Minimum Deployments' to the latest compatible version of the simulator you want to run, otherwise it wont show up either!

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

79741201

Date: 2025-08-20 14:34:01
Score: 3
Natty:
Report link

3D hero game Ek aadami Ko road per bhag raha hai aur ek gadiyon se Bach raha hai gadi Se takrate Hi out ho jaaye aur ek restart ka option Diya

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

79741200

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

After the latest next update, I faced the same issue. I added the file

next-env.d.ts

to eslint.config.mjs ignore, but as it did not worked, I had to add this:


  {
    files: ["next-env.d.ts"], // 👈 override
    rules: {
      "@typescript-eslint/triple-slash-reference": "off",
    },
  }
Reasons:
  • Blacklisted phrase (1): did not work
  • Low length (0.5):
  • Has code block (-0.5):
Posted by: Daniel Santana

79741198

Date: 2025-08-20 14:34:01
Score: 1.5
Natty:
Report link

I just stumbled upon the same question, as my recipe did not show up under the Configuration -> Recipes section as well.

Just found out how to make it work, assuming you have a (custom) Theme or Module within your VS solution.

Under your Theme [OR] Module project, create directory 'Recipes' in the root and place the recipe json file in that directory. Then, make sure that the value for field `issetuprecipe` is set to value 'false'. The recipe should now show up under Configuration -> Recipes.

This section/field you need to alter.

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Gerrit-Jan

79741188

Date: 2025-08-20 14:27:58
Score: 0.5
Natty:
Report link
# stage deps
FROM node:18.17.0 AS deps

WORKDIR /usr/src/app

COPY package*.json yarn.lock ./
RUN yarn install # Install both production and development dependencies

# stage builder
FROM node:18.17.0 AS builder
COPY --from=deps ./
COPY . .

RUN yarn build

RUN yarn install --production

# Production image
FROM node:18.17.0-alpine

WORKDIR /usr/src/app


COPY --from=builder /usr/src/app/dist ./dist
COPY --from=builder /usr/src/app/node_modules ./dist/node_modules

# Prune development dependencies


CMD ["node", "dist/main"]
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: tandev

79741182

Date: 2025-08-20 14:22:57
Score: 1
Natty:
Report link

You can use breakpoints on all kinds of Events, XHR or Event Breakpoints. This should help.

Reasons:
  • Whitelisted phrase (-1.5): You can use
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: braandl

79741177

Date: 2025-08-20 14:14:55
Score: 1
Natty:
Report link

After some UX refreshes for the ADO portal, you can no longer view Commits in the way that @wade-zhou mentioned. But we can still get this information.

From any given release, click 'View Changes'

enter image description here

Then you can view the list of commits

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • No code block (0.5):
  • User mentioned (1): @wade-zhou
  • High reputation (-2):
Posted by: FoxDeploy

79741163

Date: 2025-08-20 14:03:52
Score: 2.5
Natty:
Report link

@EventHandler

public void onPlayerJoin(PlayerJoinEvent event) {

if(!event.getPlayer().hasPlayedBefore()) {

    event.getPlayer().sendMessage("Hi!");

}

}

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • User mentioned (1): @EventHandler
  • Low reputation (1):
Posted by: ADITYA RAJ

79741158

Date: 2025-08-20 13:58:51
Score: 3
Natty:
Report link

After a bit of digging I found the file at

~/Library/Developer/Xcode/UserData/Debugger/CustomDataFormatters

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

79741142

Date: 2025-08-20 13:52:48
Score: 1
Natty:
Report link

You're already on a solid path—using Python to fetch and visualize PLC data with Tkinter, Excel, and Matplotlib is a great start. To level up the user experience and make your app more interactive and robust, here are some human-friendly insights:


GUI Framework Recommendations


Interactive Visualization Tools


What Real Users Say (from Reddit)

“If you're looking to plot graphs I strongly recommend using Plotly and Dash… it was by far the easiest way to get a GUI with multiple complex graphs.”
“For something simple that will get you 90% of the way there, Streamlit is 100% the way to go.”


Suggested Combinations Based on Your Goals

GoalRecommended ToolsRich, desktop-style appPyQt6/PySide6 + PlotlyRapid, interactive dashboardsStreamlit or DashNative GUI with embedded chartswxPython + MatplotlibTouch-enabled/multi-platform UIKivy + Plotly/Bokeh


Final Takeaway

Let me know what direction you're leaning toward—I’d be glad to share starter templates or help with your next steps!

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

79741134

Date: 2025-08-20 13:42:46
Score: 0.5
Natty:
Report link

Relative distance from -180 to +180 (a and b can be millions of degrees apart, i.e. have winding):

(b - a) % 360

Absolute distance from 0 to +180 (a and b can be millions of degrees apart, i.e. have winding):

Math.abs((b - a) % 360)

Don't overcomplicate what doesn't need to be complicated.

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

79741130

Date: 2025-08-20 13:41:45
Score: 1
Natty:
Report link
import axios from "axios";

const token = localStorage.getItem("token");

await axios.delete(`http://localhost:8000/api/comments/${id}`, {
  headers: {
    Authorization: `Bearer ${token}`,
  },
});
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Abdul Khaliq

79741112

Date: 2025-08-20 13:22:40
Score: 3
Natty:
Report link

finaly i found another postgres module that works when converted to .exe : pg8000
for the moment everything works in .exe as in .py.

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

79741105

Date: 2025-08-20 13:15:38
Score: 1
Natty:
Report link

In C++20 you may simply use

template<auto f> auto wrapper(auto ... x)
{
    return f(x...);  
};
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Helmut Zeisel

79741095

Date: 2025-08-20 13:09:36
Score: 4
Natty:
Report link

I did have the same issue with my app and used the approach mentionned in the following blog.
https://blog.debertol.com/posts/riverpod-refresh/

It works until now. Hope it will help someone :)

Reasons:
  • Whitelisted phrase (-1): Hope it will help
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): have the same issue
  • Low reputation (1):
Posted by: Henintsoa Paul Manitraja

79741091

Date: 2025-08-20 13:04:35
Score: 1.5
Natty:
Report link

Google news api is deprecated and there is no such publicly published quota regarding its rate limit. So developers need to switch to the best alternatives of google news API one of them is Newsdata.io which offers global coverage, real-time updates, advanced filtering, and free development access—ideal for news analytics and apps.

And in terms of its rate limit :
Free Plan: 30 credits every 15 minutes.
Paid plans: 1800 credits every 15 minutes.

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

79741089

Date: 2025-08-20 13:01:35
Score: 1.5
Natty:
Report link
# Write your MySQL query statement below
SELECT MAX(num) as num FROM (
    SELECT num 
    FROM MyNumbers
    GROUP BY num HAVING COUNT(*) = 1
) AS singls;

this is the correct way to find the answer..

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

79741072

Date: 2025-08-20 12:37:29
Score: 0.5
Natty:
Report link

You can sort the results of your query and achieve the same result as an "ORDER BY" SQL statement. Use the ´Column options´ and select the relevant columns in the ´Sorting´ tab.

enter image description here

Alternatively, could you could create an Analytic view and then work on the grouping / aggregating your results in Power BI with much more flexibility than directly in Azure DevOps.

Reasons:
  • No code block (0.5):
Posted by: khalito

79741070

Date: 2025-08-20 12:34:29
Score: 2
Natty:
Report link

There are news api's that limit results to a specific publisher. But some news APIs enable you to include more than one source in a single query. Like Newsdata.io supports this by its domain parameter, where you can add upto 5 domains separated by commas in a single query and Other providers, like NewsAPI.org, also offer a similar feature with their sources parameter.

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

79741068

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

Given that you already have an algorithm working, tested, and fast enough in python, I would use this to convert the data to a matlab .mat file. Then load this into matlab and continue to work in matlab from that point onwards.

python script:

from scipy.io import savemat
dat = unpack_s12p_to_f32(data)
savemat("matlab_matrix.mat", {"data": dat, "label": "data imported and converted to matlab using python"})

then in matlab:

load('matlab_matrix.mat')
plot(data)

enter image description here

Later to streamline the workflow, this could be done by a simple python script called from the command line when you get new data.

Is there a reason you want to import this directly to matlab with no interpretation step?

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Low reputation (0.5):
Posted by: Neil Butcher

79741066

Date: 2025-08-20 12:29:27
Score: 3
Natty:
Report link

Use Softaken WIndows Data Recovery Software, this tool help you to restore damaged and corrupted files of your drive.

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

79741065

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

Sorry this is kinda incomplete answer and for python, nor R, but still. Scatter overlay with grouped barplot should be possible, see second example on this showcase page: https://plotly.com/python/graphing-multiple-chart-types/

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Václav Bočan

79741062

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

Duplicates can't be removed fully, but there are news api's that provide fields that make deduplication easier on the client side. Like Newsdata.io,

it provides each article with a unique article_id, article link, source_id, source_url, source_icon, enabling developers to filter repeat on their end. It also provides a "removeduplicate" parameter which allows users to filter out duplicate articles.

Additionally, It allows filtering by category, language, country, Region etc, which can help narrow results and minimize duplicate headlines at the API level before you process them.

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

79741046

Date: 2025-08-20 12:11:22
Score: 1
Natty:
Report link

I was also unable to access external libraries on VS Code. What I did was first to install pylint extension.

Although it still doesn't show the way PyCharm does but now, when I start typing out the name of a module it brings out a pop-up list of all the modules starting with that letter and if i import a specifiied module, highlight it and click Go to, F12, it takes me to the source code in the python library (e.g import Random) then I highlight Random click F12 I'm taken to the source code for the Random module in the Lib package.

module drop down menu

Random module source code in ext libraries

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

79741043

Date: 2025-08-20 12:09:22
Score: 3
Natty:
Report link

I think even if your text color changes to white in dark mode, its good for you as it increases readability and will increases the apps accessibility

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

79741039

Date: 2025-08-20 12:07:21
Score: 3.5
Natty:
Report link

Q: Can We use SOAP (back-channel) binding instead of POST/Redirect in Spring SAML?

A: No. Spring Security SAML, both legacy and current SAML2, only supports HTTP-Redirect and HTTP-POST bindings. SOAP binding is not supported (yet).

Archived docs by Vladimír Schäfer: SOAP not available.

WayBack Mashine Saml Manual

Current logout docs by Vladimír Schäfer: SOAP not available.

docs.spring.io/spring-security-saml

"I read in the documentation about back-channel SOAP calls, and that sounds like exactly what I want, but I can't find anything on it."

You're right in thinking that there should be documentation on it, there're many, example. Just none for spring saml. Have a nice one.

Cheers to the Mods 🍺

Reasons:
  • Blacklisted phrase (1): Cheers
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: user71264998

79741038

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

if you are still looking for an answer, in my company we work with https://github.com/seznam/halson, https://www.npmjs.com/package/halson
it is well documented and works perfectly fine with nest

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

79741034

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

Easy with defaultScrollAnchor() modifier.

ScrollView {
    // ...
}
.defaultScrollAnchor(.bottom)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: eledgaar

79741032

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

you can Go to

Dashboard → Settings → Permalinks like this : /%category%/%postname%/ and select a custom structure (whatever you want).but it is only use in category and post slug. and you can use custom code also. in function.php

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Aasif Khan

79741026

Date: 2025-08-20 11:56:17
Score: 1.5
Natty:
Report link

Following the initial tutorial, I saw that the command py is accepted in the environment on windows. Example:

py -m pip install -r .\requirements.txt

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

79741020

Date: 2025-08-20 11:53:16
Score: 2.5
Natty:
Report link

Since v3.1.73 this can also happen if you compile without -sFETCH_SUPPORT_INDEXEDDB=0

see the explanation here
https://github.com/emscripten-core/emscripten/issues/23124

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

79741019

Date: 2025-08-20 11:53:16
Score: 2.5
Natty:
Report link

This is a late reply but for anyone else that stumbles across this you also have to apply the .Sql scripts in the "Migrations" folders for the various Orleans components (Reminders, Clustering etc) as well as the "Main" sql scripts. This fixed the issue for me.

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

79741001

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

I did something similar to @Rono using table variable, where I inserted and sorted my data by date.
I am supposed to ensure date continuity (no gaps, gap exactly 1 day)
maybe it will inspire someone

declare @sorted table (num int identity, id int, dfrom date, dto date)

insert into @sorted(id, dfrom, dto)
values
(1230, '2024-01-01','2024-01-15'),
(4567, '2024-01-16','2024-10-30'),
(9000, '2024-10-31','2024-12-31'),
(9001, '2025-01-01','2025-01-15'),
(9015, '2025-01-16','2025-06-30'),
(9592, '2025-07-01','3000-01-01')

select  s.id
from    @sorted s
left join 
(
    select id, dfrom, dto, num from @sorted
) sub
    on sub.num = s.num + 1
where 
    datediff(day, s.dto, sub.dfrom) <> 1
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @Rono
  • Low reputation (1):
Posted by: XzajoX

79740993

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

As @0stone0 pointed out in the comments, it looks like the action is refreshing the page before calling the function.

Also, it might be necessary to add event.preventDefault() to your calculate() method so it executes and not refreshes the page.

Something like:

function calculate(event){
    event.preventDefault();
    ...
}
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @0stone0
  • Low reputation (0.5):
Posted by: Carlos Martel Lamas

79740991

Date: 2025-08-20 11:18:08
Score: 0.5
Natty:
Report link

I know its old, but i just want to say that this still works.

The answer was posted earlier here -> https://stackoverflow.com/a/3092273/7069338

Your line:

<requestedExecutionLevel level="asInvoker" uiAccess="true" />

Should be:

<requestedExecutionLevel level="requireAdministrator" uiAccess="true" />

I've testet it and it works for me.

-

In my opinion you shouldn't run VS as admin, unless absolutely necessary.

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • Whitelisted phrase (-1): works for me
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Neci

79740983

Date: 2025-08-20 11:12:06
Score: 1
Natty:
Report link

"Really enjoyed this post! TypeRacer is such a fun way to improve typing speed while competing with others."

"We conduct Abacus competition and Vedic maths competition to enhance speed, accuracy, and mental calculation skills in students. With regular Abacus competition practice test and online abacus test options, participants can prepare effectively and gain confidence before the main event."

  <a href=" https://www.abacustrainer.com/competionconductor">visit abacustrainer</a>
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: abacustrainer

79740982

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

Are you still having this issue?

I am running VSCode 1.103.1 and Jupyter extension v2025.7.0 and have no problem viewing both Input, Metadata, and Output changes:

VSCode notebook diff

Note: VSCode by default collapses sections that have no changes.

Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (0.5):
Posted by: Nermin

79740975

Date: 2025-08-20 10:58:03
Score: 0.5
Natty:
Report link

*"In .NET, a Web Service is a software component that allows applications to communicate over the internet using standard protocols like HTTP and XML/JSON. The key benefit is that it provides platform-independent communication, so applications built in different languages (C#, Java, PHP, Python, etc.) can easily share data through web services.

On the other hand, Triple DES (3DES) is a symmetric encryption algorithm used to protect sensitive data. It works by applying the DES (Data Encryption Standard) three times, making it much stronger than simple DES. In .NET applications, developers often use Triple DES to encrypt information such as passwords, financial details, or authentication tokens before sending them through a web service.

👉 For example:

  1. The client encrypts the data using Triple DES before sending it.

  2. The web service receives the encrypted data and decrypts it using the same secret key.

  3. This ensures that even if someone intercepts the communication, the data cannot be understood without the key.

This combination of Web Services + Triple DES is still used in many secure systems, especially in financial or enterprise-level applications.

I’ve also shared helpful guides and resources about website development & security here: https://softzen.info"*

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

79740971

Date: 2025-08-20 10:53:02
Score: 1.5
Natty:
Report link
from PIL import Image, ImageDraw, ImageFont

# Palabras y pistas personalizadas
words = [
    ("Enero", "El mes en que nuestras vidas se cruzaron ❄️"),
    ("Higueruela", "Nuestro primer hogar compartido 🏡"),
    ("Merida", "Nuestro primer viaje inolvidable ✈️"),
    ("Bestialburger", "Donde comenzó nuestra historia con papas 🍔"),
    ("Instagram", "La red social que nos conectó por primera vez 📲"),
    ("Cucharita", "Nuestra forma favorita de dormir abrazados 🛌"),
    ("Mirada", "Lo que aún me pone nerviosa de ti 👀"),
    ("Destino", "Lo que nos juntó, aunque no lo planeamos ✨"),
    ("Fotos", "Tenemos muchas, pero siempre queremos más 📸"),
    ("Desayuno", "Lo que me haces con amor cada mañana 🥞"),
    ("2304", "El día que todo comenzó 💫"),
    ("Amor", "Lo que crece cada día entre nosotros ❤️")
]

# Crear cuadrícula base
grid_size = 20
grid = [['' for _ in range(grid_size)] for _ in range(grid_size)]
positions = list(range(1, len(words)*2, 2))  # Filas espaciadas

# Insertar palabras horizontalmente
for i, (word, _) in enumerate(words):
    row = positions[i]
    col = 1
    for j, letter in enumerate(word.upper()):
        grid[row][col + j] = letter

# Configurar imagen
cell_size = 40
img_size = grid_size * cell_size
img = Image.new("RGB", (img_size, img_size + 300), "white")
draw = ImageDraw.Draw(img)

# Fuente
try:
    font = ImageFont.truetype("arial.ttf", 20)
except IOError:
    font = ImageFont.load_default()

# Dibujar celdas y letras
for i in range(grid_size):
    for j in range(grid_size):
        x = j * cell_size
        y = i * cell_size
        draw.rectangle([x, y, x + cell_size, y + cell_size], outline="black", width=1)
        if grid[i][j] != '':
            letter = grid[i][j]
            # Calcular tamaño del texto
            bbox = draw.textbbox((0, 0), letter, font=font)
            w = bbox[2] - bbox[0]
            h = bbox[3] - bbox[1]
            draw.text(
                (x + (cell_size - w) / 2, y + (cell_size - h) / 2),
                letter,
                fill="black",
                font=font
            )

# Escribir las pistas debajo de la cuadrícula
y_offset = img_size + 20
for i, (word, clue) in enumerate(words, start=1):
    draw.text((10, y_offset), f"{i}. {clue}", fill="black", font=font)
    y_offset += 25

# Guardar imagen final
img.save("sopa_de_letras.png")
img.show()

Reasons:
  • Blacklisted phrase (2): Crear
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jennifer Sempere

79740967

Date: 2025-08-20 10:51:01
Score: 1
Natty:
Report link

One way to do what you are looking for is to use the Workbook.ApplyTheme method.

https://learn.microsoft.com/en-us/office/vba/api/excel.workbook.applytheme

This method uses a theme file located in

C:\Program Files\Microsoft Office\root\Document Themes 16

My version of Excel is

Microsoft® Excel® 2021 MSO (Version 2507 Build 16.0.19029.20136) 64-bit

You can generate your own theme file if needs be but the file OfficeTheme.thmx would be a good starting point. You can then ose the colours in this theme to colour your UserForm.

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

79740959

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

On Grafana version 11.5.2, it is on the section Value options -> Calculation : enter image description here

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

79740958

Date: 2025-08-20 10:39:58
Score: 3
Natty:
Report link

Updating react and react-native to latest version fixed the issue

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

79740954

Date: 2025-08-20 10:34:57
Score: 1
Natty:
Report link

When you want to exit the application, simulate the user clicking the close button.

GLFWwindow *window=...;
PostMessageW(glfwGetWin32Window(window), WM_CLOSE, NULL, NULL);
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
Posted by: 許恩嘉

79740946

Date: 2025-08-20 10:27:55
Score: 2.5
Natty:
Report link

it's because proxy server blocking it, you have two ways to solve it

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

79740940

Date: 2025-08-20 10:23:53
Score: 3.5
Natty:
Report link

The solution is to pass a polars DataFrame from python, instead of a PyDataFrame, and avoid polars version 1.32.3 (there seems to be a bug)

Thank you @Carcigenicate for the help

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Whitelisted phrase (-1): solution is
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Carcigenicate
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Felipe Vieira

79740938

Date: 2025-08-20 10:19:52
Score: 3
Natty:
Report link
display: block

Very helpful! Thanks!

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (2):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Yuri Boblak

79740934

Date: 2025-08-20 10:14:51
Score: 1.5
Natty:
Report link
1. SELECT pg_get_serial_sequence('table_name', 'p_id');
2. SELECT setval(
  '1stqueryoutput',
  (SELECT COALESCE(MAX(moderator_id), 1) FROM moderator_data)
);

fixed
check nxt what value is 
3. SELECT nextval('1stqueryoutput');
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Shyam Sundar Patri

79740932

Date: 2025-08-20 10:13:51
Score: 2
Natty:
Report link

It seems to be related to this known issue: IJPL-54496 National keyboard layouts support.

Unfortunately, there is no convenient solution to this problem.

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

79740929

Date: 2025-08-20 10:11:50
Score: 1.5
Natty:
Report link

Instead of

$('#modal-location').on('shown.bs.modal', () => {
  initMap();
});

I used this.

$(document).on('shown.bs.modal', '#modal-location', () => {
    initMap();
});

and it works fine.
because it ensures initMap()) executes after the modal is actually visible in the DOM.

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

79740928

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

Chek your Permission-Policy header.

Chrome header screen shot

If it is set to camera=() then it will blocks access to the camera. Either you remove this header value from the response (alternatively pass empty string) or add this header with a value of camera(self) from the backend e.g. from php backend set the below header to the response.

$headers = [];
$headers['Permissions-Policy'] = 'camera=(self), microphone=(self)';

After that, verify it from the header respnonse,

Chrome header after setting Permission-Policy

Hope this will work.

Reasons:
  • Probably link only (1):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Md Shahbaz Ahmad

79740924

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

The suggested new approach above might have a typo 'demoji', which should be correctly written as 'emoji' and also should be .replace_emoji(). See the correct version below: def remove_emojis(text): return emoji.replace_emoji(text, '')

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

79740918

Date: 2025-08-20 10:01:47
Score: 1
Natty:
Report link
UPDATE your_table_name
SET drug_exposure_end_date = DATEADD(DAY, 29, drug_exposure_start_datetime)
WHERE drug_exposure_end_date IS NULL
  AND drug_exposure_end_datetime IS NULL
  AND days_supply IS NULL;

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

79740912

Date: 2025-08-20 09:53:45
Score: 1.5
Natty:
Report link

The problem is with Vitest + graphql. It is a known bug and a workaround was posted here:

https://github.com/vitest-dev/vitest/issues/4605

The workaround is to add this line to your vite config:

resolve: { alias: { graphql: "graphql/index.js" } },
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Jonas Holfeld

79740911

Date: 2025-08-20 09:53:45
Score: 1.5
Natty:
Report link

Just in case, solution exist, more dirty hack, but still
@claude sonnet, are you sure that no way?)

TextField(viewModel.placeholder, text: $viewModel.text)
    .onReceive(NotificationCenter.default.publisher(
        for: UITextField.textDidChangeNotification)
     ) { notification in
            guard let textField = notification.object as? UITextField,
                  !textField.enablesReturnKeyAutomatically else {
                  return
            }

            textField.enablesReturnKeyAutomatically = true
            textField.reloadInputViews()
     }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • User mentioned (1): @claude
  • Low reputation (1):
Posted by: Алексей Александрович

79740907

Date: 2025-08-20 09:49:44
Score: 2.5
Natty:
Report link

I came across to this problem today.

    //varchar(max)
    @Column(name = "FORMULA", length = -1)
    private String formula;

length = -1 solved it for me.

enter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Berk

79740902

Date: 2025-08-20 09:46:42
Score: 3.5
Natty:
Report link

right click on it and then click on hide "..." inlay hints

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

79740892

Date: 2025-08-20 09:35:39
Score: 4
Natty:
Report link

is the problem with the browser or what , maybe the security of the browser or the local server ins't allowing it

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): is the
  • Low reputation (1):
Posted by: aman

79740885

Date: 2025-08-20 09:31:38
Score: 1.5
Natty:
Report link

Well this is a rather old Questiomn now but it does seem to work now

It should now actually work exactly the way you did it which is simply

//Todo start text

// start continuation with space

enter image description here

I am using VS-2022 and ReSharper

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

79740884

Date: 2025-08-20 09:28:37
Score: 1
Natty:
Report link

I'm using the solution with the manifest. When starting Visual Studio as Admin (ADM user), my NuGet packages and other dependencies don't work.

The solution for that is:

  1. Build your project

  2. Start VS as admin and open your project

  3. Start the built EXE from step 1 as admin

  4. Attach Visual Studio to the started EXE

    1. Debug → Attach to Process (CTRL + ALT + P)
Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Saiko

79740882

Date: 2025-08-20 09:27:36
Score: 1.5
Natty:
Report link

I am using .net 9 with 'Blazor web app' template.
I changed namespace for project and then I got the same error message.
It was needed to change 'href' attribute for stylesheet from '@Assets["{project name}.styles.css"]' to '@Assets["{project name with full namespace}.styles.css"]' in App.razor.

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

79740880

Date: 2025-08-20 09:26:36
Score: 1.5
Natty:
Report link

I am using .net 9 with 'Blazor web app' template.
I changed namespace for project and then I got the same error message.
It was needed to change 'href' attribute for stylesheet from '@Assets["{project name}.styles.css"]' to '@Assets["{project name with full namespace}.styles.css"]' in App.razor.

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

79740878

Date: 2025-08-20 09:26:36
Score: 3
Natty:
Report link
  1. dll file might be missing.

  2. reinstall crruntime might help.

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

79740872

Date: 2025-08-20 09:21:34
Score: 4.5
Natty: 5.5
Report link

can i change color to red using c# assembly

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): can i
  • Low reputation (1):
Posted by: user31312862

79740857

Date: 2025-08-20 09:06:30
Score: 2.5
Natty:
Report link

Mai b.a ka bahu vikalp ka papar diya tha

Syter vois honi ke karan mai chhod diya tha

Tablet to nahi mila tha

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

79740840

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

Looks like the current version of SBT does not support it. I've submitted a PR that hopefully fixes it: https://github.com/sbt/sbt/pull/8219

(works on my machine :P , but the sbt scripted tests fail even without the change; Macbook ARM)

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

79740839

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

Another way to stay closer to your original code is using TNetEncoding.Base64String:

...
uses
System.NetEncoding;

...

var
s: String;
begin
s := TNetEncoding.Base64String.Encode('asjjdhgfaoösjkdhföaksjdfhöasjdfhasdkjasdhfköajsjhdfajssssd');
end;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: fisi-pjm

79740814

Date: 2025-08-20 08:30:20
Score: 3.5
Natty:
Report link

i had a similar issue , it is flooding our sentry . Can't reproduce it yet .

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