79662130

Date: 2025-06-11 14:09:08
Score: 1.5
Natty:
Report link

Thanks to @JohanC comment I was able to understand and solve the issue. It lies in fact in the method set_axisbelow() of the file axes/_base.py, the initial function is:

def set_axisbelow(self, b):
    """
    Set whether axis ticks and gridlines are above or below most artists.

    This controls the zorder of the ticks and gridlines. For more
    information on the zorder see :doc:`/gallery/misc/zorder_demo`.

    Parameters
    ----------
    b : bool or 'line'
        Possible values:

        - *True* (zorder = 0.5): Ticks and gridlines are below all Artists.
        - 'line' (zorder = 1.5): Ticks and gridlines are above patches
          (e.g. rectangles, with default zorder = 1) but still below lines
          and markers (with their default zorder = 2).
        - *False* (zorder = 2.5): Ticks and gridlines are above patches
          and lines / markers.

    See Also
    --------
    get_axisbelow
    """
    # Check that b is True, False or 'line'
    self._axisbelow = axisbelow = validate_axisbelow(b)
    zorder = {
        True: 0.5,
        'line': 1.5,
        False: 2.5,
    }[axisbelow]
    for axis in self._axis_map.values():
        axis.set_zorder(zorder)
    self.stale = True

so we can see that this method sets to 0.5, 1.5, or 2.5 the zorder of the grid and ticks.

Hence, by modifying this function we can apply the zorder needed. I modified it as following:

    def set_axisbelow(self, b):
        """
        Set whether axis ticks and gridlines are above or below most artists.

        This controls the zorder of the ticks and gridlines. For more
        information on the zorder see :doc:`/gallery/misc/zorder_demo`.

        Parameters
        ----------
        b : bool or 'line'
            Possible values:

            - *True* (zorder = 0.5): Ticks and gridlines are below all Artists.
            - 'line' (zorder = 1.5): Ticks and gridlines are above patches
              (e.g. rectangles, with default zorder = 1) but still below lines
              and markers (with their default zorder = 2).
            - *False* (zorder = 2.5): Ticks and gridlines are above patches
              and lines / markers.

        See Also
        --------
        get_axisbelow
        """
        # Check that b is True, False or 'line'
        self._axisbelow = axisbelow = validate_axisbelow(b)
        zorder = {
            True: 0.5,
            'line': 1.5,
            False: 2.5,
        }.get(axisbelow, axisbelow)           # MODIF HERE 
        for axis in self._axis_map.values():
            axis.set_zorder(zorder)
        self.stale = True

There's also the need to modify the function validate_axisbelow so that it accepts number as argument (function located in file: rcsetup.py), here is how i made it:

def validate_axisbelow(s):
    try:
        return validate_bool(s)
    except ValueError:
        if isinstance(s, str):
            if s == 'line':
                return 'line'
        elif isinstance(s, Number):
            return s
    raise ValueError(f'{s!r} cannot be interpreted as'
                     ' True, False, "line", or zorder value')

Finally see my working code where i can adjust the grid zorder using in fact the custom set_axisbelow function:

import matplotlib.pyplot as plt
import numpy as np

# Sample data
x = np.arange(4)
y1 = [5, 7, 3, 6]
y2 = [4, 6, 5, 7]

# Create figure with 2 subplots
fig, axs = plt.subplots(1, 2, figsize=(8, 4), dpi=120)

# Plot on subplot 1
axs[0].bar(x, y1, color='skyblue', zorder=127)
axs[0].set_title("Subplot 1")
axs[0].grid(True)
axs[0].set_axisbelow(128)  # in fact zorder

# Plot on subplot 2
axs[1].bar(x, y2, color='salmon', zorder=76)
axs[1].set_title("Subplot 2")
axs[1].grid(True)
axs[1].set_axisbelow(75) # in fact zorder
plt.show()

and the result:

enter image description here

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @JohanC
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: roural

79662128

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

The problem is most likely in your serverRoutes file. Currently, you are using RenderMode.Prerender. You should change it to RenderMode.Server. This should fix your issue.

export const serverRoutes: ServerRoute[] = [
  {
    path: '**',
    renderMode: RenderMode.Server
  }
];
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Elvina Tarverdiyeva

79662127

Date: 2025-06-11 14:07:07
Score: 1.5
Natty:
Report link

from fpdf import FPDF

# Create a custom class for PDF generation

class MotivationPDF(FPDF):

def header(self): 

    self.set_font("Arial", "B", 14) 

    self.cell(0, 10, "NEET MOTIVATION", ln=True, align="C") 

    self.ln(5) 



def chapter_title(self, title): 

    self.set_font("Arial", "B", 12) 

    self.cell(0, 10, title, ln=True, align="L") 

    self.ln(4) 



def chapter_body(self, body): 

    self.set_font("Arial", "", 11) 

    self.multi_cell(0, 10, body) 

    self.ln() 

# Create the PDF

pdf = MotivationPDF()

pdf.add_page()

pdf.chapter_title("Powerful Motivation for NEET Aspirants")

# Motivation script

script = """

Listen closely.

You’re not just studying for an exam.

You’re fighting for a dream that will change your life and your family’s forever.

There will be distractions. There will be bad days. But guess what?

You are not here to give up. You are here to win.

Every second you spend with your books…

Is a second closer to becoming a doctor.

Every chapter you revise…

Takes you closer to that white coat.

You’re not doing this just for a rank.

You’re doing this to hear the words one day:

‘Congratulations. You are now a doctor.’

So wake up, rise up, and own this day.

Because NEET isn’t just a test.

It’s your story of grit, sacrifice, and greatness.

And this story ends only one way:

With your victory.

"""

pdf.chapter_body(script)

# Save the PDF

pdf_path = "/mnt/data/NEET_Moti

vation_Poster.pdf"

pdf.output(pdf_path)

pdf_path

Reasons:
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Tom

79662124

Date: 2025-06-11 14:06:07
Score: 0.5
Natty:
Report link

In my case my problem was with aws credentials not being set correctly in my shell session, thats why k9s could not get cluster data (pods, namespaces ...) and kubectl commands where not working either.

Make sure whatever shell session you open to run k9s in, has credentials to connect to the cluster.

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

79662123

Date: 2025-06-11 14:05:06
Score: 2
Natty:
Report link

The Invertase extension for Stripe integrates Stripe to Firestore, so products you add in Stripe gets created in Firestore. Not from Firestore to Stripe.

You can create products in your Stripe dashboard. If you want to create products from your code, then check out Stripe's SDK or use Stripe CLI

https://docs.stripe.com/sdks

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

79662119

Date: 2025-06-11 14:01:05
Score: 1.5
Natty:
Report link
const calcDay = date => [31, new Date(new Date(date).getFullYear(), 2, 0).getDate(), 31, 30, 31, 30, 31, 31, 30, 31, 30, 31].reduce((d, m, i) => i < new Date(date).getMonth() ? m + d : new Date(date).getMonth() === i ? new Date(date).getDate() + d : d, 0);
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Serj Ch

