79753187

Date: 2025-09-02 07:13:53
Score: 0.5
Natty:
Report link

If you had plain nested loops in your code both loop variables would be locals in the same method body. This doesn't work and will result in a CS0136 compiler error.

However in your case you have a foreach loop and a second one which is in a closure. This means that the someItem variable of the outer loop is compiled into a closure field while the inner someItem loop-variable is compiled into a local variable. Since they are different kinds of symbols there is no conflict.

Reasons:
  • Whitelisted phrase (-1): in your case
  • No code block (0.5):
  • Low reputation (1):
Posted by: canerkaya

79753169

Date: 2025-09-02 06:57:48
Score: 6 🚩
Natty: 4.5
Report link

i'm getting this error 'Property assignment expected.javascript' in my code

data: [{
        type: "area",
        indexLabelFontSize: 16,
        dataPoints: {{chart_data|safe},}
        }]
    });

how to resolve it?

Reasons:
  • RegEx Blacklisted phrase (1.5): how to resolve it?
  • RegEx Blacklisted phrase (1): i'm getting this error
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Hema

79753161

Date: 2025-09-02 06:50:45
Score: 5.5
Natty: 6.5
Report link

Have you already read this document
https://developer.atlassian.com/cloud/confluence/oauth-2-3lo-apps/#3--make-calls-to-the-api-using-the-access-token

enter image description here

Reasons:
  • Blacklisted phrase (1): this document
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: นิติกร องค์ศิริมงคล

79753156

Date: 2025-09-02 06:46:44
Score: 1
Natty:
Report link

I think the problem occurs because you wrote on memory that you don't own sizeof return how many bits does the datatype takes in memory and since your are given it an int it probably return 4 or 8 according to your system

So I think a fix for your problem will be (Char*)malloc(sizeof(char) * Length + 1)

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

79753149

Date: 2025-09-02 06:41:43
Score: 1.5
Natty:
Report link

Looks like you’ve hit one of those spots where Hamcrest gives you a nice matcher out-of-the-box, but AssertJ doesn’t try to cover it. That’s why Co-Pilot spit out that huge reflection-based helper — technically correct, but way too much boilerplate for what you actually want.

If your goal is just “make sure getters and setters work”, you’ve got a couple of simpler options:

  1. Use a small bean testing library (e.g. OpenPojo or Pojo Tester).
    They integrate fine with JUnit 5 and keep your test short:

    import com.openpojo.validation.ValidatorBuilder;
    import com.openpojo.validation.test.impl.GetterTester;
    import com.openpojo.validation.test.impl.SetterTester;
    import org.junit.jupiter.api.Test;
    
    class GetServiceModelsByDistributionStatusResponseTest {
    
        @Test
        void shouldHaveValidGettersAndSetters() {
            var validator = ValidatorBuilder.create()
                .with(new GetterTester())
                .with(new SetterTester())
                .build();
    
            validator.validate(GetServiceModelsByDistributionStatusResponse.class);
        }
    }
    
    
  2. If it’s just one or two beans, don’t overthink it — write a tiny manual test:

    @Test
    void shouldSetAndGetStatus() {
        var bean = new GetServiceModelsByDistributionStatusResponse();
        bean.setStatus("OK");
        assertThat(bean.getStatus()).isEqualTo("OK");
    }
    
    

So in short:

Would you like me to show you a super minimal reflection-based AssertJ helper (like 20 lines) that you can reuse across all your beans, instead of the giant sample Co-Pilot gave you?

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

79753148

Date: 2025-09-02 06:40:42
Score: 0.5
Natty:
Report link

This is because you can only Instantiate a GameObject on unity's main thread and the message you receive calls your handler code on an async thread.

I would recommend looking at the UnityMainThreadDispatcher package to help with this.