79662112

Date: 2025-06-11 13:57:03
Score: 1.5
Natty:
Report link

Other way:

usort($rows, function($a, $b) {
    return strnatcasecmp($a['yol'], $b['yol']);
});
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Joxe

79662110

Date: 2025-06-11 13:55:03
Score: 2
Natty:
Report link

As mentioned max-width is set to 1200px for all sections, simply add max-width:none attribute to the .hero class to override it for the top section.

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

79662106

Date: 2025-06-11 13:53:02
Score: 3
Natty:
Report link

enter image description here

This is the schematic for negative temperature. You should use two ADC and compare the inputs.

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

79662104

Date: 2025-06-11 13:50:01
Score: 2
Natty:
Report link

i thnk you add

to image like
img (.your-class)
{
cursor: pointer;
}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Karamat Ali

79662091

Date: 2025-06-11 13:44:00
Score: 1
Natty:
Report link
df_agg = df[['Col1','Col2']].groupby(['Col1','Col2']).sum().reset_index()

type(df_agg)

Returns

pandas.core.frame.DataFrame

And df_agg has 2 columns : Col1 and Col2.

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

79662081

Date: 2025-06-11 13:36:58
Score: 1
Natty:
Report link

You can solve this problem by adding the directory of cl.exe to the System Variables on the "Edit the system environment variables" search result. Once again, it's the System Variables. Not the "User Variables". Go to path, be sure to add the directory of cl.exe and then relaunch your terminal. Test by typing cl.

The location of the cl.exe is found most of the time in the directory of "....\Microsoft Visual Studio\2022\Community\VC\Tools\MSVC\14.44.35207\bin\Hostx64\x64" depending on your version.

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

79662075

Date: 2025-06-11 13:34:57
Score: 0.5
Natty:
Report link

The problem was in the Ceph version vs AWS SDK Version. The Ceph version uses MD5 to generate the checksums, while the AWS SDK uses CRC32 resulting in a checksum mismatch.

The AWS SDK lets you work around this by setting the requestChecksumCalculation field to RequestChecksumCalculation.WHEN_REQUIRED, like so:

    return S3Client.builder()
        .endpointOverride(URI.create(s3Properties.baseUrl()))
        .region(Region.of(Region.EU_CENTRAL_1.id())) // Not used by Ceph but required by AWS SDK
        .credentialsProvider(
            StaticCredentialsProvider.create(
                AwsBasicCredentials.create(s3Properties.accessKey(), s3Properties.secretKey())))
        .forcePathStyle(true)
        .requestChecksumCalculation(RequestChecksumCalculation.WHEN_REQUIRED)
        .build();
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Benjamin Bajic

79662066

Date: 2025-06-11 13:29:56
Score: 1
Natty:
Report link

Since git version 2.23.0 you can now use git-restore:

git restore --source=branch path/to/file
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Peet

79662061

Date: 2025-06-11 13:25:55
Score: 2
Natty:
Report link

thank you very much for useful tips. The deformable reg DICOM file also includes a rigid preDeformation rigid Registration. Any idea on how to apply it? it is accessible through:

ds.DeformableRegistrationSequence[0].PreDeformationMatrixRegistrationSequence[0]

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Low length (0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: Michele Avanzo

79662059

Date: 2025-06-11 13:24:54
Score: 1.5
Natty:
Report link

Do this:

import moment from 'moment-timezone';

and not this:

import moment from 'moment/moment';
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Dmitri

79662055

Date: 2025-06-11 13:22:53
Score: 3.5
Natty:
Report link
  1. Use a "@" before the formula to turn off autofilling a column

  2. The formula's inputs are reversed.

    enter image description here

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

79662054

Date: 2025-06-11 13:20:53
Score: 0.5
Natty:
Report link

The most common reason for Diawi to show "Download application" and not "Install application" is Safari being in "Desktop mode".

This mode is most likely enabled in the Settings app > Safari > Desktop version where it can be configured for some websites or all. It can also be switched on/off for a single website using the url bar's "Aa" or "square with two lines underneath" buttons.

When this mode is enabled, Safari on the iPhone sends a Safari Desktop user agent to the website, and this may cause some issues with many websites.

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

79662050

Date: 2025-06-11 13:18:52
Score: 1
Natty:
Report link

The solution is to add the Draw-Option stopClick: true

https://openlayers.org/en/latest/apidoc/module-ol_interaction_Draw-Draw.html

this.draw = new ol.interaction.Draw({
    features : features,
    type : "Point",
    stopClick: true // Stop click, singleclick, and doubleclick events from firing during drawing.
});
Reasons:
  • Whitelisted phrase (-1): solution is
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: bttb

79662044

Date: 2025-06-11 13:10:50
Score: 0.5
Natty:
Report link

I've been using PowerShell ISE, but I downloaded VS Code instead and installed the PowerShell extension.

This allowed me to view the script variables easily. The $pdf_text variable turned out to be an array instead of a string.

I needed to explicitly join the lines as follows:

foreach ($file in $files) {
    $pdf_text = & $folder_pdftotext_exe -f 1 -l 1 -raw $file -  
    $pdf_text = $pdf_text -join "`n"

The script now works. I fail to understand why the script would have ever worked before. Regardless, problem solved.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: wickyd

79662043

Date: 2025-06-11 13:10:50
Score: 2
Natty:
Report link

You are letting the headless browser process run with the same permissions as the user that started it. If an attacker compromises the browser, they are no longer in a jail cell; they are loose inside your process. So, yes, there is a definite security problem.

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

79662038

Date: 2025-06-11 13:07:49
Score: 1
Natty:
Report link

I was using

<PackageReference Include="AutoMapper.Extensions.Microsoft.DependencyInjection" Version="8.0.1" />

in .net 6, then I upgraded to .net8 and started getting exceptions. I replaced the package above with

<PackageReference Include="AutoMapper" Version="14.0.0" />

and that fixed my issues.

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

79662034

Date: 2025-06-11 13:04:48
Score: 2
Natty:
Report link

git restore package-lock.json
git restore package.json

npm start
worked for me

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

79662032

Date: 2025-06-11 13:02:48
Score: 1.5
Natty:
Report link

Thanks for raising this in the issue tracker. This is now scheduled as an enhancement for the next major release.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • High reputation (-2):
Posted by: Brian Clozel

79662028

Date: 2025-06-11 12:58:47
Score: 0.5
Natty:
Report link

This was happening because of the way we were mocking errors.

Old code:

mockBizService.errorResult = NSError()

New code:

mockBizService.errorResult = NSError(domain: "com.biz.test", code: 0, userInfo: nil)

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

79662022

Date: 2025-06-11 12:55:45
Score: 0.5
Natty:
Report link

Make sure all test execution machines use 100% scaling (no zoom). Windows 125%, 150%, etc., can shift coordinates.

You might also need to launch both the testing application and Ranorex as administrator.

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

79662019

Date: 2025-06-11 12:51:44
Score: 2.5
Natty:
Report link

I had to change the base url specified in App.razor file to all lowercase to get the error fixed. Also I noticed that the url's letter case should also be lower case else the error is seen again.

<base href="/myapp/" />

The post Blazor Server - the circuit failed to initialize helped me.

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

79662018

Date: 2025-06-11 12:50:44
Score: 1
Natty:
Report link

I received the same error message while connecting to a local database through MSBuild recently. It ended up being a certificate issue. I was able to fix it by adding TrustServerCertificate=True to the MSBuild connection string. Note that this is risky in a production context.

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

79662016

Date: 2025-06-11 12:49:44
Score: 1
Natty:
Report link

There has been multiple reports of matplotlib.animation.FuncAnimation having memory leaks with one example being: Memory leak with FuncAnimation and matshow. #19561 where the cause is related to the C-language implementation. They do post comments that adding the repeat=False to FuncAnimation solves the problem.

If that doesnt work (I cant reproduce your fault since i dont have the csv-files) I woul like to inform you of the following:

Your call to gc.Collect() doesnt work as you intend since the garbage Collector only disposes of variables that are not referenced anymore. So even if you call gc.Collect() a hundred times, you wont collect "items" that are still referenced. This is the case with your line agg_by_week = get_data(counter).

When you are calling gc.Collect() you are still referencing the data by having the reference: agg_by_week. If you want to explicitly delete that reference so that it is possible to be collected, use the delkeyword e.g.:

del agg_by_week

more information about the del-keyword can be found Here

Reasons:
  • Blacklisted phrase (1): doesnt work
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Hygdrasil

79662007

Date: 2025-06-11 12:44:42
Score: 2
Natty:
Report link

this issue mostly occur in firefox

it has a very simple solution in the src/assets make your font folder and paste your font file there and use the path of font in your css file. it will fix that issue

Happy Development

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

79661999

Date: 2025-06-11 12:37:40
Score: 3
Natty:
Report link

<iframe src="URL_DO_MAPA_AQUI" width="100%" height="480" style="border:0;" allowfullscreen="" loading="lazy" referrerpolicy="no-referrer-when-downgrade"></iframe>

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

79661993

Date: 2025-06-11 12:32:38
Score: 5.5
Natty:
Report link

in general with 1440x1080 videos, with sar 4/3 and dar 16:9 (not with standard 1920x1080 resolution) what happens when viewing and working on them?

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

79661992

Date: 2025-06-11 12:31:38
Score: 2
Natty:
Report link

In that case you should use X-Means clustering, which is built on K-Means, but automatically estimates the optimal number of clusters, see https://www.cs.cmu.edu/\~dpelleg/download/xmeans.pdf and https://docs.rapidminer.com/2024.1/studio/operators/modeling/segmentation/x_means.html#:~:text=X%2DMeans%20is%20a%20clustering,sense%20according%20to%20the%20data.

Reasons:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Tom Wenseleers

79661990

Date: 2025-06-11 12:29:37
Score: 1
Natty:
Report link

I just added an event listener to the repository, without wrapping it in a state change listener.

 git.repositories[0].onDidCommit(() => {
    console.log("committed")
 })

And it works. Check your VS Code version, you need above 1.86.

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

79661988

Date: 2025-06-11 12:28:37
Score: 3
Natty:
Report link

sudo killall -9 com.apple.CoreSimulator.CoreSimulatorService
Your solution worked great! Thanks

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: SHUBHANGI WANARE

79661982

Date: 2025-06-11 12:23:35
Score: 2.5
Natty:
Report link

Please set valid Java 17 runtime (example Azul Zulu JDK 17)

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

79661981

Date: 2025-06-11 12:22:35
Score: 1
Natty:
Report link

@MrBDude - check the dtype on your train dataset, it should be of type object. Converting it to string will solve the issue

Since you are using Bert embedding, you are dealing in text data:

# check the dtypes
df_balanced['body'].dtypes # this should be an Object, as its giving an error

#convert to string
df_balanced['body'] = df_balanced['body'].astype("string")

#Do a similar check for df_balanced['label'] as well
Reasons:
  • Has code block (-0.5):
  • User mentioned (1): @MrBDude
  • Low reputation (0.5):
Posted by: khari-sing

79661979

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

It could be worth giving the Nx Plugin for AWS a try? There’s a generator for TypeScript CDK infrastructure and another for Python lambda functions (TypeScript lambda functions coming soon). You might need to upgrade to Nx 21 first though! :)

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Jack

79661978

Date: 2025-06-11 12:19:34
Score: 1
Natty:
Report link

Been dealing with a similar problem where where I work, we have a mono-repo consisting of many services with separate venvs and working on a feature across multiple services is pretty common.

Found this extension for visual studio very useful:
https://marketplace.visualstudio.com/items?itemName=teticio.python-envy

It automatically detects interpreters and activates them according to the file you're on.

Reasons:
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Uriel.Gi

79661977

Date: 2025-06-11 12:19:34
Score: 2.5
Natty:
Report link

Was stuck on similar issue until found the solution and hence posting for the community. The img tag is a self-closing one(very rare), and hence close the tag using <img src={image} alt="" /> instead of using </img>

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

79661962

Date: 2025-06-11 12:13:32
Score: 1
Natty:
Report link

This suggestion is not inside VSCode, but an alternative is using UI mode: npx playwright test --ui

In the Locator tab, locator expressions will be evaluated and highlighted on the page as you type:

Screenshot of UI mode with the locator tab active

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

79661954

Date: 2025-06-11 12:10:31
Score: 1
Natty:
Report link

Re-explaining what many have said, nvm will try to find precompiled binaries for your architecture (arm builds). But the official nvm repository only has m1/m2/m3/etc precompiled binaries for node 16+.

So nvm tries to compile node 14 from source (the v8 engine) and it fails with some errors.

The command bellow tells the compilator to ignore some errors, and i would highly suggest that this is not a great idea specially for production environments, but it did work for my developer machine:

export CXXFLAGS="-Wno-enum-constexpr-conversion" && export CFLAGS="-Wno-enum-constexpr-conversion" && nvm install 14.21.3

Alternatively there's an unnoficial repository that provides precompiled binaries for node 14 on arm, but use it at your own risk:

NVM_NODEJS_ORG_MIRROR=https://nodejs.raccoon-tw.dev/release nvm install v14.21.3

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

79661951

Date: 2025-06-11 12:10:31
Score: 0.5
Natty:
Report link

Simply you need to replace ThisWorkbook by ActiveWorkbook in most places.

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

79661946

Date: 2025-06-11 12:07:30
Score: 2
Natty:
Report link

My problem with Undefined breakpoints was that I had a cyclical dependency of two packages: in two pubspecs.yaml had dependencies on each other. My architectural mistake.

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

79661945

Date: 2025-06-11 12:07:30
Score: 2
Natty:
Report link

My problem with Undefined breakpoints was that I had a cyclical dependency of two packages: in two pubspecs.yaml had dependencies on each other. My architectural mistake.

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

79661940

Date: 2025-06-11 12:05:29
Score: 3.5
Natty:
Report link

It is working perfectly as you wanted with spring boot 3.4.4, mysql 8.2.0 and java 17.

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

79661935

Date: 2025-06-11 11:58:27
Score: 2.5
Natty:
Report link

instead of this, do frame by frame overlay on the base video
and make the frames transparent using (PIL)

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

79661931

Date: 2025-06-11 11:56:27
Score: 3
Natty:
Report link

You can do that with master_site_local and patch_site_local in macports.conf or with the correspondingly named environment variables. I came across this in the macports ChangeLog.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Nerd with no name

79661929

Date: 2025-06-11 11:55:26
Score: 8.5 🚩
Natty: 5
Report link

I added '93.184.215.201 download.visualstudio.microsoft.com' to the hosts file and disabled the firewall, but no luck. Any ideas on how to fix this?

Reasons:
  • Blacklisted phrase (1): Any ideas
  • Blacklisted phrase (1): no luck
  • RegEx Blacklisted phrase (1.5): how to fix this?
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: M Imran

79661928

Date: 2025-06-11 11:53:25
Score: 2.5
Natty:
Report link

I found a solution. One way seems to be to use databricks volumes, those volumes can be accessed from the worker. So by reading the volume you can update parameters on the workers.

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

79661927

Date: 2025-06-11 11:53:25
Score: 1.5
Natty:
Report link

background-image: url("~/public/example.svg");

This seems the best solution so far

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

79661926

Date: 2025-06-11 11:53:25
Score: 2
Natty:
Report link

There was a bug on the code I used that blocked the entire scanning.

I can now perfectly go through all the memory with VirtualQueryEx and ReadProcessMemory keeping only the pages that are marked as private, and then find the variable

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

79661924

Date: 2025-06-11 11:51:24
Score: 3
Natty:
Report link

Rory Daulton thanks for the code, but I think d2 = th - d, if I understood well the formulas for T2x, T2y.

This is because d1 is the angle between <T1, C, green dotted line> and d2 is between <T2, C, green dotted line>. Thanks!!

Reasons:
  • Blacklisted phrase (0.5): thanks
  • Blacklisted phrase (0.5): Thanks
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Dimitrios Gavriilidis

79661921

Date: 2025-06-11 11:48:23
Score: 0.5
Natty:
Report link

import matplotlib.pyplot as plt

# Graph 1: Average Daily Time Spent on Social Media

platforms = ['TikTok', 'Instagram', 'Snapchat', 'YouTube', 'Other Platforms']

time_spent = [1.5, 1.2, 0.8, 1.0, 0.5]

# Plotting Bar Graph

plt.figure(figsize=(8, 5))

plt.bar(platforms, time_spent, color='teal')

plt.title('Average Daily Time Spent on Social Media by Generation Z')

plt.xlabel('Platform')

plt.ylabel('Average Time Spent (Hours/Day)')

plt.xticks(rotation=45)

plt.show()

# Graph 2: Social Media Usage Patterns (Active vs. Passive)

labels = ['Active Engagement', 'Passive Engagement']

sizes = [60, 40]

colors = ['#ff9999','#66b3ff']

# Plotting Pie Chart

plt.figure(figsize=(6, 6))

plt.pie(sizes, labels=labels, colors=colors, autopct='%1.1f%%', startangle=140)

plt.title('Social Media Usage Patterns (Active vs. Passive)')

plt.show()

# Graph 3: Advantages vs. Disadvantages of Social Media Use (Stacked Bar)

aspects = ['Mental Health', 'Social Interaction', 'Self-Expression', 'Learning/Advocacy', 'Productivity/Focus']

advantages = [30, 60, 80, 70, 40]

disadvantages = [70, 40, 20, 30, 60]

# Plotting Stacked Bar Graph

plt.figure(figsize=(8, 5))

plt.bar(aspects, advantages, color='lightgreen', label='Advantages')

plt.bar(aspects, disadvantages, bottom=advantages, color='salmon', label='Disadvantages')

plt.title('Advantages vs. Disadvantages of Social Media Use')

plt.xlabel('Aspect')

plt.ylabel('Percentage')

plt.legend()

plt.xticks(rotation=45)

plt.show()

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

79661916

Date: 2025-06-11 11:42:22
Score: 4
Natty:
Report link

If you are a beginner, could it just be a simple effect of inserting and deleting multiple times? That is, the number of a record that has been deleted is not reused. So if the last ID is 9, the next one will be 10, but if you delete ID 10, the next one will be 11 and not 10 again, and so on. Does that make sense?

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

79661896

Date: 2025-06-11 11:28:18
Score: 2.5
Natty:
Report link

You might need to set the gas limit higher for the deployment,
https://faucet.metana.io/
Try using this Sepolia testnet faucet, if you need more testnet ETH

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

79661893

Date: 2025-06-11 11:26:17
Score: 1
Natty:
Report link

There is indeed a problem with azurerm_monitor_diagnostic_setting underlying Azure's API and the respective AzureRM provider, you can check the full explanation here and here. Unfortunately there's no proper way for Terraform to handle deletions of these resources other than using manual imports.

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

79661891

Date: 2025-06-11 11:22:16
Score: 1.5
Natty:
Report link

If you use multiple Python installation, use the following in your code. This fixed the error in my case

%pip install matplotlib
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: kumar angadi

79661885

Date: 2025-06-11 11:17:14
Score: 6.5 🚩
Natty:
Report link

Thanks. Image viewers may interpret the pixels as squares even though they are rectangular, which is why they appear stretched, while video viewers automatically apply the stretch and the video displays correctly. My question is the following: I have this video of dimensions 1440x1080 and extracting the video frames what happens is that I open the image it appears deformed, but I don't know if this is just a display problem or not. What I would like to understand is if it is possible to create a dataset of images directly with the video frames as they are therefore with dimensions 1440x1080 (which appear a little stretched and deformed when opening the image) or is this wrong and must necessarily be resized to 1920x1440?

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): this video
  • Long answer (-0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Single line (0.5):
  • Looks like a comment (1):
  • Low reputation (1):
Posted by: ing inf

79661879

Date: 2025-06-11 11:14:13
Score: 0.5
Natty:
Report link

Is there any possible way to detect or verify that the fingerprint used during app configuration (e.g., enrollment or setup) is the same fingerprint used during subsequent biometric logins?

No.

Also note that most people have multiple fingers, so your plan says that John and John are different people, if John registers more than one finger (e.g., the thumb on each hand).

Reasons:
  • Blacklisted phrase (1): Is there any
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Is there any
  • High reputation (-2):
Posted by: CommonsWare

79661873

Date: 2025-06-11 11:07:11
Score: 0.5
Natty:
Report link

One of the possible reasons is when you run kubectl debug with the --image flag, it creates an ephemeral debug container in the same pod. Since this debug container does not automatically inherit the same volume mounts, it doesn't get this token and any API requests, unless explicitly configured.

Try to use the --copy-to and --share-processes flags, or debug the same container image with --target. You can make a debug container that shares the same process namespace and volume mounts as the original container.

Here’s an example approach of the - - copy-to command :

kubectl debug mypod --copy-to=debugpod --image=redhat/ubi8 -it --share-processes -- bash

Otherwise, If the API request still fails with a 403 error such as Forbidden, the service account may lack the necessary RBAC permissions. You need to verify and investigate the underlying issue of Role or ClusterRole bound to the service account.

For additional reference you may refer to this documentation :

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

79661871

Date: 2025-06-11 11:04:11
Score: 0.5
Natty:
Report link

I stumbled upon the answer right after posting. 😅 Text cursor is called "Selection" in VBA.

Here is the Procedure Sub, and a Sub to bind it to Ctrl+Shift+Tab. Add this as VBA to your Normal.dotm to use in all your documents. 😊

Public Sub InsertTabStop()
  Selection.Paragraphs.TabStops.Add (Selection.Information(wdHorizontalPositionRelativeToTextBoundary))
End Sub
 
Sub AddKeyBind()
  Dim KeyCode As Long
  'Change the keys listed in "BuildKeyCode" to change the shortcut.
  KeyCode = BuildKeyCode(wdKeyControl, wdKeyShift, wdKeyTab)
 
  CustomizationContext = NormalTemplate
  If FindKey(KeyCode).Command = "" Then
    KeyBindings.Add wdKeyCategoryMacro, "InsertTabStop", KeyCode
  Else
    MsgBox "Error: Key combination is already in use!" & vbNewLine & vbNewLine & "Key binding not set.", vbOKOnly + vbCritical, "Key binding failed"
  End If
End Sub
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: AzureSkye

79661837

Date: 2025-06-11 10:43:04
Score: 1
Natty:
Report link

How do I create an order-by expression that involves multiple fields?

orderByExpression = e => e.LastName || e.FirstName;

The answer depends on what you want.

Suppose you have the following three names:

I want to order by LastName, then by FirstName.

After ordering you want: Zebedeus Amsterdam, Albert Jansen Jan Jansen

IQueryable<Employee> employees = ...
IQueryable<Employee> orderedEmployees = employees.OrderBy(employee => employee.LastName)
                                                 .ThenBy(employee => employee.FirstName);

Usually it is quite hard to manipulate expressions directly. It's way easier to let LINQ do that on an IQueryable then creating the expression itself. If for some reason you really do need the Expression, consider to create the IQueryable on an empty sequence, and then extract the Expression.

IQueryable<Employee> emptyEmployees = Enumerable.Empty<Employee>()
                                                .AsQueryable()
                                                .OrderBy(employee => employee.LastName)
                                                .ThenBy(employee => employee.FirstName);
System.Linq.Expressions.Expression expression = emptyEmployees;

If you really want to create the Expression yourself, consider to familiarize yourself with class ExpressionVisitor. Read How to use ExpressionVisitor like a pro?

Reasons:
  • Blacklisted phrase (1): How do I
  • RegEx Blacklisted phrase (1): I want
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): How do I
  • High reputation (-2):