A simple but less efficient method to fix this would be to have a bool that is set true in your handler. Then in update function if that bool is true, Instantiate your GameObject.

    void Start()
    {
        EventHandler<MsgHandlerEventArgs> handler = (sender, args) =>
        {
            messageReceived = true;
        };

    // Update is called once per frame
    void Update()
    {
       if(messageReceived)
        // create object 
    }
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31401452

79753147

Date: 2025-09-02 06:39:41
Score: 4
Natty: 4.5
Report link

Sample React Native App which integrate Native Modules(Turbo Modules)

https://github.com/sonalkrkeshri/TurboModuleLocalStorage

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

79753133

Date: 2025-09-02 06:24:38
Score: 3.5
Natty:
Report link

Please try to change the procedure name. It will definitely work.

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

79753124

Date: 2025-09-02 06:10:34
Score: 0.5
Natty:
Report link

What is the value of innodb_buffer_pool_size? (It should be about 70% of RAM.) How much RAM? What is the typical size of metadata ?

Please provide `SHOW TABLE STATUS LIKE 'invoice';`
`    SELECT  COUNT(*)
        FROM  invoice
        WHERE  issue_date BETWEEN '2025-01-01' AND '2025-07-30'
          AND  customer_id = 20
          AND  status BETWEEN 1 AND 7
          AND  workflow = 1 

Together with

    INDEX(customer_id, workflow, status, issue_date)
    INDEX(customer_id, workflow, issue_date, status)
Reasons:
  • RegEx Blacklisted phrase (2.5): Please provide
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): What is the
  • High reputation (-2):
Posted by: Rick James

79753120

Date: 2025-09-02 06:06:33
Score: 0.5
Natty:
Report link

LLMs are built mainly for natural language, not for directly understanding spreadsheets. When you pass a table as text (CSV, Excel copy-paste, etc.), the model just sees a stream of tokens — it doesn’t “know” rows and columns. This often breaks the structure and leads to wrong (or hallucinated) answers.

Better approaches:

General Principle:
Think of it this way:

Best practice is to let each system do what it’s best at, and connect them.

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

79753118

Date: 2025-09-02 06:02:32
Score: 2.5
Natty:
Report link

Get some testnet ETH on a faucet eg https://faucet.chainstack.com
For example, on Sepolia Ethereum.

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

79753116

Date: 2025-09-02 05:58:31
Score: 2.5
Natty:
Report link

i try all of the method avove to solve the auto import issue. But none of them work for me soo don't waste your time.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: MD. Iftekhar Alam Mitu

79753106

Date: 2025-09-02 05:49:29
Score: 3
Natty:
Report link

Maybe try use View > Appearance > Zoom IDE with the screen splited. It will zoom in the same level for both of them though.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Rita de Cássia

79753092

Date: 2025-09-02 05:19:21
Score: 1.5
Natty:
Report link

Here are the steps I’ve already tried (from a commonly suggested solution):

  1. Stopped all XAMPP services and exited the application.

  2. Went to C:\xampp\mysql directory.

  3. Renamed the data folder to data_old.

  4. Created a new data folder and copied the entire content of the backup folder into it (except ibdata1).

  5. Copied all folders/files from data_old into the new data folder, making sure not to replace any existing files (skipped replacements).

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: priyanka gotugade

79753089

Date: 2025-09-02 05:13:20
Score: 1.5
Natty:
Report link

form {

width: 600px;

background: #ccc;

margin: 0 auto;

padding: 20px;

border: 1px solid black;

}

<form method="post" enctype="multipart/form-data">

<div>

<label for="file">With jpeg</label>

<input type="file" id="file" name="file" accept=".jpg, .jpeg, .png" multiple>

</div>

</form>

<form method="post" enctype="multipart/form-data">

<div>

<label for="file">Without jpeg</label>

<input type="file" id="file" name="file" accept=".jpg, .png" multiple>

</div>

</form>

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Kokila Kiruthika

79753088

Date: 2025-09-02 05:13:20
Score: 1
Natty:
Report link

When you do:

Decimal(1.2)

Python first has to take the binary floating-point approximation of 1.2 (1.2000000000000001776...) and then convert that into a Decimal. That conversion step is slower, and it gives you the full imprecise binary expansion:

>>> Decimal(1.2)
Decimal('1.20000000000000017763568394002504646778106689453125')

On the other hand:

Decimal("1.2")

parses the string directly into an exact decimal representation. This avoids the intermediate float conversion, so it’s faster and more accurate:

>>> Decimal("1.2")
Decimal('1.2')
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
  • Filler text (0.5): 00000000000000
  • Low reputation (1):
Posted by: Nirogini Janstin

79753079

Date: 2025-09-02 04:44:14
Score: 6.5 🚩
Natty: 4
Report link

enter image description here

Buy Aged Discord Accounts:

https://accsgg.com/product-category/discord/

https://accsgg.com/product-category/discord/

https://accsgg.com/product-category/discord/

https://accsgg.com/product-category/discord/

https://accsgg.com/product-category/discord/

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Probably link only (1):
  • Contains signature (1):
  • Low length (2):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Accsgg.com

79753078

Date: 2025-09-02 04:38:12
Score: 5.5
Natty: 4.5
Report link

enter image description here

Buy Instagram Accounts :

https://accsgg.com/product/2020-2012-aged-account-1k-followers-full-acces-account/

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

79753076

Date: 2025-09-02 04:37:12
Score: 1
Natty:
Report link

Standard Tennis Court Dimensions and Layout

If you're wondering about the size of a tennis court, the official measurements are set by the International Tennis Federation (ITF).

Knowing the tennis court size in feet is crucial when planning construction or selecting a site.

For more info - https://topflooring.in/

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

79753073

Date: 2025-09-02 04:33:11
Score: 3.5
Natty:
Report link

Experiencing the same issue after upgrading my kali.

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

79753069

Date: 2025-09-02 04:18:08
Score: 3.5
Natty:
Report link

This is due height and width passed to displayDialogAsync were NaN (invalid), and newer Excel builds no longer auto-fallback to defaults and expects width & height to be passed

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

79753065

Date: 2025-09-02 04:15:07
Score: 1
Natty:
Report link

Since you enabled 'teams' => true in config/permission.php, the package expects a team_id value whenever you assign a role/permission.

To assign team
$teamId = 1; // or fetch/create your default team

$superAdmin->assignRole($superAdminRole, $teamId);

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

79753060

Date: 2025-09-02 04:07:05
Score: 0.5
Natty:
Report link

Add a ternary operator to your sortIcons.sorted prop.
Like this:

sortIcons={{
    sorted: sortStatus.direction === 'asc' ? <>↑</> : <>↓</>,
    unsorted: <>↕</>,
}}

I've added simple Unicode characters in the example, but you can replace them with what ever icons, or ReactNode you like.

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

79753055

Date: 2025-09-02 04:03:04
Score: 4
Natty:
Report link

Hope I got you correct.
if this wouldn't help please let me know.

import 'package:clock/clock.dart';
import 'package:flutter_test/flutter_test.dart';

void main() {
  //prepare a clock in setup and use it inside each test via withClock.
  // Note: code under test should read time from clock.now() not DateTime.now().
  late Clock fixedClock;

  setUp(() {
    fixedClock = Clock.fixed(DateTime(2000, 1, 1));
  });

  test('uses fixed year 2000 inside withClock', () {
    withClock(fixedClock, () {
      expect(clock.now().year, equals(2000));
    });
  });

  test('outside withClock, time falls back to system clock', () {
    //clock.now() defaults to the system clock when not overridden.
    expect(clock.now().year, equals(DateTime.now().year));
  });
}
Reasons:
  • RegEx Blacklisted phrase (2.5): please let me know
  • RegEx Blacklisted phrase (1.5): help please
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Levon Julfikyan

79753047

Date: 2025-09-02 03:45:00
Score: 1.5
Natty:
Report link

Almost all answers in this post are not working for me, they seem to be deprecated.

path.join(__dirname, '/logsmain.log');

The above code will produce a path inside app.asar, and this does not work because electron-log writes logs inside app.asar

import { app } from 'electron';
import log from 'electron-log/main';
import path from 'path';

const executablePath = app.getPath('exe');
const executableDirectory = path.dirname(executablePath);
log.transports.file.resolvePathFn = () => path.join(executableDirectory, 'logs/main.log');
log.transports.file.level = 'debug';
log.transports.file.level = "info"

export { log as logger };

The above code works for me.

Reasons:
  • Whitelisted phrase (-1): works for me
  • RegEx Blacklisted phrase (3): not working for me
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: MinhSu - Justin

79753035

Date: 2025-09-02 03:11:54
Score: 1
Natty:
Report link

Fix (Spring Boot 3.x)

  1. Add the validation starter:
<dependency>
  <groupId>org.springframework.boot</groupId>
  <artifactId>spring-boot-starter-validation</artifactId>
</dependency>
  1. Use the Jakarta import in your code:
import jakarta.validation.constraints.NotBlank;
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Xsu

79753034

Date: 2025-09-02 03:08:53
Score: 2
Natty:
Report link

Flutter raised the bar to Android 7.0 (API 24) because it lets the team focus on modern performance and security for the vast majority of users, rather than spending energy on the less than 1% of devices still on older software. So yes, this is the new recommendation to make your app better and your life easier.

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

79753033

Date: 2025-09-02 03:05:52
Score: 4
Natty:
Report link

Who asks these questions here this isn't reddit

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Who as
  • Low reputation (1):
Posted by: Dibyashnu Sahoo

79753030

Date: 2025-09-02 02:58:50
Score: 0.5
Natty:
Report link

Latest results in .NET 9, C# 13. Use myList[0].

enter image description here

The code:

using BenchmarkDotNet.Attributes;
using BenchmarkDotNet.Running;

namespace Benchmarks
{
    public class ListAccessBenchmark
    {
        private List<int> _myList = null!;

        [GlobalSetup]
        public void Setup()
        {
            _myList = Enumerable.Range(1, 100).ToList();
        }

        [Benchmark]
        public int FirstLinq()
        {
            return _myList.First();
        }

        [Benchmark]
        public int FirstOrDefaultLinq()
        {
            return _myList.FirstOrDefault();
        }

        [Benchmark]
        public int Indexer()
        {
            return _myList[0];
        }
    }

    public static class Program
    {
        public static void Main(string[] args)
        {
            BenchmarkRunner.Run<ListAccessBenchmark>();
        }
    }
}
Reasons:
  • Probably link only (1):
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Riza Marhaban

79753026

Date: 2025-09-02 02:51:49
Score: 1
Natty:
Report link

Working solution for whole website background,

For the HTML code,

<div class="video-background">
  <iframe src="https://www.youtube.com/embed/QyhrOruvT1c?playlist=QyhrOruvT1c&controls=0&showinfo=0&rel=0&autoplay=1&loop=1&mute=1" frameborder="0" allowfullscreen></iframe>
</div>

It is important to set autoplay=1, playlist=<video id> , and loop=1 .

In the CSS part, we could use the @media to manage the video size depends on the video aspect ratio,

.video-background {
  pointer-events: none;
  position: relative;
  overflow: hidden;
  width: 100vw;
  height: 100vh;

  iframe {
    position: absolute;
    width: 300vw;   /* use 300vw to hide logos of Youtube, creator, and title */
    height: 100vh;
    top: 50%;
    left: 50%;
    transform: translate(-50%, -50%);

    /* example video is 16:9, change the value depends on your use */
    @media (min-aspect-ratio: 16/9) {
      height: calc(9/16 * 100vw);
    }

    @media (max-aspect-ratio: 16/9) {
      /* match the width trick for hiding logos */
      width: calc(16/9 * 100vh * 3);
    }
  }
}

Live example is as below,

https://codepen.io/chunlaw/pen/PwPxKoj

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Contains signature (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Chun

79753023

Date: 2025-09-02 02:34:45
Score: 2
Natty:
Report link

How about add those attributes with a default value None by using a metaclass?

from dataclasses import dataclass

keys = ('id',
    'name',
    'pwd',
    'picture',
    'url',
    'age')

class MyMeta(type):
    def __call__(self, *args, **kwargs):
        for p in keys:
            kwargs[p] = kwargs.get(p)
        cls_obj = self.__new__(self, *args, **kwargs)
        self.__init__(cls_obj, *args, **kwargs)
        return cls_obj


@dataclass
class User(metaclass=MyMeta):
    id: str
    name: str
    pwd: str
    picture: str
    url: str
    age: int



attributes1 = {"id": "18ut2", "pwd": "qwerty", "name": "John Doe", "picture": None, "age": None, "url": "www.example.com"}
user1 = User(**attributes1)
print(user1)

attributes2 = {"id": "18ut2", "pwd": "qwerty", "name": "John Doe", "url": "www.example.com"} # No picture or age key anymore
user2 = User(**attributes2)
print(user2)

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Starts with a question (0.5): How
  • Low reputation (0.5):
Posted by: vassiliev

79753018

Date: 2025-09-02 02:24:43
Score: 3.5
Natty:
Report link

I found a fix

Add this to your pom.xml file and it does resolve the issue

<dependency>
    <groupId>jakarta.validation</groupId>
    <artifactId>jakarta.validation-api</artifactId>
    <version>3.0.2</version>
</dependency>

Anyone knows why it works?

Reasons:
  • Blacklisted phrase (1): Anyone knows
  • Whitelisted phrase (-1): I found a fix
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Ogunyemi Oluwafisayomi

79753017

Date: 2025-09-02 02:21:42
Score: 1.5
Natty:
Report link

I encountered the same issue when binding with ~/host_dir:guest_dir_path. After running the find command to search for a specific file, I discovered that the file was located neither in the Windows user folder nor in the home directory of the docker-desktop distro, but instead in /tmp/docker-desktop-root.

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

79753011

Date: 2025-09-02 02:10:40
Score: 3.5
Natty:
Report link

I fix the problem in gitlab ci cd set the variable: GIT_COMMIT_AUTHOR with value: “name <[email protected]>”, You can find that reference in :

https://github.com/python-semantic-release/python-semantic-release/blob/master/src/semantic_release/cli/config.py#L354

https://github.com/python-semantic-release/python-semantic-release/blob/master/src/semantic_release/const.py#L23

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

79753010

Date: 2025-09-02 01:55:38
Score: 3
Natty:
Report link

I am using the copy object on the browser's watch window to copy the json value. I used to be able to copy the jason value when using visual studio code but lately it stopped workingenter 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: Romel Cruz

79753008

Date: 2025-09-02 01:51:37
Score: 3
Natty:
Report link

Choose Ctrl-Shift-D, then choose debug or release, and then press F5. The system "remembers" the debug/release selection. Each time you subsequently press F5, you get a debug or release build that is remembered from the initial selection.

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

79752993

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

Plotly.d3 was removed in v2.0.0 of plotly.js. You'll need to import D3 separately going forward.

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

79752992

Date: 2025-09-02 00:54:26
Score: 0.5
Natty:
Report link

Detecting in-app browsers is a tricky business. The package detect-inapp use to be the go-to but it has sadly not been maintained in a long while.

I forked and refactored it into inapp-spy and continue to maintain it for anyone who is still looking for a way to detect in-app browsers in 2025!

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

79752990

Date: 2025-09-02 00:50:25
Score: 1.5
Natty:
Report link

Did this solve your issue?

In your main.dart file:

localizationsDelegates: const [
  S.delegate,
  GlobalMaterialLocalizations.delegate,
  GlobalWidgetsLocalizations.delegate,
  GlobalCupertinoLocalizations.delegate,
  FlutterQuillLocalizations.delegate,
],
locale: const Locale('en', 'PH'), // Set locale to Philippines; replace with your locale
supportedLocales: S.delegate.supportedLocales,

Note: You can remove the local configuration if you don't want to implement it across your entire app, and apply it per widget instead, just like what you did in your second code snippet.

I've already faced the same issue before, that configuration helped me.

Reasons:
  • RegEx Blacklisted phrase (1.5): solve your issue?
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did this solve you
Posted by: DevQt

79752989

Date: 2025-09-02 00:49:25
Score: 2
Natty:
Report link

I had a similar issue and ended up using a tool called Converly. It's like Zapier but for conversion tracking in tools like Google Analytics, Google Ads, etc. You basically select a trigger (Avada form submitted) and then the actions (Conversion in Google Analytics, Conversion in Google Ads, etc). Worked perfectly for us

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

79752984

Date: 2025-09-02 00:26:16
Score: 8.5 🚩
Natty:
Report link

I'm getting the same error!

If I ask for "openid email profile accounting.transactions accounting.settings offline_access" it works.

...but if I add accounting.contacts to that list, I get sent to this page:

 **Sorry, something went wrong**  
 Go back and try again.  
 If the issue continues, please visit our Status page  
 Error: unauthorized_client  
 Invalid scope for client  
 Error code: 500

I've tried in multiple browsers on multiple computers and always get the same behaviour. Asking for "accounting.contacts" breaks it.

What's strange is we have 2 xero apps, a test one and a production one. The test one lets me connect with the accounting.contacts scope, but the production one does not.

Did you ever find a solution to the problem?

Reasons:
  • RegEx Blacklisted phrase (3): Did you ever find a solution to the problem
  • RegEx Blacklisted phrase (1): I'm getting the same error
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): I'm getting the same error
  • Ends in question mark (2):
  • Low reputation (1):
Posted by: Travis Emmitt

79752983

Date: 2025-09-02 00:23:15
Score: 2.5
Natty:
Report link

A simple way is to use the Key-Generator’s online tool designed specifically for generating secret keys for Next.js Auth — very convenient:
https://key-generator.com/next-js-auth-secret-generator

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

79752977

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

In my Facebook account notification came tomorrow from Facebook Tht you are temporarily restricted for uploading photos til today at 8 PM

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Unregistered user (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Arpit kumar Vaishnav

79752975

Date: 2025-09-02 00:07:11
Score: 8.5 🚩
Natty: 6
Report link

Did you ever solve this?

Here are some more characters because you need at least 30...

Reasons:
  • RegEx Blacklisted phrase (3): Did you ever solve this
  • RegEx Blacklisted phrase (1.5): solve this?
  • Low length (1.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: user3810376

79752974

Date: 2025-09-02 00:04:11
Score: 3.5
Natty:
Report link

Seems like this will do it (didn't test it yet myself).
https://plugins.jenkins.io/multibranch-job-tear-down/

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

79752971

Date: 2025-09-01 23:55:09
Score: 1
Natty:
Report link

Your from parameter must be `[title] <yourmail.yourdomain.com>`

Example:

 from: `Verify Email <[email protected]>`
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Şuayip Işık

79752965

Date: 2025-09-01 23:44:06
Score: 3
Natty:
Report link

For anyone who needs this:

I have vim-rails working under TJ Devries Kickstart project ( see link). It was as simple as adding one line of code to init.lua. https://github.com/nvim-lua/kickstart.nvim?tab=readme-ov-file

Here is a link to his YT video explaining the single kickstartt file https://www.youtube.com/watch?v=m8C0Cq9Uv9o

Reasons:
  • Blacklisted phrase (1): youtube.com
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Jessi

79752961

Date: 2025-09-01 23:28:03
Score: 1
Natty:
Report link

The URL of the Maven repo uses HTTPS protocol, not HTTP. Run mvn help:effective-pom and inspect the result for definitions. They should be at least:

    <pluginRepositories>
      <pluginRepository>
        <releases>
          <updatePolicy>never</updatePolicy>
        </releases>
        <snapshots>
          <enabled>false</enabled>
        </snapshots>
        <id>central</id>
        <name>Central Repository</name>
        <url>https://repo.maven.apache.org/maven2</url>
      </pluginRepository>
    </pluginRepositories>

Consider mirroring of the default Central Maven repository (the last resort to look in) with a statement in your settings.xml like:

    <mirror>
      <id>public-local</id>
      <mirrorOf>central</mirrorOf>
      <name>Let the default Maven Central repository is resolved in the local Nexus' public repository</name>
      <url>http://localhost:8081/repository/maven-public/</url>
    </mirror>

From the log above I see that you use a local Archiva, so change the URL accordingly, but still Archiva does not find the needed plugins - maybe it is not defined as a proxy of Maven Central?

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

79752954

Date: 2025-09-01 23:06:59
Score: 2.5
Natty:
Report link
import os
import re
import urllib.request
import youtube_dl
import shutil
import discord

from discord.ext import commands
from discord.utils import get

bot = commands.Bot(command_prefix='g.')
token = '<mytoken>'

queues = {}  # for tracking queued song numbers


# -----------------------------
# Function to check and play next song
# -----------------------------
def check_queue(ctx, voice):
    Queue_infile = os.path.isdir("./Queue")
    if Queue_infile:
        DIR = os.path.abspath(os.path.realpath("Queue"))
        length = len(os.listdir(DIR))
        if length > 0:
            first_file = os.listdir(DIR)[0]
            song_path = os.path.abspath(os.path.realpath("Queue") + "\\" + first_file)

            if os.path.isfile("song.mp3"):
                os.remove("song.mp3")

            shutil.move(song_path, "./song.mp3")

            voice.play(
                discord.FFmpegPCMAudio("song.mp3"),
                after=lambda e: check_queue(ctx, voice)
            )
            voice.source = discord.PCMVolumeTransformer(voice.source)
            voice.source.volume = 0.3

            print("Playing next queued song...")
        else:
            queues.clear()
            print("Queue empty, stopping.")
    else:
        queues.clear()
        print("No Queue folder found.")


# -----------------------------
# PLAY command
# -----------------------------
@bot.command(pass_context=True)
async def play(ctx, *args: str):
    search = '+'.join(args)
    if search.strip() == "":
        await ctx.send("Uso: g.play (Video)")
        return

    html = urllib.request.urlopen("https://www.youtube.com/results?search_query=" + search)
    video_ids = re.findall(r"watch\?v=(\S{11})", html.read().decode())
    url = "https://www.youtube.com/watch?v=" + video_ids[0]
    print("Found URL:", url)

    # remove old song if exists
    if os.path.isfile("song.mp3"):
        try:
            os.remove("song.mp3")
            queues.clear()
            print("Removed old song file")
        except PermissionError:
            await ctx.send("Error: Ya estoy poniendo musica! Usa g.queue para agregar más canciones.")
            return

    # clear old queue folder
    if os.path.isdir("./Queue"):
        try:
            shutil.rmtree("./Queue")
            print("Removed old Queue Folder")
        except:
            pass

    await ctx.send("Preparando cancion...")

    voice = get(bot.voice_clients, guild=ctx.guild)
    if not voice:
        if ctx.author.voice:
            channel = ctx.message.author.voice.channel
            voice = await channel.connect()
        else:
            await ctx.send("⚠️ No estas en un canal de voz.")
            return

    ydl_opts = {
        'format': 'bestaudio/best',
        'quiet': True,
        'postprocessors': [{
            'key': 'FFmpegExtractAudio',
            'preferredcodec': 'mp3',
            'preferredquality': '192',
        }],
    }

    with youtube_dl.YoutubeDL(ydl_opts) as ydl:
        print("Downloading audio now\n")
        ydl.download([url])

    for file in os.listdir("./"):
        if file.endswith(".mp3"):
            name = file
            os.rename(file, "song.mp3")

    voice.play(
        discord.FFmpegPCMAudio("song.mp3"),
        after=lambda e: check_queue(ctx, voice)
    )
    voice.source = discord.PCMVolumeTransformer(voice.source)
    voice.source.volume = 0.3

    await ctx.send(f"▶️ Reproduciendo: {url}")


# -----------------------------
# QUEUE command
# -----------------------------
@bot.command(pass_context=True)
async def queue(ctx, *searchs):
    search = '+'.join(searchs)
    if not os.path.isdir("./Queue"):
        os.mkdir("Queue")

    DIR = os.path.abspath(os.path.realpath("Queue"))
    q_num = len(os.listdir(DIR)) + 1

    while q_num in queues:
        q_num += 1
    queues[q_num] = q_num

    queue_path = os.path.abspath(os.path.realpath("Queue") + f"\\song{q_num}.%(ext)s")

    ydl_opts = {
        'format': 'bestaudio/best',
        'quiet': True,
        'outtmpl': queue_path,
        'postprocessors': [{
            'key': 'FFmpegExtractAudio',
            'preferredcodec': 'mp3',
            'preferredquality': '192'
        }],
    }

    with youtube_dl.YoutubeDL(ydl_opts) as ydl:
        html = urllib.request.urlopen("https://www.youtube.com/results?search_query=" + search)
        video_ids = re.findall(r"watch\?v=(\S{11})", html.read().decode())
        url = "https://www.youtube.com/watch?v=" + video_ids[0]
        print("Queueing:", url)
        ydl.download([url])

    await ctx.send("➕ Añadiendo canción " + str(q_num) + " a la lista!")


# -----------------------------
# SKIP command
# -----------------------------
@bot.command()
async def skip(ctx):
    voice = get(bot.voice_clients, guild=ctx.guild)
    if voice and voice.is_playing():
        voice.stop()  # triggers check_queue through after callback
        await ctx.send("⏭️ Canción saltada.")
    else:
        await ctx.send("⚠️ No hay canción reproduciéndose.")


# -----------------------------
# On Ready
# -----------------------------
@bot.event
async def on_ready():
    print(f"Bot {bot.user} has connected to discord!")


bot.run(token)
Reasons:
  • Blacklisted phrase (1): youtube.com
  • Blacklisted phrase (2): estoy
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: ScrewedUpTx

79752936

Date: 2025-09-01 22:25:52
Score: 0.5
Natty:
Report link

This code works without any errors, the key point was adding the correct columns (1:5) in point_accuracy_measures in the accuracy function.

fit %>%
  fabletools::forecast(h = 1) %>%
  fabletools::accuracy(Time_Series_test, measures = point_accuracy_measures[1:5]) %>%
  dplyr::select(.model:MAPE) %>%
  dplyr::arrange(RMSE)
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Russ Conte

79752934

Date: 2025-09-01 22:19:51
Score: 0.5
Natty:
Report link

You should be able to do it by the following:

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

79752921

Date: 2025-09-01 21:51:44
Score: 1
Natty:
Report link
sql_tmpl = "delete from Data where id_data in (SELECT UNNEST(:iddata))"
params = {  
   'iddata':[1, 2, 3, 4],
}
self.session.execute(text(sql_tmpl), params)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Sebastian Correa Zuluaica

79752910

Date: 2025-09-01 21:16:37
Score: 3
Natty:
Report link

I needed to upgrade node

This helped:

npm update node
Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (1.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Anastasia Dorofeeva

79752903

Date: 2025-09-01 20:59:33
Score: 2.5
Natty:
Report link

tienes que tener instalador el firebird, para esa version creo que es la 2.5 Firebird 2.5

tambien el ApacheFriends XAMPP Version 5.6.40

pero checa que el puerto del server firebird sea esa.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Ricardo Velázquez Ramón

79752892

Date: 2025-09-01 20:37:28
Score: 2
Natty:
Report link

I managed to find a solution for this. If someone knows a better solution, please let me know.

public File aggregateAllBenchmarks() {
// Load benchmark configuration
PlannerBenchmarkConfig benchmarkConfig = PlannerBenchmarkConfig.createFromXmlResource("benchmarkConfig.xml");
File benchmarkDirectory = new File(String.valueOf(benchmarkConfig.getBenchmarkDirectory()));
if (!benchmarkDirectory.exists() || !benchmarkDirectory.isDirectory()) {
    throw new IllegalArgumentException("Benchmark directory does not exist: " + benchmarkDirectory);
}

// Read all existing benchmark results from the directory
BenchmarkResultIO benchmarkResultIO = new BenchmarkResultIO();
List<PlannerBenchmarkResult> plannerBenchmarkResults = 
        benchmarkResultIO.readPlannerBenchmarkResultList(benchmarkDirectory);

if (plannerBenchmarkResults.isEmpty()) {
    throw new IllegalArgumentException("No benchmark results found in directory: " + benchmarkDirectory);
}

// Collect all single benchmark results and preserve solver names
List<SingleBenchmarkResult> allSingleBenchmarkResults = new ArrayList<>();
Map<SolverBenchmarkResult, String> solverBenchmarkResultNameMap = new HashMap<>();

for (PlannerBenchmarkResult plannerResult : plannerBenchmarkResults) {
    for (SolverBenchmarkResult solverResult : plannerResult.getSolverBenchmarkResultList()) {
        allSingleBenchmarkResults.addAll(solverResult.getSingleBenchmarkResultList());
        solverBenchmarkResultNameMap.put(solverResult, solverResult.getName());
    }
}

// Create and configure the benchmark aggregator
BenchmarkAggregator aggregator = new BenchmarkAggregator();
aggregator.setBenchmarkDirectory(benchmarkDirectory);
aggregator.setBenchmarkReportConfig(benchmarkConfig.getBenchmarkReportConfig());

// Perform the aggregation - returns HTML report file
File htmlOverviewFile = aggregator.aggregate(allSingleBenchmarkResults, solverBenchmarkResultNameMap);

return htmlOverviewFile;
}
Reasons:
  • RegEx Blacklisted phrase (2.5): please let me know
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Diallo Francis Patrick

79752884

Date: 2025-09-01 20:23:25
Score: 3.5
Natty:
Report link

https://github.com/dohooo/supazod

This project was created for this purpose.

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

79752879

Date: 2025-09-01 20:15:23
Score: 1
Natty:
Report link

Okay I finally got this working after following the first answer by @vangj

The issue is some default scopes like 'openid' do not return an accessToken. I found this out by implementing a manual SSO function and some googling. (this is the only one I had defined)

You need to create a custom scope and expose your API for the 'accessToken' to return within the microsoft interceptor config.

So make sure your protected resource scopes has a scope included that will indeed return an accessToken. (openid will not)

export function MSALInterceptorConfigFactory(): MsalInterceptorConfiguration {
  const protectedResourceMap = new Map<string, Array<string>>();
 protectedResourceMap.set ( // This triggers automatic silentSSO 
    environment.apiUrl, //your app will try to get a token if protected resource gets called
    ['openid', 'https://yourapi.onmicrosoft.com/{clientid}/App.Access'] // You need a custom application scope and expose an API, in order to get 'accessToken' to return, if not it will be empty and fail.
  ); 
  return {
    interactionType: InteractionType.Redirect,
    protectedResourceMap,
  };
}
Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • User mentioned (1): @vangj
  • Low reputation (1):
Posted by: Rudy V

79752873

Date: 2025-09-01 20:04:20
Score: 0.5
Natty:
Report link
class MetroRailway:
    def __init__(self):
        # Initialize the MetroRailway with an empty list of stations
        # Using list instead of queue to allow easier insertions/deletions
        self.stations = []

    # Method to add a new station
    # Special handling is done when adding the 4th station
    def addnewstation(self, station):
        if len(self.stations) < 3:
            # Directly add the station if fewer than 3 stations exist
            self.stations.append(station)
            print(f"Station '{station}' added successfully.")
        elif len(self.stations) == 3:
            # When adding the 4th station, user chooses position
            print("Insert at --")
            print("[1] First Station")
            print("[2] Middle Station")
            print("[3] Last Station")
            choice = input("Choose Position: ")

            # Insert based on user choice
            if choice == "1":
                self.stations.insert(0, station)  # Insert at the beginning
                print(f"Station '{station}' inserted as First Station.")
            elif choice == "2":
                self.stations.insert(2, station)  # Insert at the middle
                print(f"Station '{station}' inserted as Middle Station.")
            elif choice == "3":
                self.stations.append(station)     # Insert at the end
                print(f"Station '{station}' inserted as Last Station.")
            else:
                # Invalid choice defaults to adding at the end
                print("Invalid choice. Added to the Last Station by default.")
                self.stations.append(station)

            # Display the updated first 3 stations
            print("\nUpdated First 3 Stations:")
            for i, s in enumerate(self.stations[:3], 1):
                print(f"[{i}] {s}")

            # Ask user for preferred position (just an additional prompt)
            pos_choice = input("Enter position: ")
            print(f"You selected position {pos_choice}.")
        else:
            # If more than 4 stations, simply append at the end
            self.stations.append(station)
            print(f"Station '{station}' added successfully.")

    # Method to print all stations in the list
    def printallstations(self):
        if not self.stations:
            print("No stations available.")  # Handle empty station list
        else:
            print("Stations List:")
            # Print each station with numbering
            for i, station in enumerate(self.stations, 1):
                print(f"{i}. {station}")

    # Method to delete a specific station by name
    def deletestation(self):
        if not self.stations:
            print("No stations to delete!")  # Handle case when list is empty
            return

        station = input("Enter station name to delete: ")
        if station in self.stations:
            self.stations.remove(station)  # Remove the station if it exists
            print(f"Station '{station}' deleted successfully.")
        else:
            # Notify user if station is not found
            print(f"Station '{station}' not found in the list!")

    # Method to get the distance between two stations
    # Distance is calculated as the difference in their list indices
    def getdistance(self, station1, station2):
        if station1 in self.stations and station2 in self.stations:
            index1 = self.stations.index(station1)
            index2 = self.stations.index(station2)
            distance = abs(index1 - index2)  # Absolute difference
            print(f"Distance between {station1} and {station2} is {distance} station(s).")
        else:
            # If one or both stations are not in the list
            print("One or both stations not found!")

# Main function to run the MetroRailway program
def main():
    metro = MetroRailway()  # Create a MetroRailway instance

    # Display welcome message and available actions
    print("\nWelcome to LRT1 MetroRailway")
    print("Available Actions:")
    print(" help             - Show this menu")
    print(" printallstations - Show all stations")
    print(" addnewstation    - Add a new station (special choice on 4th input)")
    print(" deletestation    - Delete a specific station by name")
    print(" getdistance      - Measure distance between two stations")
    print(" stop             - Stop current run")
    print(" exit             - Exit the program completely")

    # Infinite loop to keep program running until user chooses to stop/exit
    while True:
        action = input("\nChoose Action: ").lower()

        if action == "help":
            # Show help menu again
            print(" help             - Show this menu")
            print(" printallstations - Show all stations")
            print(" addnewstation    - Add a new station (special choice on 4th input)")
            print(" deletestation    - Delete a specific station by name")
            print(" getdistance      - Measure distance between two stations")
            print(" stop             - Stop current run")
            print(" exit             - Exit the program completely")

        elif action == "printallstations":
            # Show all stations
            metro.printallstations()

        elif action == "addnewstation":
            # Prompt for station name then add
            station = input("Enter station name: ")
            metro.addnewstation(station)

        elif action == "deletestation":
            # Delete station
            metro.deletestation()

        elif action == "getdistance":
            # Prompt user for two stations and calculate distance
            station1 = input("Enter first station: ")
            station2 = input("Enter second station: ")
            metro.getdistance(station1, station2)

        elif action == "stop":
            # Stop current run but not exit the whole program
            print("Stopping current run...")
            break

        elif action == "exit":
            # Exit the program completely
            print("Exiting program completely. Goodbye!")
            exit()

        else:
            # Handle invalid actions
            print("Invalid action. Type 'help' to see available actions.")

# Run the program only if file is executed directly
if __name__ == "__main__":
    main()
Reasons:
  • Blacklisted phrase (1): help me
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Shaheed

79752866

Date: 2025-09-01 19:47:16
Score: 3.5
Natty:
Report link

use imazing to extract it then change it to .ipa and I don't know how to change it to swift

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

79752861

Date: 2025-09-01 19:39:14
Score: 3.5
Natty:
Report link

The difference is just that queue is ADT and buffer is data structure.

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

79752857

Date: 2025-09-01 19:34:13
Score: 2.5
Natty:
Report link

obj = MyClass()

fds=['a','b','c']

for i in fds:

attribute_name = f"{i}"

setattr(obj, attribute_name, [f"{i}"])

print(obj.i)

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

79752847

Date: 2025-09-01 19:23:10
Score: 5
Natty:
Report link

I dont know if anyone will look at this since this post is old, but I am using VS22 and I cannot access the designer files for some reason. I made an aspx vb web project as an empty project and tried making a web forms project but I'm not seeing the designer files. What should I do? I think they are there becuase I tried renaming another file to what the designer file should be and it wouldnt let me.

Reasons:
  • Blacklisted phrase (0.5): I cannot
  • Blacklisted phrase (2): What should I do
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: James Bridger

79752845

Date: 2025-09-01 19:20:09
Score: 1
Natty:
Report link

You can specify the mysql to get start on another port.

Go to xampp>phpMyAdmin Directory.

Find the config.inc.php file.

Now change this line:

$cfg['Servers'][$i]['host'] = '127.0.0.1';

To

$cfg['Servers'][$i]['host'] = '127.0.0.1:3307';
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Bruno carneiro da silva

79752835

Date: 2025-09-01 19:08:06
Score: 3
Natty:
Report link

open dev tool shortcut is F12 in which go to netwok tab and At the top, find the Throttling dropdown , make it Offline to No throttling

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

79752832

Date: 2025-09-01 19:07:05
Score: 1.5
Natty:
Report link

In the Transformer architecture, the weight matrices used to generate the Query (Q), Key (K), and Value (V) vectors do not change with each individual input value or token during inference. These weight matrices are learned parameters of the model, optimized during the training phase through back-propagation. Once training is complete, they remain fixed during the forward pass (inference) for all inputs.

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

79752818

Date: 2025-09-01 18:47:01
Score: 3.5
Natty:
Report link

Just change the projection to "Orthographic"

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

79752810

Date: 2025-09-01 18:23:21
Score: 1
Natty:
Report link

Use

"31.7%".AsSpan(..^1)

// e.g.

Decimal.TryParse("31.7%".AsSpan(..^1), System.Globalization.NumberStyles.Any, null, out var dec)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Baccata

79752802

Date: 2025-09-01 18:15:19
Score: 1
Natty:
Report link

This points to an ad-serving / configuration issue on iOS, not a code bug.

Here’s a checklist of things to verify:


1. Confirm ad unit setup in AdMob


2. iOS App Store linking in AdMob


3. Ad fill issues

The error Request Error: No ad to show means AdMob has no fill for that size / placement on iOS (not your code).


4. SDK & Info.plist checks

Make sure you’ve added in ios/Runner/Info.plist:

<key>GADApplicationIdentifier</key>
<string>ca-app-pub-xxxxxxxxxxxxxxxx~xxxxxxxxxx</string>
<key>SKAdNetworkItems</key>
<array>
    <dict>
        <key>SKAdNetworkIdentifier</key>
        <string>cstr6suwn9.skadnetwork</string>
    </dict>
    <!-- Add all AdMob/AdManager SKAdNetworks -->
</array>

⚠️ Missing SKAdNetwork IDs can cause no ads on iOS.


5. Test with another iOS device / network

Sometimes certain placements don’t serve due to limited demand in your region. Try a VPN or another country to test fill.


6. Consider mediation

If you want higher fill for 300x250 on iOS, set up AdMob mediation with another network (like Facebook Audience Network or Unity Ads).


Summary:


Would you like me to give you the exact Info.plist SKAdNetwork IDs list you should include for AdMob iOS so you can confirm if that’s the missing piece?

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

79752799

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

I had this problem as well. This seems like the most elegant solution considering VBA's limitation with not being able to use wdCell or wdRow with the MoveDown method. Works well for me!

If Selection.Information(wdWithInTable) Then Selection.SelectCell
    Selection.MoveDown
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: paorear

79752788

Date: 2025-09-01 17:55:14
Score: 5.5
Natty:
Report link

Did you check the .env on your Frontent? or the API_URL. Did you check all the environment variables, both in Railway and in your code?

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): Did you
  • Low reputation (1):
Posted by: Rocobytes

79752787

Date: 2025-09-01 17:54:14
Score: 5
Natty: 5
Report link

mtl file better

Niether FBX Review or Autodesk 3d viewer support vertex colors.

Do any?

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

79752785

Date: 2025-09-01 17:49:12
Score: 7.5
Natty:
Report link

I'm having the same issue with their sandbox. I'm requesting access to the production environment so I can continue development, as I've already given up on their sandbox.

If you have any updates, please post here.

Reasons:
  • RegEx Blacklisted phrase (2.5): please post
  • RegEx Blacklisted phrase (0.5): any updates
  • Low length (0.5):
  • No code block (0.5):
  • Me too answer (2.5): I'm having the same issue
  • Low reputation (1):
Posted by: Michel Araújo

79752781

Date: 2025-09-01 17:43:11
Score: 1
Natty:
Report link

Using the levels parameter to reduce the number of levels also worked for me. It produces cruder contour plots of course. Something like levels=5.

Reasons:
  • Whitelisted phrase (-1): worked for me
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Peter N. Steinmetz

79752779

Date: 2025-09-01 17:35:10
Score: 1
Natty:
Report link

Cloud HTTPS Configuration

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Андрій Арсенович

79752773

Date: 2025-09-01 17:27:08
Score: 1
Natty:
Report link

On iOS you won’t get the raw apns.payload back from activeNotifications. iOS only exposes the aps fields that are mapped into the notification. If you need custom data, put it under the data key in your FCM message and read it from there, or include it in the local show() call when displaying the notification on the device.

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

79752769

Date: 2025-09-01 17:17:05
Score: 1
Natty:
Report link

I had also tried all that what you have done but nothing worked. The way i resolved it is by uninstalling NetBeans from program files, NetBeans AppData and all what NetBeans had in my system. Do not forget to check all the checkboxes on the NetBeans uninstaller. After that install it again. This won't delete your created projects and its files.

Reasons:
  • Blacklisted phrase (1): but nothing work
  • Whitelisted phrase (-2): i resolved
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Dhairya Shah

79752761

Date: 2025-09-01 17:10:03
Score: 1
Natty:
Report link

I'm experiencing the same error. I'm also using a demo account with the XM broker. I don't know if the problem is because the account is a demo.

I implemented it in both Python and Node, but the same problem. Sometimes it works, sometimes it doesn't. When the timeout occurs, it stays for a while and then goes away. But it always comes back.

I've already sent a message to MetaAPI support, but haven't received a response.

I'm trying to see what can be done because I need a way to control my MetaTrader account with Python/Node through a Linux operating system. It's really annoying that I can't use the official MetaTrader library in Python for Linux, only Windows.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Long answer (-0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Victor Nolêto

79752759

Date: 2025-09-01 17:08:02
Score: 0.5
Natty:
Report link

From the ImageMagick docs:

Use -define trim:edges={north,east,south,west} separated by commas to only trim the specified edges of the image

So you can trim only the bottom border with

magick pre-trim.png -define trim:edges=south -trim post-trim.png
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: DBear

79752755

Date: 2025-09-01 17:03:01
Score: 3.5
Natty:
Report link

I'm getting this and feels to me like a Microsoft bug

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

79752751

Date: 2025-09-01 16:54:59
Score: 4.5
Natty:
Report link

This is a case of performing three analyses, and looking at partial mitigations.

(1) You have a vulnerability in the package, but does it constitute a vulnerability in the system?

Versions of Log4J have vulnerabilities when used in specific ways. Do you know whether the vulnerability is detected by simply seeing the version has a CVE, or is the vulnerability exploitable in your use case? Has a penetration test been done that validates the Log4J vulnerability causes SharePoint 2013 to be vulnerable in some way?

(2) If you have a vulnerability in the system, does it constitute a risk?

This is a function of the threat that may exist. If the server is only accessible to internal users then you want to consider at least these two questions:
- Do you have an insider threat which you need to protect against?
- Could the system vulnerability realistically be exploited by an external attacker using a XSS vulnerability or other network-based attack?

(3) What is the value at risk from the vulnerability compared to the value at risk from the functionality supported?

Let's say that you quantify a potential loss (direct losses, reputation, penalties) of a million dollars from the vulnerability being exploited. If the value of the functionality exceeds this, then economically you should retain the service, potentially with mitigations in place.

Mitigations

It may be that the vulnerability can be mitigated by disabling specific features of Log4J. For example, if you do not require JNDI support (quite likely you do not) then you can delete specific classes from the .JAR file and not break the service, but prevent JNDI-based attacks.

Alternatively, can you put a WAF on the server to filter attacks?

Reasons:
  • RegEx Blacklisted phrase (1.5): reputation
  • RegEx Blacklisted phrase (2.5): Do you have an
  • Long answer (-1):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: ricardkelly

79752748

Date: 2025-09-01 16:46:57
Score: 2.5
Natty:
Report link

I also faced with similar issue and found this answer on Github
https://github.com/prisma/prisma/discussions/8925#discussioncomment-1233481
and solved my problem. Basically I stopped postgres service locally in my PC and used docker container instead

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

79752744

Date: 2025-09-01 16:43:56
Score: 1
Natty:
Report link

1. Problem with null check

if (obj === 'null') { return null;} // null unchanged

✅ Fix:

if (obj === null) { return "null"; } // real null
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Rahul Mishra

79752734

Date: 2025-09-01 16:30:53
Score: 2
Natty:
Report link

Capacitor doesn’t support 16 KB page size yet. You can just ignore this message for now. Deadline for implementation of this feature is November 2025 and it can be extended by developer to May 2026, so nothing to worry about yet.

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

79752733

Date: 2025-09-01 16:28:53
Score: 2.5
Natty:
Report link

Change the package name of the project and it will fix.

if you are using like com.example.wallpaper then change it to com.raghav.estrowallpaper. it will fix 100%.

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

79752732

Date: 2025-09-01 16:25:52
Score: 2
Natty:
Report link

I checked your code and even sampled it in the sandbox to see if you have any problems, but you should also tell me the conditions you are using, which ones have Zindex and... in what form.

I am waiting for your answer so that I can guide you completely and correctly.

example in sandbox:
https://codesandbox.io/p/sandbox/238mz2

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

79752725

Date: 2025-09-01 16:11:49
Score: 1
Natty:
Report link
protected override void WndProc(ref Message m)
{
    const int WM_NCLBUTTONDOWN = 0xA1;
    const int HTCAPTION = 0x2;

    // Chặn kéo form bằng title bar
    if (m.Msg == WM_NCLBUTTONDOWN && (int)m.WParam == HTCAPTION)
    {
        return; // không xử lý message => không di chuyển
    }

    base.WndProc(ref m);
}

block form drag => form can not resize

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

79752722

Date: 2025-09-01 16:08:48
Score: 1.5
Natty:
Report link

After doing some minor research and configuration review. I noticed that since I've recently deployed a container to my local Docker engine, the project targets.file pointed to a later updated version of some of the packages. These packages were in the 7.0.x ranges. The packages my project was referencing was 5.0.xx which means my project is behind several versions.

In reviewing both configurations and the versions I simply updated the same packages to the latest updated version 7.0.x and performed a "Clean", then "Build" and was able to successfully build the project. I'm hoping this will help anyone else who runs into this error.

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

79752719

Date: 2025-09-01 16:05:47
Score: 3
Natty:
Report link

You can test the fps by opening devtools in vs code, then show fps

Toggle Developer Tools (ctrl + shift + p from vs code) > Show FPS meter (ctrl + shift + p again from devtools)

enter image description here

enter image description here

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

79752702

Date: 2025-09-01 15:50:43
Score: 2.5
Natty:
Report link

Problem was solved by myself. I have fallback to /[lang] route if the page is not found. but at localhost my chrome dev tools during loading of /[lang]/[category] page tried to get the page \.well-known\appspecific\com.chrome.devtools.json and it was returning 404 and console always was showing double loading of /[lang] route.

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

79752701

Date: 2025-09-01 15:47:42
Score: 4
Natty:
Report link

“The problem is with the loader. On the website, the loader takes too long to disappear. I want it to be removed within just 2 seconds so the content loads immediately.”

Reasons:
  • RegEx Blacklisted phrase (1): I want
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: free lancer

79752700

Date: 2025-09-01 15:46:42
Score: 1.5
Natty:
Report link

Make sure you don't have a lower ndkVersion at build.gradle compared to the one you have set on the SDK Tools

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

79752684

Date: 2025-09-01 15:25:36
Score: 1
Natty:
Report link

Some people apparently has already mentioned Toga (see https://toga.beeware.org), the GUI framework, however I'd like to go a bit more in-depth into how all this stuff works. Also, just to add, Briefcase (https://briefcase.beeware.org) is the packaging tool that turns a Python codebase into an Xcode project, installing all dependencies in the process.

So... how is Python running on iOS in the first place? Well, Python is written in C and uses autoconf, so it's possible to compile it for iOS with a bunch of additional handling -- with things like platform identification and more annoyingly, packaging Python properly so it could be distributed through the app store. This includes using Apple's "framework" directory structure and not installing any platform-specific tools, and making each binary extension module a separate "framework" in Apple's sense. And of course, the whole lot of C APIs that Apple has helpfully disabled. References: https://docs.python.org/3/using/ios.html and the whole thread of PRs is at https://github.com/python/cpython/issues/114099 -- this part of functionality is made possible with Python 3.13 officially, and has been maintained in https://github.com/beeware/Python-Apple-support/ and -patched branches of https://github.com/freakboy3742/cpython/ before. CPython still lacks some infrastructure for iOS builds and has not added tvOS/watchOS/visionOS yet so these two repositories serve these purposes as more things gets integrated into official CPython.

Now you would have Python running on iOS, but you'd need a way to access objc APIs. Rubicon Obj-C (https://rubicon.beeware.org/) is a shim that does exactly that, created by the BeeWare project as well. Since the Objective-C runtime is all C underneath it, and Python provides ctypes to call C functions, Rubicon Objective-C thus works by calling the appropriate C functions to send the appropriate messages using the Objective-C runtime, thus being able to access all native Objective-C APIs.

To start this Python code that does all the interesting stuff, however, the Python C API is used. The template that Briefcase uses to roll out Xcode projects with Python code is found at https://github.com/beeware/briefcase-iOS-Xcode-template and consists of a bulky part of initialization as seen in the main Objective-C file.

Toga's iOS backend uses Rubicon Objective-C to access the native Objective-C classes to make a UIApplication, UIWindow, UIViews, and all the native controls.

A really good conference talk by Dr. Russell Keith-Magee, founder of Toga, explains how this all works not only on iOS as I described above but also on Android.

I'm putting this info here just in case you're curious or if you'd like to try to embed Python and access the raw Objective-C APIs by yourself. Toga, however, is getting more mature almost every day, and besides simply wrapping the iOS APIs as described above, it is significantly more Pythonic and it abstracts away all the small cross-platform differences of apps on multiple platforms, so if you write a Toga app you can also deploy it on Windows (Winforms), Linux (GTK+), macOS (Cocoa), Android -- although some functionality may not be fully available.


DISCLOSURE

I have contributed to (but am not affiliated with) this project and therefore may be biased, however I have ensured that all my statements above are truthful in terms of the current state of the project. I am NOT AFFILIATED with the BeeWare project; just trying to spread some news of it.


EDIT and if you want to interact with the Python runtime in Swift you may utilize PythonKit: https://github.com/pvieito/PythonKit -- this is not related to BeeWare nor official CPython which were projects I have been talking about earlier.

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

79752673

Date: 2025-09-01 15:08:32
Score: 2
Natty:
Report link

I have also encountered a situation with the keylock infinite loop, but in the end, I found that my problem was a version issue between the keylock service and the keyleak.js adapter, and I wanted to use it in an internal network environment, so HTTPS was also an issue. After downgrading both to version 21.1.5, it was resolved

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

79752662

Date: 2025-09-01 14:55:29
Score: 0.5
Natty:
Report link

As @aliaksandr-s pointed out:

No, what you are trying to do is impossible. Browsers intentionally do not allow web pages to change print dialog settings. If what you want is a PDF then use a library to generate it on the Server/Client side.

He is correct, it's not possible to change Chrome's default print margin setting using JavaScript or CSS.

The best you can do is try to minimize margins:

@media print {
  @page { margin: 0; }
  html, body { margin: 0; padding: 0; }
}

But, if you did this server-side, you could set zero margins in the PDF. A example would be:

const puppeteer = require('puppeteer');

(async () => {
  const browser = await puppeteer.launch();
  const page = await browser.newPage();
  await page.goto('https://examplecom', { waitUntil: 'networkidle0' });
  await page.pdf({
    path: 'output.pdf',
    margin: { top: 0, right: 0, bottom: 0, left: 0 },
    printBackground: true,
    format: 'A4'
  });
  await browser.close();
})();
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @aliaksandr-s
  • Low reputation (0.5):
Posted by: 0ro2

79752652

Date: 2025-09-01 14:44:27
Score: 2.5
Natty:
Report link

I had the same Issue, but explicit cast didnt resolve it. I need to change the data type from unsigned char* to uint8_t.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Whitelisted phrase (-1): I had the same
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: David Amato Mantegari

79752648

Date: 2025-09-01 14:42:26
Score: 0.5
Natty:
Report link

These files are used in part for showing the git information above functions and classes. They are revisions of those files in order to show the revision breakdown when you hover over the revisions part.

You can disable this behavior in the options by disabling CodeLens under the Text Editor options.

If you are worried about the size these files occupy on disk you can set the folder as a symlink to another drive to store them somewhere else. Alternatively using scheduled tasks and powershell removing the contents of the folder each system start would also work, though it does mean it has to generate them again when you open a file.

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

79752640

Date: 2025-09-01 14:35:24
Score: 0.5
Natty:
Report link

I just published a package for this purpose:
https://www.npmjs.com/package/express-switchware

Usage:

const stripeHandler: express.RequestHandler = (req, res) =>
  res.send("Processed payment with Stripe");
const paypalHandler: express.RequestHandler = (req, res) =>
  res.send("Processed payment with PayPal");

app.post(
  "/checkout",
  expressSwitchware(
    (req) => req.body.provider, // e.g. { "provider": "stripe" }
    {
      stripe: stripeHandler,
      paypal: paypalHandler,
    }
  )
);

I think it is simple and elegant.

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

79752637

Date: 2025-09-01 14:32:23
Score: 0.5
Natty:
Report link

If I got your question well you just need sequence of the gene. Is it possible to try another parser for this purpoe, i.e. SeqIO.parse(gb_file, "genbank") and then in a cycle for record in SeqIO.parse(gb_file, "genbank"): iterates through the records. Then use another cycle as follows:

from Bio import SeqIO
from Bio.SeqFeature import FeatureLocation


def extract_gene_name_seq(gb_file):
    gene_name_seq = []
    try:
        for record in SeqIO.parse(gb_file, "genbank"):
            # The SeqIO.parse() function takes two main arguments:
            # A file handle (or filename) to read the data from.
            # The format of the sequence file.
            # It returns an iterator that yields SeqRecord objects, one for each sequence in the file.
            for feature in record.features:
                if feature.type == "CDS":
                    try:
                        name = feature.qualifiers.get('gene', [''])[0]
                        location = feature.location
                        if isinstance(location, FeatureLocation):
                            start = location.start
                            end = location.end
                            gene_sequence = location.extract(record.seq)
                            strand = location.strand
                            gene_name_seq.append((name, strand, start, end, gene_sequence))
                        else:
                            print(f"Skipping feature with non-standard location: {feature}")
                    except (KeyError, AttributeError) as e:
                        print(f"Error processing feature: {feature}. Error: {e}")
                        continue

    except Exception as e:
        print(f"Error parsing GenBank file: {e}")
        return []

    return gene_name_seq

# Example usage:
gb_file = "Capsicum_annuum.gb"  # Replace with your GenBank file name
gene_name_seq_data = extract_gene_name_seq(gb_file)
print('Length of gene_name_seq_data', len(gene_name_seq_data))

if gene_name_seq_data:
    for name, strand, start, end, gene_sequence in gene_name_seq_data:
        print(f"Gene: {name}, Strand {strand}, Start {start}, End {end}, Gene_sequence: {gene_sequence}")
else:
    print("No gene information found or an error occurred.")
Reasons:
  • Blacklisted phrase (1): Is it possible to
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Vladimir

79752635

Date: 2025-09-01 14:29:23
Score: 0.5
Natty:
Report link

I've also stumbled upon this. It seems that in Hibernate 6.6 Expression.as(String.class) no longer generates an SQL CAST. It is now just an unsafe Java type cast. To use LIKE on a numeric column you must explicitly cast via JpaExpression#cast

It's part of the Migration Guide

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

79752631

Date: 2025-09-01 14:23:21
Score: 1
Natty:
Report link

ARM PMULL or PMULL2 would be the equivalent.

https://learn.microsoft.com/en-us/dotnet/api/system.runtime.intrinsics.arm.advsimd.polynomialmultiply?view=net-9.0

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