Posted by: Harald Coppoolse

79661834

Date: 2025-06-11 10:41:03
Score: 2
Natty:
Report link

Try add volatile to prevent variable optimization.

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

79661829

Date: 2025-06-11 10:38:02
Score: 1
Natty:
Report link

Privacy Settings:

Check if your GitHub or LeetCode profile is set to "private" mode. If it's closed, search engines won't be able to see it.

Indexation:

Sometimes new profiles or changes can take time to be indexed by search engines. Please wait for a while.

Search Engine Optimization (SEO):

Make sure that your profile contains keywords that can help you find it. For example, use your name, skills, and projects.

Publishing content:

Actively publish repositories on GitHub and solve problems on LeetCode. This will increase the chance of indexing.

Links to profiles:

Post links to your profiles on other platforms (such as social media, blog, or resume).

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

79661824

Date: 2025-06-11 10:35:01
Score: 0.5
Natty:
Report link
DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.mysql',
        'NAME': '*',
        'USER': '*',
        'PASSWORD': '*', 
        'HOST': 'localhost',
        'PORT': '3306',
        'CONN_MAX_AGE': 0,   # add this
        'OPTIONS': {
            'charset': 'utf8mb4',
            'connect_timeout': 60,
            'init_command': "SET sql_mode='STRICT_TRANS_TABLES,ERROR_FOR_DIVISION_BY_ZERO,NO_ENGINE_SUBSTITUTION'"
            }

    }
}   




//This configuration has been working fine for me so far.
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: gin g

79661813

Date: 2025-06-11 10:29:59
Score: 16.5 🚩
Natty: 6.5
Report link

Facing same issue, Did you find any solution? I have Python FastAPI application in that I have used .env and I know it's not recommended or best practise to push .env file. If you the solution can you guide me?

Reasons:
  • Blacklisted phrase (1): guide me
  • Blacklisted phrase (1.5): any solution
  • RegEx Blacklisted phrase (2.5): can you guide me
  • RegEx Blacklisted phrase (3): Did you find any solution
  • RegEx Blacklisted phrase (2): any solution?
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): Facing same issue
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Karan Parwani

79661811

Date: 2025-06-11 10:28:58
Score: 3
Natty:
Report link

Another potential fix for people hitting this on work laptops is if your company uses Trend Vision One is to disable the Trend Micro LightWight Filter Driver on your network adaptors.

enter image description here

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

79661802

Date: 2025-06-11 10:23:56
Score: 4
Natty:
Report link

Please check image and confirm the X, Y, Z coordinates are correct.

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: Kavita Joshi

79661801

Date: 2025-06-11 10:22:56
Score: 1
Natty:
Report link

actually for

v-navigation-drawer  when you set the max-height it becomes automatically 
scrollable , here is an example  
  <v-navigation-drawer
    v-model="historyPreviewDrawer"
    temporary
    location="bottom"
    style="max-height: 50%"
    class="custom-drawer"
  >
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: maissa zehhaf

79661795

Date: 2025-06-11 10:16:54
Score: 3
Natty:
Report link

I think people already know the answer, but for the newbie...

It is needed to set USART3's TX & rX at PD8 and PD9. As a default, USART3's TX and RX would be PB10 and PB11. So we need to change ports and pins manually.

For more information, you can find schematics at CAD resource page in ST.com: https://www.st.com/en/evaluation-tools/nucleo-f767zi.html#cad-resources

enter image description here

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

79661782

Date: 2025-06-11 10:09:51
Score: 3.5
Natty:
Report link

Solved! the problem was the src path missed.

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

79661776

Date: 2025-06-11 10:08:51
Score: 1
Natty:
Report link

I was able to resolve this issue by adding jaxb-2.2 and wmqJmsClient-2.0 features and removing wasJmsClient-2.0 and wasJmsServer-1.0.

I also had to add the following to server.xml:

<keyStore id="myTrustStore" location="/opt/ibm/wlp/usr/servers/defaultServer/resources/security/b00-truststore.jks" type="JKS" password="" />
<ssl id="defaultSSLConfig" trustStoreRef="myTrustStore"/>
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Lyss P. Hacker

79661773

Date: 2025-06-11 10:05:50
Score: 1.5
Natty:
Report link

You can try to delete or modify this configuration , gradle.properties:

org.gradle.configuration-cache=false
org.gradle.unsafe.configuration-cache=false
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: olivia

79661769

Date: 2025-06-11 10:01:49
Score: 1
Natty:
Report link

Note: If your file uses React Hooks, you can't directly use async/await in that component, as React Hooks require a "use client" directive, whereas async functions are treated as server-side.

If you run into this conflict, a good approach is to nest a client component inside a server component. The server component can handle the data fetching using async/await, and then pass the retrieved values as props to the client component, which can safely use React Hooks.

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

79661765

Date: 2025-06-11 09:59:48
Score: 0.5
Natty:
Report link

I managed to find a solution. I noticed that in my data, just before the NAs, the values increase much more slowly, so the algorithm interprets that as a downward parabola. So I removed 3 values before and after each block of NAs, and I'm getting good results. It won't work in every case, but for me, it's working fine.

inertie2sens<- function(data_set,energie){
  for (i in 2:nrow(data_set)) {
    if (is.na(data_set[i, energie])& !is.na(data_set[i+1, energie])) {
    data_set[i+1, energie] =-1
    }
  }
  for (i in nrow(data_set):2) {
    if (is.na(data_set[i, energie])& !is.na(data_set[i-1, energie])) {
    data_set[i-1, energie] =-1
    }
  }
  for (i in 2:nrow(data_set)) {
    if (data_set[i, energie]==-1|is.na(data_set[i, energie])) {
    data_set[i, energie] <- NA
    }
  }
  return(data_set)
}

enter image description here

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

79661761

Date: 2025-06-11 09:57:43
Score: 6 🚩
Natty:
Report link

I have the same issue and after research i didn't find any way to do this. The content shadow-root of the autocomplete element is by default set to close so we can't access to input to change placeholder.

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I have the same issue
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rémi

79661750

Date: 2025-06-11 09:49:40
Score: 1
Natty:
Report link

I don't know if the path has changed since the other answers were posted or if my answer is specific to Windows Server 2016, but I found the logs in C:\Windows\System32\config\systemprofile\AppData\Local\Temp\Amazon\EC2-Windows\Launch\InvokeUserData under InvokeUserDataOutput.log and InvokeUserDataError.log

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

79661736

Date: 2025-06-11 09:41:37
Score: 7.5 🚩
Natty:
Report link

This seems like there is a problem with your driver set up. Can you please share capabilities?

Reasons:
  • RegEx Blacklisted phrase (2.5): Can you please share
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Mithun pai

79661731

Date: 2025-06-11 09:38:36
Score: 3
Natty:
Report link

I tried to include different options into the exams2pdf / exams2nops command, but nothing worked for me...

height = 50, width = 50
height = 5, width = 5
height = 0.5, width = 0.5


fig.height = 0.5, fig.width = 0.5

out.width = 0.5

am I using the wrong numbers, or what am I doing wrong? I only have pictures that I generated within R:

```{r Elasticita, echo=FALSE, fig.height = 5, fig.width = 5, fig.path = "", fig.cap = ""}

...
...
...



and I also tried to change the size there, but it is then overwritten I think by the exams2nops command. 

What I did not yet try is modifying the template.

Am I making a mistake with the options in the exams2nops command?

Thank you already!
Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Blacklisted phrase (1): what am I doing wrong?
  • Blacklisted phrase (1): but nothing work
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: user301818

79661729

Date: 2025-06-11 09:38:36
Score: 1.5
Natty:
Report link

This is a solid and scalable solution, using global.setup.ts ensures consistent fixture data across retries and isolates setup from test logic. It also avoids the pitfalls of module-level variable re-initialization. Great approach for maintaining test reliability in state-dependent scenarios!

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

79661728

Date: 2025-06-11 09:37:36
Score: 3
Natty:
Report link

is due to how event handling and focus work in QtQuick when a MouseArea is placed inside the background of a TextField

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

79661725

Date: 2025-06-11 09:36:35
Score: 0.5
Natty:
Report link
  1. Advisable to have Apple Sign-in only happen on Apple devices/ iOS devices. Don't do Apple signin on Android. nevertheless.

  2. If authentication is successful, You can consider setting up Deeplinks for your app. Such that redirects from Chrome to your web url will launch the mobile app and perform the required operations.

  3. On Android Instead of opening up Chrome to perform the Sign-in operation. Consider opening the url in a dialog or new page that is a Webview. that way you can easily manage the redirects from within the Webview. Launching Chrome to perform an action and then redirect back to an App, is kind of an iOS behaviour.

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

79661714

Date: 2025-06-11 09:30:33
Score: 2.5
Natty:
Report link

Currently there is no API or tweak that will do what you are requesting. You can however request the feature via the idea station at https://forums.autodesk.com/t5/acc-ideas/idb-p/acc-ideas-en

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

79661710

Date: 2025-06-11 09:28:32
Score: 1
Natty:
Report link

What I can say is your card container will have fixed height and overflow: hidden, so when graphs appear, they overflow upward and get clipped.

So possible fix is remove fixed height from card component and remove overflow: hidden

If still issue not resolved then share your code block so I can help you out exactly.

Reasons:
  • Has code block (-0.5):
  • Starts with a question (0.5): What I can
  • Low reputation (1):
Posted by: BuildWithGagan

79661705

Date: 2025-06-11 09:25:31
Score: 3
Natty:
Report link

I finaly solved the issue by uninstalling the langchain package and reinstalling it (only this package), even if it was looking up-to-date (the rest was up-to-date as well)

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

79661694

Date: 2025-06-11 09:19:29
Score: 0.5
Natty:
Report link

Thanks for your interensting question. Do you run your tests against localhost?

Otherwise if you run your app in Payara Micro, you can even run Arquillian against Payara Embedded by the help of Payara Server Embedded Arquillian Container Adapter - it's the most simple way of getting Arquillian work with Payara. Watch https://hantsy.github.io/ for a comparision between the Payara Arquillian adapters and their configuration - watch the simple embedded configuration.

There is an Open Github Issue with the Payara Embedded Adapter regarding Java's module system Jigsaw and slow shutdown of the Arquillian Deployment. Workarounds are listet there.

I migrate old Java EE apps with global installation application servers to Jakarata EE Payara Micro apps which leads to having a simple bootRun analogue with IDE integration:

build.gradle

plugins {
    ...
    id 'fish.payara.micro-gradle-plugin' version '...'
    ...
}

java {
    toolchain {
        languageVersion = JavaLanguageVersion.of(17)
    }
}

test {
    ...
    jvmArgs = [
        '--add-opens', 'java.base/sun.net.www.protocol.jar=ALL-UNNAMED',
        ...
    ]
}

payaraMicro {
    payaraVersion = '...'
    ...
}

dependencies {
    ...
    testImplementation("org.jboss.arquillian.junit5:arquillian-junit5-container:1.9.4.Final")
    testImplementation("fish.payara.arquillian:arquillian-payara-server-embedded:3.1")
    testRuntimeOnly("fish.payara.extras:payara-embedded-all:6.2025.4")
    ...
}

arquillian.xml

<?xml version="1.0"?>
<arquillian xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
            xmlns="http://jboss.org/schema/arquillian"
            xsi:schemaLocation="http://jboss.org/schema/arquillian
                http://jboss.org/schema/arquillian/arquillian_1_0.xsd">
    <container qualifier="payara-embedded" default="true">
        <configuration>
            <property name="resourcesXml">src/test/resources/glassfish-resources.xml</property>
        </configuration>
    </container>
</arquillian>

glassfish-resources.xml

<!DOCTYPE resources PUBLIC
        "-//GlassFish.org//DTD GlassFish Application Server 3.1 
        Resource Definitions//EN"
        "http://glassfish.org/dtds/glassfish-resources_1_5.dtd">
<resources>
    // TODO datasource definition
</resources>
Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: rudi1602

79661679

Date: 2025-06-11 09:11:26
Score: 1.5
Natty:
Report link

I only just realised the HabitStreakManager was the only collection that was double-embedded AND not within the same file as it's parent collection (HabitTracker).

So, to fix it, I made the file containing HabitStreakManager a part of the file containing its parent collection, HabitTracker.

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

79661667

Date: 2025-06-11 09:01:24
Score: 0.5
Natty:
Report link
const {providers: timeagoProviders = [] } = TimeagoModule.forChild()

And then insert into your standalone component, providers array

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

79661666

Date: 2025-06-11 09:00:23
Score: 0.5
Natty:
Report link

Alternatively, instead of mvn jetty:run, use this command without the need to set MAVEN_OPTS:

mvnDebug jetty:run

Here's the reference.

In my case, I am using VS Code. When I run the command, the terminal would only show:

Preparing to execute Maven in debug mode
Listening for transport dt_socket at address: 8000

and wait until I click the Start Debugging button (after adding and the corresponding configuration in launch.json and selecting it)

Below is the configuration I used, just in case.

{
    "type": "java",
    "name": "Attach to Remote",
    "request": "attach",
    "hostName": "localhost",
    "port": 8000,
    "projectName": "your-project-name"  // Optional: Replace with your project name
}
Reasons:
  • Contains signature (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Wit

79661656

Date: 2025-06-11 08:55:22
Score: 0.5
Natty:
Report link

Alright, thanks to @G.M. i could come up with an answer, if anyone is interested i will share it.
It resumes the steps from the document he shared on GNU GCC freestanding environnements:

main.c:

#include "app.h"
#include <gcov.h>
#include <stdio.h>
#include <stdlib.h>

extern const struct gcov_info *const __gcov_info_start[];
extern const struct gcov_info *const __gcov_info_end[];

static void dump(const void *d, unsigned n, void *arg) {
    (void)arg;
    fwrite(d, 1, n, stderr);
}

static void filename(const char *f, void *arg) {
    __gcov_filename_to_gcfn(f, dump, arg);
}

static void *allocate(unsigned length, void *arg) {
    (void)arg;
    return malloc(length);
}

static void dump_gcov_info(void) {
    const struct gcov_info *const *info = __gcov_info_start;
    const struct gcov_info *const *end = __gcov_info_end;

    __asm__ ("" : "+r" (info));

    while (info != end) {
        void *arg = NULL;
        __gcov_info_to_gcda(*info, filename, dump, allocate, arg);
        ++info;
    }
}

int main(void) {
    application();
    dump_gcov_info();
    return 0;
}

app.c:


#include "app.h"
#include <stdio.h>

void application(void) {
    int x = 1;

    if (x == 1) {
        printf("Works\n");
    }

    if (x == 2) {
        printf("Doesn't work\n");
    }
}

The app.h file is empty, just the application() function prototype.

gcc --coverage -fprofile-info-section -c app.c
gcc --coverage -fprofile-info-section -c main.c
ld --verbose | sed '1,/^===/d' | sed '/^===/d' > linkcmds
  .gcov_info      :
  {
    PROVIDE (__gcov_info_start = .);
    KEEP (*(.gcov_info))
    PROVIDE (__gcov_info_end = .);
  }
gcc --coverage main.o app.o -T linkcmds # This will output an executable file "a.out"
./a.out 2>gcda.txt
static void dump(const void *d, unsigned n, void *arg) {
    (void)arg;
    fwrite(d, 1, n, stderr);
}
gcov-tool merge-stream gcda.txt
gcov -bc app.c

-> File 'app.c'
Lines executed:85.71% of 7
Branches executed:100.00% of 4
Taken at least once:50.00% of 4
Calls executed:50.00% of 2
Creating 'app.c.gcov'

Lines executed:85.71% of 7
Reasons:
  • Blacklisted phrase (0.5): thanks
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Léo Fresnay

79661655

Date: 2025-06-11 08:55:22
Score: 1
Natty:
Report link

Frontend

When you make site its always static and you can't make it dynamic. You can make it only with server beside your frontend. I mean you need to make server that will response on users requests. You can't make it only with your frontend part, It's unbeliavable.

Backend

When you make your server-side part it's always dynamic cause you everytime you need to have response on your request. You can't do rate limiting only with Frontend.

What can you do?

Best solutions for Laravel:

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

79661649

Date: 2025-06-11 08:50:19
Score: 6 🚩
Natty: 5.5
Report link

yalla

sdfsfsdfsdfsdfsdfsfsdfssfsdfsdfsfsdfsd

Reasons:
  • Contains signature (1):
  • Low length (1.5):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Has no white space (0.5):
  • Low entropy (1):
  • Low reputation (1):
Posted by: sfs

79661647

Date: 2025-06-11 08:49:19
Score: 3
Natty:
Report link

The API official documentation doesn't list an "enableChat" property, so no surprise it doesn't do anything.
As far as I can tell, there's no way to enable/disable the chat on a given broadcast through the API.

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

79661643

Date: 2025-06-11 08:45:18
Score: 2.5
Natty:
Report link

I finally rebuild it with a different working example using the import-method and changed the way the position is added, without the Geocoder.

Also, in case it might be useful for someone: The map was so terribly slow because it used FontAwesome-Icons, which resulted in strange JS-errors (while being displayed correctly) - as soon as I replaced them with static SVG, it was fine.

One thing though that is being ignored without an error: The MarkerClusterer-Options don't work (minimumClusterSize: 10, maxZoom: 15) - any ideas how to do this correctly, or is it just broken?


<div id="map"></div>
<script>(g=>{var h,a,k,p="The Google Maps JavaScript API",c="google",l="importLibrary",q="__ib__",m=document,b=window;b=b[c]||(b[c]={});var d=b.maps||(b.maps={}),r=new Set,e=new URLSearchParams,u=()=>h||(h=new Promise(async(f,n)=>{await (a=m.createElement("script"));e.set("libraries",[...r]+"");for(k in g)e.set(k.replace(/[A-Z]/g,t=>"_"+t[0].toLowerCase()),g[k]);e.set("callback",c+".maps."+q);a.src=`https://maps.${c}apis.com/maps/api/js?`+e;d[q]=f;a.onerror=()=>h=n(Error(p+" could not load."));a.nonce=m.querySelector("script[nonce]")?.nonce||"";m.head.append(a)}));d[l]?console.warn(p+" only loads once. Ignoring:",g):d[l]=(f,...n)=>r.add(f)&&u().then(()=>d[l](f,...n))})
({key: "", v: "weekly"});</script>
<script type="module">
import { MarkerClusterer } from "https://cdn.skypack.dev/@googlemaps/[email protected]";
async function initMap() {
  const { Map } = await google.maps.importLibrary("maps");
  const { AdvancedMarkerElement } = await google.maps.importLibrary("marker");
  const center = { lat: 50.5459719, lng: 10.0703129 };
  const map = new Map(document.getElementById("map"), {
    zoom: 6.6,
    center,
    mapId: "4504f8b37365c3d0",
  });
  const labels = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
  const markers = properties.map((property, i) => {
    const label = labels[i % labels.length];
    const marker = new google.maps.marker.AdvancedMarkerElement({
      position: new google.maps.LatLng(property.lat,property.lng),
      content: buildContent(property),
      title: property.name,
    });
    marker.addListener("gmp-click", () => {
        toggleHighlight(marker, property);
    });
    return marker;
  });

  const markerCluster = new MarkerClusterer({ markers:markers, map:map, options:{minimumClusterSize: 10, maxZoom: 15} });

}
Reasons:
  • Blacklisted phrase (1): any ideas
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: lichtpixel

79661642

Date: 2025-06-11 08:45:18
Score: 2.5
Natty:
Report link

In my case, this issue occurred in the production environment, but it was resolved by simply changing the API URL from HTTP to HTTPS. The development environment works fine with HTTP.

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

79661627

Date: 2025-06-11 08:14:10
Score: 1.5
Natty:
Report link

People can easily get around frontend rate limiting—either by disabling JavaScript, editing code, or directly hitting the API with tools. Even if your frontend tries to stop abuse, it’s not safe to rely on it alone. Backend rate limiting is much harder to bypass and helps protect your server from getting overloaded. It’s a necessary extra layer of defense that frontend code just can’t provide.

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

79661626

Date: 2025-06-11 08:13:10
Score: 2.5
Natty:
Report link

I'll join in because I also have a similar problem. I added a button to the app that changes the icon. When I click it, the app closes, the icon changes and theoretically there's no problem. However: shortcuts stop working, it doesn't start automatically after pressing debug. You have to manually start from the shortcut, and the errors I get are:

My main class: MainActivity
My alias name: MainActivityDefault

In the folder containing the main class I also have an empty class as in the shortcut name

When starting debug:

Activity class {com.myproject.myapp/com.myproject.myapp.MainActivityDefault} does not exist

When starting the shortcut:

Unable to launch. tag=WorkspaceItemInfo(id=-1 type=DEEPSHORTCUT container=# com.android.launcher3.logger.LauncherAtom$ContainerInfo@1a1bf6a targetComponent=ComponentInfo{com.myproject.myapp/com.myproject.myapp.MainActivityDefault} screen=-1 cell(-1,-1) span(1,1) minSpan(1,1) rank=0 user=UserHandle{0} title=Pokaż na mapie) intent=Intent { act=android.intent.action.MAIN cat=[com.android.launcher3.DEEP_SHORTCUT] flg=0x10200000 pkg=com.myproject.myapp cmp=com.myproject.myapp/.MainActivityDefault bnds=[359,640][1115,836] (has extras) }
                                                                                                    android.content.ActivityNotFoundException: Shortcut could not be started
                                                                                                        at android.content.pm.LauncherApps.startShortcut(LauncherApps.java:1556)
                                                                                                        at android.content.pm.LauncherApps.startShortcut(LauncherApps.java:1521)
                                                                                                        at com.android.launcher3.BaseActivity.startShortcut(SourceFile:1)
                                                                                                        at com.android.launcher3.BaseDraggingActivity.startShortcutIntentSafely(SourceFile:8)
                                                                                                        at com.android.launcher3.BaseDraggingActivity.startActivitySafely(SourceFile:9)
                                                                                                        at com.android.launcher3.Launcher.startActivitySafely(SourceFile:6)
                                                                                                        at com.android.launcher3.uioverrides.QuickstepLauncher.startActivitySafely(SourceFile:2)
                                                                                                        at com.android.launcher3.touch.ItemClickHandler.startAppShortcutOrInfoActivity(SourceFile:14)
                                                                                                        at com.android.launcher3.touch.ItemClickHandler.onClickAppShortcut(SourceFile:8)
                                                                                                        at com.android.launcher3.touch.ItemClickHandler.onClick(SourceFile:6)
                                                                                                        at com.android.launcher3.touch.ItemClickHandler.b(Unknown Source:0)
                                                                                                        at O0.f.onClick(Unknown Source:0)
                                                                                                        at com.android.launcher3.popup.PopupContainerWithArrow.lambda$getItemClickListener$0(SourceFile:1)
                                                                                                        at com.android.launcher3.popup.PopupContainerWithArrow.d(Unknown Source:0)
                                                                                                        at F0.e.onClick(Unknown Source:2)
                                                                                                        at android.view.View.performClick(View.java:7441)
                                                                                                        at com.android.launcher3.shortcuts.DeepShortcutTextView.performClick(SourceFile:3)
                                                                                                        at android.view.View.performClickInternal(View.java:7418)
                                                                                                        at android.view.View.access$3700(View.java:835)
                                                                                                        at android.view.View$PerformClick.run(View.java:28676)
                                                                                                        at android.os.Handler.handleCallback(Handler.java:938)
                                                                                                        at android.os.Handler.dispatchMessage(Handler.java:99)
                                                                                                        at android.os.Looper.loopOnce(Looper.java:201)
                                                                                                        at android.os.Looper.loop(Looper.java:288)
                                                                                                        at android.app.ActivityThread.main(ActivityThread.java:7839)
                                                                                                        at java.lang.reflect.Method.invoke(Native Method)
                                                                                                        at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:548)
                                                                                                        at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:1003)
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I also have a similar problem
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Michał

79661625

Date: 2025-06-11 08:12:09
Score: 0.5
Natty:
Report link

We have already partially answered this question, but I will duplicate it. Thanks КсH!
Excerpt from the documentation:

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Fast Life-ucky good

79661624

Date: 2025-06-11 08:11:09
Score: 1.5
Natty:
Report link

Thanks to those who tried to help, I got it working just now, after spending an entire day on it.

I'm not sure what exactly the problem was. After reinstalling VS, VS installer, SDKs and runtimes, including clearing dotnet references out of system environment vars, I was receiving an error on trying to launch a third-party program that also requires the SDK in question.

At that point I repaired the installation of V9 (which I had tried previously, before clearing out the sys enviro vars and reinstalling VS), and then everything came good.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Ego Placebo