79816860

Date: 2025-11-11 16:11:28
Score: 1.5
Natty:
Report link

It sounds like you want the active navigation item to have a custom background color, while keeping the text and icon readable. The problem is caused by the opacity property in you bg-active class.

The property reduces the entire elements opacity, including all its children. Try setting the opacity to 1 or removing it completely.

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

79816851

Date: 2025-11-11 15:59:25
Score: 2
Natty:
Report link

Updating the SDK and tools is done through android studio. Trying to 'reinstall parts' of it is only going to cause version conflicts. If you cannot update them through gradle, or manually as described in this link, you may have to delete the current platform and start again. (Which is not as painful as it sounds).

https://developer.android.com/studio/intro/update

Reasons:
  • Blacklisted phrase (1): this link
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: MunterMan

79816849

Date: 2025-11-11 15:58:25
Score: 3
Natty:
Report link
header 1 header 2
cell 1 cell 2
cell 3 cell 4
Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Susip Rah

79816847

Date: 2025-11-11 15:55:24
Score: 2.5
Natty:
Report link

Thx to @shingo: Using TypeNameHandling = TypeNameHandling.Auto (TypeNameHandling.All is also possible) solved my issue. And there is no need to write custom converter at all.

Reasons:
  • Blacklisted phrase (1): Thx
  • Low length (1):
  • Has code block (-0.5):
  • User mentioned (1): @shingo
  • Self-answer (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: bairog

79816838

Date: 2025-11-11 15:44:21
Score: 0.5
Natty:
Report link

I'm executing the our test EXE from the command line and needed to use the -html C:\Folder\File.html format for this to work

Tests.exe -html C:\Folder\File.html
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: pwhe23

79816831

Date: 2025-11-11 15:37:18
Score: 1
Natty:
Report link

I don't quite understand "the distance between a quadratic function and R".

If you are looking for the distance between a point and an n-sphere centered at c (i.e. $$(x - c)^{T}(x - c) \le r^{2})$$) you will want the convex program $$\min_x |x - p| \quad \text{subject to} \quad (x - c)^{T}(x - c) \le r^{2}$$

Notice that this cost is not going to be a polynomial since it needs to be 0 on the entire inside of the n-sphere.

As for the claim that $$|p^{T}p + b^{T}p + c - R|_{2}$$ is convex — this is not true in general. Draw the plot of $$|p^{2} - 1|$$ and you'll see the non-convexity.

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

79816830

Date: 2025-11-11 15:37:18
Score: 2
Natty:
Report link

This error comes if u have invalid imports at the top of ur file suppore ur importing use App\Jobs\SendSmsNotificationToUsersJob;

yet in reality it was already deleted so first sort out all your imports and remove unused

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

79816827

Date: 2025-11-11 15:35:17
Score: 1
Natty:
Report link

WebXR on Meta Quest currently supports immersive VR sessions but not immersive AR. That’s why your app remains confined to a browser window, even when sideloaded as an APK. The passthrough camera and spatial tracking required for immersive AR are not exposed to web technologies on Quest.

To build a fully immersive AR experience, you’ll need to use native tools like Unity with the Meta XR SDK. These provide access to the device’s passthrough and spatial APIs, enabling marker detection and real-world overlays. Meta’s Spatial Framework is another option, though it also requires Unity.

In short: immersive AR on Quest isn’t possible with just WebXR and PWA. Native development is currently the only viable path.

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

79816826

Date: 2025-11-11 15:35:17
Score: 1
Natty:
Report link

After some researching, I found the example https://api.flutter.dev/flutter/widgets/BuildOwner-class.html#widgets.BuildOwner.1.

With it, I am able to calculate the width that the ReorderableListView should have, as follows:

import 'package:flutter/rendering.dart';
import 'package:flutter/widgets.dart';

Size measureWidget(Widget widget) {
    final pipelineOwner = PipelineOwner();
    final rootView = pipelineOwner.rootNode = MeasurementView();
    final buildOwner = BuildOwner(focusManager: FocusManager());
    final element = RenderObjectToWidgetAdapter<RenderBox>(
        container: rootView,
        debugShortDescription: '[root]',
        child: widget,
    ).attachToRenderTree(buildOwner);
    try {
        rootView.scheduleInitialLayout();
        pipelineOwner.flushLayout();
        return rootView.size;
    } finally {
        element.update(RenderObjectToWidgetAdapter<RenderBox>(container: rootView));
        buildOwner.finalizeTree();
    }
}

class MeasurementView extends RenderBox with RenderObjectWithChildMixin<RenderBox> {
    @override
    void performLayout() {
        assert(child != null);
        child!.layout(const BoxContraints(), parentUsesSize: true);
        size = child!.size;
    }

    @override
    void debugAssertDoesMeetContraints() => true;
}
Card.outlined(
    margin: const EdgeInsets.all(8),
    child: LayoutBuilder(
        builder: (context, contraints) {
            final itemPrototypeSize = measureWidget(
                Directionality(child: listItemPrototype, textDirection: Directionality.of(context)),
            );
            return SizedBox(
                width: itemPrototypeSize.width,
                child: ReorderableListView.builder(
                    itemCount: _objects.length,
                    buildDefaultDragHandles: false,
                    prototypeItem: listItemPrototype,
                    itemBuilder: (context, index) => _buildListItem(
                        context: context,
                        key: ValueKey(index),
                        index: index,
                        objectType: _objects[index],
                    ),
                    onReorder: (oldIndex, newIndex) {
                        final insertionIndex = (oldIndex < newIndex ? newIndex - 1 : newIndex);
                        final object = _objects.removeAt(oldIndex);
                        _objects.insert(insertionIndex, object);
                        setState(() {});
                    },
                ),
            );
        },
    ),
),
Reasons:
  • Probably link only (1):
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: user31112632

79816824

Date: 2025-11-11 15:33:16
Score: 5
Natty:
Report link

You thought right, it's an "experiment" the company behind the site does: Opinion-based questions alpha experiment on Stack Overflow

I'm happy to help you with any questions, but the answer will be buried in the discussion, instead of up voted to the top, like you're used to from stackoverflow. So it's not as useful for future users...

Do you have a concrete recipe where it's not clear?

Reasons:
  • Blacklisted phrase (1): stackoverflow
  • RegEx Blacklisted phrase (2.5): Do you have a
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-1):
Posted by: Mo_

79816823

Date: 2025-11-11 15:31:16
Score: 3
Natty:
Report link

I try to paint the pixels on a hbitmap, and then copy the hbitmap to the hdc on WM_PAINT message but it change nothing.....

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

79816781

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

Thom
You brought up interesting points I hadn't thought about.
I don't see there will be a time when aggregating all the data is needed. Each client is treated separately. And there's no replication of data between us and the clients. I haven't seen the output that goes to the client yet, but from what I've seen so far it's text files and Excel.

I do agree archiving the data is questionable and was an after thought. The thought behind this is that the end of the contract, maybe 6mo or so, move the data to archive to hold in case they decide to come back. At the end of 2 years, it all gets dumped. The data is stale and can be rebuilt with fresh data. Technically, the data could be dumped once the contract is over. But my company did have clients return after a year or so.

Client retention is a problem. Once their system is tweaked, we're no longer needed. The way we keep the clients is by doing all the custom reporting. I don't see the clients remaining beyond 5 years. That is an interesting point what is the current client retention. As for growth, would like at least 5 new clients per month. The current process allows 2-3 per year. The limiting factor is the PM who works directly with the clients. They can do only so much in a day.

As for the DDL, as little as possible. There will be adjustments because of different ERPs the client uses and adjusting our own processes to make improvements. So far we're working with extracts from 5 different ERPs and they flow into a common table structure. When a new one comes along, adjustments have to be made.

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

79816778

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

If anybody comes to this, i will answer the question how it was solved.

Because iteration (#each loop) of the pages happens after the summary page in terms of lifecycle, the actual pages are put at the end.

In the actual code, i was getting an error which lead me to wrong conclusion that the each didnt render the pages. It actually did, but the wizard navigation didnt work because of the yet another form issue.

In any case, example in the REPL works fine, but still, i couldnt fix it that the order is kept (first pages coming from api, then the page manually added after them). #key directive didnt help

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

79816768

Date: 2025-11-11 14:36:03
Score: 3.5
Natty:
Report link

'NT AUTHORITY\SYSTEM' is able to impersonate 'NT Service\MSSQLSERVER'. So i suppose that this is the trick...

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

79816766

Date: 2025-11-11 14:34:02
Score: 1
Natty:
Report link

Isn't the hashCode itself suffiecient for your needs? Actually, since you want a number from 0..1, Math.abs(((float) hashCode()) / Integer.MAX_VALUE)?

Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • High reputation (-2):
Posted by: Nikos Paraskevopoulos

79816765

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

See also:

Reasons:
  • Probably link only (1):
  • Low length (2):
  • No code block (0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Clemens

79816762

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

I am not sure your analysis of the error is correct, there seems to be many reasons for that error code from the Credential Manager.

Regardless, when there is a size limit, the solution would be to generate a random encryption key, perhaps an AES-128 key, and encrypt the long data with it. Store the encrypted long data somewhere without that size restriction, typically the file system. Then store the encryption key instead in an appropriate way in the keyring.

To retrieve, get the key from the keyring and decrypt the long data as needed.

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

79816761

Date: 2025-11-11 14:28:01
Score: 1
Natty:
Report link

this is very specific to my case but I had installed a custom root certificate for an mitm tool I use.
deleting/regenerating that certificate from the cetmgr panel fixed the issue for me

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

79816759

Date: 2025-11-11 14:28:01
Score: 1.5
Natty:
Report link

try adding width to your Y axis

yAxis={[{ label: "Some Label", width: 80 }]}
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Witold

79816757

Date: 2025-11-11 14:26:00
Score: 2.5
Natty:
Report link

Go to Tools -> Project Settings

Step 2 - Click General then Migration

Then adjust Batch size to 20,000 or 50,000

Increase Timeout minutes to 1000 minutes

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

79816750

Date: 2025-11-11 14:15:58
Score: 1.5
Natty:
Report link

The deploy command is for local templates only.
If your CloudFormation template is already stored in S3,
use create-stack or update-stack with the --template-url option instead

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

79816749

Date: 2025-11-11 14:15:58
Score: 0.5
Natty:
Report link

ConfigureAwait(true) does functionally nothing other than explicitly stating that you are purposefully not using ConfigureAwait(false)

Source: https://devblogs.microsoft.com/dotnet/configureawait-faq/#why-would-i-want-to-use-configureawait(true)

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

79816748

Date: 2025-11-11 14:13:58
Score: 2.5
Natty:
Report link

This is the response from Acumatica support:

"To enabling the editing, please change UI in the Site Map for all graphs showing the error to the Classic (from Default)"

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

79816741

Date: 2025-11-11 14:07:57
Score: 1
Natty:
Report link

Seems like you could create one Random instance and setSeed with the hashcode as often as required.

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

79816740

Date: 2025-11-11 14:06:56
Score: 4.5
Natty:
Report link

I think you need to remove the @Configuration annotation.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • User mentioned (1): @Configuration
  • Single line (0.5):
  • Low reputation (1):
Posted by: ferenc

79816738

Date: 2025-11-11 14:05:55
Score: 1
Natty:
Report link

You can try:

namedLogger := logger.Named("[TEST-NAME]")

namedLogger.Infof("log message")

And you'll see:

2025-11-11T14:54:52.092+0100    info    [TEST-NAME] log message
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Florin

79816737

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

I often struggle with this thought. Unlike the others, the fn key does not send the signal to the operating system, but to the keyboard firmware, which then sends it to the operating system, so this cannot be simulated with pyautogui or the keyboard library with the "send("fn"+"5") command, because these cannot communicate with the keyboard, only with the operating system.

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

79816733

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

You need:

overflow:hidden;

Also in the parent and ancestor components which are flex, until the ancestor which sets the width.

https://jsfiddle.net/1pfq364b/2/

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

79816726

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

I had gulp-cli globally installed in a different node version managed by nvm. So I needed to switch to this node version (nvm use) and globally uninstall the gulp-cli version there.
You can of course also update it there, but I wanted to have it in my new node environment, so I uninstalled, switched node version, installed gulp-cli again.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: timlg07

79816707

Date: 2025-11-11 13:44:50
Score: 1.5
Natty:
Report link

Unblock your FW as in FireWall or ask a system administrative group.

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

79816704

Date: 2025-11-11 13:39:49
Score: 2
Natty:
Report link

If this error is occurring in 25R2, this is the response from Acumatica support:

"To enabling the editing, please change UI in the Site Map for all graphs showing the error to the Classic (from Default)"

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

79816699

Date: 2025-11-11 13:36:48
Score: 0.5
Natty:
Report link

A solution has been found. Not quite straight, but clean. Instead of connecting via ODBC, you need to connect via ADODB and the settings for the column header work there.

$conn = new \COM("ADODB.Connection");

$file = 'C:\123.xlsx';
$sheet = 'Sheet1';


$conn->Open("Provider=Microsoft.ACE.OLEDB.12.0;Data Source=$file;Extended Properties=\"Excel 12.0;HDR=No;IMEX=1\"");

$query = "
SELECT
    *
FROM [{$sheet}$]
";

$rs = $conn->Execute($query);
$num_columns = $rs->Fields->Count();

for ($i=0; $i < $num_columns; $i++) {
    $fld[$i] = $rs->Fields($i)->Value();
}

var_dump($fld);
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Виктор Виктор

79816694

Date: 2025-11-11 13:31:47
Score: 0.5
Natty:
Report link

Considering the SECR Book, or perhaps ipsecr simulation, which chapter(s) would we be fruitfully reading? It is unclear if this is capture/recapture of tagged contestants or merely capture within a given season from the description above. None caught in a given area/season but can be modelled sounds like adjusting a line of code for a given parameter within that area/season. Rats are always present in the sugar cane fields suggests a floor with captures perhaps indicating better and worse areas to raise one's family.

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

79816690

Date: 2025-11-11 13:26:45
Score: 0.5
Natty:
Report link

Docker-compose and named volume permission denied suggests that, if you RUN mkdir /xxx && chown "$APP_UID" /xxx the directory in the Dockerfile, then when Docker creates the named volume, it will inherit the mount point's permissions. Does that setup work for you here too?

Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • High reputation (-2):
Posted by: David Maze

79816682

Date: 2025-11-11 13:21:44
Score: 0.5
Natty:
Report link

On the Build Settings tab under the heading Packaging, there is a setting "Info.plist File". It should show <projectname>/Info.plist, where you have to replace <projectname> with your project name.

When manually adding Info.plist, Xcode may automatically add it to Build Phases "Copy Bundle Resources".

So you need to:

Regarding the error still showing after you removed Info.plist, it may help to do Product -> Clear All Issues, then Build.

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

79816680

Date: 2025-11-11 13:18:43
Score: 5
Natty:
Report link

Thank you GuiFalourd,

This is part of a large terraform infrastructure deployment, so the state file already has a lot of resource blocks to handle. So, for this isolated scheduled apply and destruction, in this case of an Azure Bastion Host, is there another method that won't cause state file issues?

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Coco

79816676

Date: 2025-11-11 13:13:41
Score: 1.5
Natty:
Report link

from PIL import Image, ImageOps

# Load your cake image

img = Image.open("IMG_8181.jpeg")

# Create a white A4 background (A4 at 300 DPI: 2480 x 3508 pixels)

a4_bg = Image.new("RGB", (2480, 3508), "white")

# Resize the cake image to fit nicely on the A4

img.thumbnail((2000, 2000))

# Paste the image roughly in the center

img_w, img_h = img.size

a4_bg.paste(img, ((2480 - img_w)//2, 100))

# Save the final A4 sheet

a4_bg.save("saja_boys_A4_sheet.png")

print("A4 sheet created successfully!")

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Sk hajireen

79816673

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

Thanks a lot for your post !
I had the same problem and couldn't understand ... As you, I commented the line "After" and it works ...
Why ? By now, I don't know ... multi-user.target means that the systemd-service will start when the system reach runlevel 2 ... I don't know why this line is here ...

After=network.agent should make sense , but I don't even need to put it
Multi-user .. I don't understand why it should be necessary ???

Anyay, it works ... 😊

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Blacklisted phrase (1): ???
  • Whitelisted phrase (-1): I had the same
  • No code block (0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: user31857906

79816671

Date: 2025-11-11 13:08:40
Score: 1.5
Natty:
Report link
<!doctype html>
<meta charset="utf-8">
<title>Alerta</title>
<style>
  body{background:#000;color:#f00;font-family:monospace;text-align:center;margin-top:10%}
  h1{font-size:3em;animation:blink 1s infinite}
  @keyframes blink{50%{opacity:0}}
  button{background:#f00;color:#fff;border:0;padding:12px;cursor:pointer}
</style>
<h1>⚠️ ¡VIRUS DETECTADO! ⚠️</h1>
<p>Tu sistema ha sido comprometido. Eliminando archivos en 3... 2... 1...</p>
<button onclick="alert('😅 Tranquilo, es solo una broma. No hay ningún virus.');document.body.style.backgroundColor='#0a0';document.body.innerHTML='<h1>✅ Todo está bien 😎</h1><p>Era solo un simulador de virus falso.</p>'">Detener virus</button>
<script>
  setInterval(()=>{document.title='⚠️ VIRUS DETECTADO ⚠️ '+Math.random().toString(36).slice(2,7)},300)
</script>
Reasons:
  • Blacklisted phrase (1): está
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: user31857968

79816668

Date: 2025-11-11 13:05:39
Score: 1
Natty:
Report link

just add width to your Y axis (for X axis one may add height)

yAxis={[{ label: "Lorem Ipsum", width: 80 }]}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Witold

79816661

Date: 2025-11-11 13:00:37
Score: 1
Natty:
Report link

You should likely implement a null object pattern.

so "static string[]" and not "static string[]?"

If you need a collection that can expand, then use List<string>

But most important, if something can be null at an interface to any external interface, wrap the handling logic in a nullObject pattern, and then let the program "do nothing" rather than send "nullable" values around. Likely the best option you have.

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
Posted by: Morten Bork

79816659

Date: 2025-11-11 12:59:37
Score: 3.5
Natty:
Report link

I wanted to know how to get table data from data verse to databricks

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

79816658

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

Apparently this is a recent issue with the newest SDK version, reverting to 2.41.1 fixes it.

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

79816656

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

If you want ListView to act like Column if scrolling is not needed, meaning drag gestures are not occupied unnecessarily:

ListView(
  physics: const ScrollPhysics(),
),

This works (or it does not work by default), because the default scroll physics is AlwaysScrollableScrollPhysics for the primary and vertical ScrollViews.

This is the condition in the Flutter source code:

physics =
    physics ??
    ((primary ?? false) ||
            (primary == null &&
                controller == null &&
                identical(scrollDirection, Axis.vertical))
        ? const AlwaysScrollableScrollPhysics()
        : null);

https://github.com/flutter/flutter/blob/2981516d74bc2b3307a7386e7be906602b65cf22/packages/flutter/lib/src/widgets/scroll_view.dart#L135-L142

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

79816654

Date: 2025-11-11 12:53:35
Score: 7.5 🚩
Natty: 4
Report link

I've maybe a follow up question. Currently, the default OpenMP version in GCC 15.2.0 is still 201511 ... i.e. 4.5. Is there a way to change that?
LLVM allows for the flag -fopenm-version=60 for switching to OpenMP version 6.0. Despite ChatGPT's claim, gcc does not accept this command-line option.

Do you know how this can be accomplished in GCC? Does one have to change something in the sources and rebuild GCC? I've tried setting _OPENMP to 202111 e.g. in different places, and rebuild GCC. But without success, yet.

Any idea is very welcome.

Cheers, Martin

Reasons:
  • Blacklisted phrase (1): Cheers
  • Blacklisted phrase (1): Is there a way
  • RegEx Blacklisted phrase (2.5): Do you know how
  • Contains signature (1):
  • Long answer (-0.5):
  • No code block (0.5):
  • Contains question mark (0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Martin

79816653

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

You're reading freed memory, so the behavior is undefined and you can't rely on the contents at all. Also, glibc has a known bug with M_PERTURB causing an off-by-sizeof(size_t) overwrite, so the expected pattern won't fully appear.

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

79816651

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

You need to issue a certificate that includes

subjectAltName=DNS:localhost (or your domain)

Modern browsers ignore CN and look in

subjectAltName

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

79816648

Date: 2025-11-11 12:46:32
Score: 4.5
Natty: 4.5
Report link

This cookie-button stuff is annoying, I developed a generalized popup-closer. have a look at the closepopup-routines

https://github.com/dornech/utils-seleniumxp/blob/main/src/utils_seleniumxp/webdriver_addon.py

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

79816643

Date: 2025-11-11 12:43:27
Score: 6 🚩
Natty:
Report link

is there a way to let multiple boards feed into a bigger one? For example the screenshot of Fabio where there is a "dev boards" and a "produto boards" that you can combine in a bigger board? Where tasks or epics from dev and produto are shown in the same board?

Reasons:
  • Blacklisted phrase (1): is there a way
  • Low length (0.5):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Starts with a question (0.5): is there a
  • Low reputation (1):
Posted by: Yuri de Ridder

79816637

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

Apparently, Apple changed the API in favour of a new isEnabled parameter: tabViewBottomAccessory(isEnabled:content:).
In contrast to the documentation I couldn't find the new overload in iOS 26.1 SDK, but it seems to be available from iOS 26.2 Beta.

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

79816630

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

To make it work in GitHub, don't use BrowserRouter, use HashRouter instead.

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

79816605

Date: 2025-11-11 12:05:18
Score: 1
Natty:
Report link
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Dandy's World</title>
    <link rel="stylesheet" href="style.css">
</head>
<body>
    <div id="app">
        <!-- Content will be generated by JavaScript here -->
    </div>

    <script src="script.js"></script>
</body>
</html>
Reasons:
  • Has code block (-0.5):
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: stackoverflow develpor

79816604

Date: 2025-11-11 12:00:17
Score: 2
Natty:
Report link

Removing all volumes, changing the compose file to this

services:
  hellodocker:
    image: hellodocker:latest
    user: 1000:1000
    volumes:
      - file-data:/xxx:rw
    environment:
      - HELLODOCKER_VALUEFILE_FULLNAME=/xxx/file.txt

volumes:
    file-data:

and then doing docker compose up doesn't seem to help.

Is this diffferent from the -v option?

Reasons:
  • Has code block (-0.5):
  • Ends in question mark (2):
  • Self-answer (0.5):
Posted by: Volker

79816593

Date: 2025-11-11 11:49:14
Score: 0.5
Natty:
Report link

Yes fs watch listens to hidden folders.

I was running custom logic in a file system watcher with recursive: true. Since my watcher also observed the .git folder, running Git commands inside the watcher created a feedback loop: the Git commands modified the .git folder, which triggered the watcher again, and so on.

Fix: Ignore changes in the .git folder:

const watcher = fs.watch(dir, { recursive: true }, (eventType, filename) => {
  if (filename && (filename.startsWith(".git") || filename.includes(`${path.sep}.git`))) {
    console.log("Git folder changed, ignoring...");
    return;
  }

  throttledNotify();
});

Somewhere in throttledNotify i was running const stdout = await runGitCommand(["status", "--porcelain"], dir); which causes the infinite feedback loop

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

79816591

Date: 2025-11-11 11:48:14
Score: 5
Natty:
Report link

I do face the same issue in Chrome browser Version 142.0.7444.135 (Official Build) (64-bit)
Screenshot Devtools

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Me too answer (2.5): face the same issue
  • Low reputation (1):
Posted by: lanzi8

79816590

Date: 2025-11-11 11:46:13
Score: 1
Natty:
Report link

Personaly I prefer mode type-controlled aproach

function* handleAuthUser({ payload: { fields, isRegister } }: ReturnType<typeOf startAuth>)
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: szogun1987

79816580

Date: 2025-11-11 11:34:11
Score: 1
Natty:
Report link

Ok, so, i'm coming here years later, because I had the same problem ("Formula Error: Unexpected operator '&'").

No real answer here, so I tried a few things, and...

I found that I had HTML entities in some cells, like "=&gpt;", and Excel gets it as a formula instead of a "standard string value".

My solution was to change my code from :

$this->Excel->getActiveSheet()->setCellValue($column . $row, $value);

to :

$this->Excel->getActiveSheet()->setCellValueExplicit($column . $row, $value, \PhpOffice\PhpSpreadsheet\Cell\DataType::TYPE_STRING);

And it worked. Maybe you have the same problem.

Be aware that this workaround only works if you don't WANT formulas in your Excel output, obviously.

Reasons:
  • Whitelisted phrase (-1): it worked
  • Whitelisted phrase (-1): I had the same
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Me too answer (2.5): have the same problem
  • Unregistered user (0.5):
  • Low reputation (1):
Posted by: Obsidyan

79816578

Date: 2025-11-11 11:30:10
Score: 2
Natty:
Report link

This part of the code should work with a data set, as in the original example of comparing color data from the iris.txt file. Hence the NumberFormatException, because you are writing a string that will give an error when converted to a number. To work with words, use the Word2Vec method of the Deeplearning4j library. An example of comparing words with the source code is described DL4J NLP Word2Vec Java.

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

79816564

Date: 2025-11-11 11:22:08
Score: 1.5
Natty:
Report link

You don't actually need PCRE to identify offices documents. For example, PDF can be identified using this simple rule:

rule pdf {
strings:
$pdf = "%PDF-"
condition:
$pdf at 0
}

For other documents, since they are actually packaged inside zip archives, you could search for the zip magic at offset 0, and search for the document type identifiable paths as strings in you yara

Reasons:
  • No code block (0.5):
  • Low reputation (1):
Posted by: Nova I Elithor

79816562

Date: 2025-11-11 11:19:07
Score: 1.5
Natty:
Report link

Few things that you could try:

  1. The Blender Python API provides access to the quadriflow_remesh function (Requires Blender, and a triangle mesh is needed as input)

  2. https://www.hellotriangle.io/ You will need to split your 2D polygon and create patches of quads between pairs of line segments using the connect() method.

  3. https://github.com/hjwdzh/QuadriFlow (Also requires a triangle mesh as input. Not a Python package, but you could run this as a subprocess)

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

79816560

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

I had the same issue and solved it by cloning the repository in a new empty folder, and then copying the .git folder created to the directory of my project. It worked perfectly.

Reasons:
  • Whitelisted phrase (-1): It worked
  • Whitelisted phrase (-1): I had the same
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Mario Vázquez

79816559

Date: 2025-11-11 11:08:05
Score: 3.5
Natty:
Report link

I've encountered this problem on Python 3.12

It just helped to switch back to 3.10

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

79816554

Date: 2025-11-11 11:04:04
Score: 3
Natty:
Report link

I am aware of that, but this is also not under my control and I have to process what is being served 🤷‍♂️

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

79816549

Date: 2025-11-11 11:00:03
Score: 2.5
Natty:
Report link

I would strongly suggest to use

df.to_csv("mydata.csv", index=False)

this would display your data in a excel sheet

where df here would be the name of the data frame

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

79816540

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

When integrating with third-party manufacturing APIs or services, rate limits restrict the number of requests you can make in a given period. To handle these effectively:

Understand the Limitations

Review the third-party API documentation to know the exact rate limits (e.g., requests per minute/hour).

Implement Caching

Store frequently requested data locally or in a cache (like Redis or Memcached) to reduce repetitive API calls.

Use Rate Limiting / Throttling Logic

Implement a queue or delay mechanism to space out requests and avoid hitting the limit (e.g., exponential backoff or token bucket algorithm).

Monitor API Usage

Track request counts and responses to identify when you’re approaching the limit.

Handle Errors Gracefully

If a rate limit error (e.g., HTTP 429) occurs, retry after the suggested “Retry-After” time rather than immediately resending the request.

Batch Requests When Possible

Combine multiple smaller requests into a single batch API call if supported.

Request Higher Limits

For production or high-demand use cases, contact the API provider for increased quotas or enterprise plans.

Reasons:
  • Long answer (-1):
  • No code block (0.5):
  • Starts with a question (0.5): When in
  • Low reputation (1):
Posted by: Orange Biotech

79816528

Date: 2025-11-11 10:42:58
Score: 0.5
Natty:
Report link

Still not entirely sure why it happened here, but this solved it:

externalApi
    .WithHttpsEndpoint()
    .WithExternalHttpEndpoints()
    .AddEnvironmentVariable("ASPNETCORE_URLS", "http://0.0.0.0:8080")
    .AddEnvironmentVariable("DOTNET_URLS", "http://0.0.0.0:8080")
    .AddEnvironmentVariable("ASPNETCORE_FORWARDEDHEADERS_ENABLED", "true");
Reasons:
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: Alexander Vestergaard Eriksen

79816527

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

Flutter now has an optionsViewOpenDirection option: https://github.com/flutter/flutter/pull/129802

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

79816526

Date: 2025-11-11 10:41:58
Score: 1.5
Natty:
Report link

Yes, Vuforia has some limitations compared to ARCore and ARKit. While it supports a broader range of devices and platforms, it relies more on image-based tracking and offers less advanced environmental understanding. ARCore and ARKit provide superior plane detection, light estimation, motion tracking, and depth sensing due to their tight hardware integration with Android and iOS. Vuforia’s performance can vary across devices, and its 3D object recognition is generally less accurate and slower. Additionally, some advanced features in Vuforia require paid licences, whereas ARCore and ARKit offer powerful capabilities for free within their ecosystems.

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

79816519

Date: 2025-11-11 10:38:57
Score: 1.5
Natty:
Report link

For MacOS, open the AppInfo.xcconfig file by following the path macos/Runner/Configs/AppInfo.xcconfig and edit the product name section.

PRODUCT_NAME = your_app_name
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Emre Acar

79816515

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

sorry miss click, but i dont know how can i change it

Reasons:
  • Blacklisted phrase (0.5): how can i
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: fladon

79816512

Date: 2025-11-11 10:33:55
Score: 2.5
Natty:
Report link

maybe it is with your tier. for instance I am on Usage tier 1, where I think I can make request 500/m. Check your tier

then, if you want, you can add logics.

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

79816511

Date: 2025-11-11 10:33:55
Score: 1
Natty:
Report link

I am having trouble to understand how a tooling quesitons like this one fits in a "open-ended question" format. If you post this as proper question, it will be more thouroughly reviewed and critizised, but eventually you would receive an answer rather than a endless thread of comments that might lead nowhere.

Reasons:
  • RegEx Blacklisted phrase (2): I am having trouble
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-2):
Posted by: 463035818_is_not_an_ai

79816498

Date: 2025-11-11 10:19:52
Score: 2.5
Natty:
Report link

I am in the process of developing a python DataGridView that handles big datasets with easiness
Take a look if you want
pyDataGridView

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

79816495

Date: 2025-11-11 10:15:51
Score: 1.5
Natty:
Report link

Thanks @Jillian Hoenig for confirming this was resolved.

We have added an issue to our sprint to rewrite the Faust tutorial to use wp-env instead of wp-now - https://github.com/wpengine/faustjs/issues/2211

We feel this might be more reliable going forward for all systems. Additionally this is something we have used recently in our hwptoolkit examples.

I can let you know once this is implemented.

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Has code block (-0.5):
  • User mentioned (1): @Jillian
  • Low reputation (0.5):
Posted by: Colin Murphy

79816486

Date: 2025-11-11 10:05:49
Score: 2.5
Natty:
Report link

The value isn’t rendered because the Float32Array isn’t reactive in Svelte when mutated. You must assign a new instance (or use $derived) so Svelte detects the change and updates the display.

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

79816485

Date: 2025-11-11 10:05:49
Score: 4
Natty:
Report link

I thought since Yocto Project is a tool for building, it should be posted here.

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

79816477

Date: 2025-11-11 09:47:46
Score: 3
Natty:
Report link

The build has been published in the production track of the Play Store, and real purchases seem to work as expected, so it seems that's a requirement for real purchases to work.

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

79816471

Date: 2025-11-11 09:42:44
Score: 3
Natty:
Report link

I need a personal information code that works in Python. My personal information is: My name is Hadi Amin, my major is Business Intelligence, I am 21 years old, and my university ID number is 202316697.

Reasons:
  • Blacklisted phrase (0.5): I need
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Hadi Amen

79816468

Date: 2025-11-11 09:38:43
Score: 1.5
Natty:
Report link
<html>

<head>
    <title>400 Bad Request</title>
</head>

<body>
    <center>
        <h1>400 Bad Request</h1>
    </center>
</body>

</html>
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Butani Nirva

79816458

Date: 2025-11-11 09:29:41
Score: 1
Natty:
Report link

Recently, I happened to discover a safe way to do this in any language, though I’ve only tested it on Windows 11 25H2.

1 | ChkDsk.exe [Drive] /F /R

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

79816457

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

Personally, my OSTS files are stored in a SharePoint document library. I synchronized the related folder with my local OneDrive. I created a JS file with my content, and then I have a Power Automate Flow that detects changes on the file with extension .js and that will automatically convert it into a .osts format.

enter image description here

The Convert step

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

79816455

Date: 2025-11-11 09:27:40
Score: 3
Natty:
Report link

gotcha, yeah i was already using memtester for memory test, might need to look into xsensors

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

79816452

Date: 2025-11-11 09:26:40
Score: 1.5
Natty:
Report link
today = datetime.datetime.now()
    future = today + datetime.timedelta(days=30)

you can add days with this model; first import the datetime Python package.

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

79816449

Date: 2025-11-11 09:24:40
Score: 2.5
Natty:
Report link

Start your career with 360DigiTMG’s Data Analyst Internship for Freshers. Learn SQL, Python, Excel, data visualization, and analytics while working on live projects and receiving expert mentorship. Placement support ensures practical skills for entry-level analytics roles.

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

79816441

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

I have the same issue, I have a dependency on an observable and I wanted to call toSignal in a way that it's not in a reactive context, so basically I wanted to have a withMethods with a private method returning the signalified observable to consume in the computed. There are some workaround but I think the methods defined in the withMethods should be available in the withComputed, there is plenty of other ways to do stupid things, this restriction is completely unnecessary.

So workaround 1:

withComputed(store => {
      const yourMethod = () => { };
      return {
        yourComputed: computed(() => store.yourState() * yourMethod()),
      };
    }),

This works fine, but the method is only reusable if you define it as a function outside of the signalStore.

Workaround 2:

withComputed((store, yourService = inject(YourService)) => ({
      yourComputed: computed(() => store.yourState() * yourService.yourMethod()),
    })),

By extracting your dependencies to a separate injectable you can reuse the methods and it looks a bit nicer also. In this case the YourService needs to be provided (I mean a mocked version) if you are using the createSignalStoreMock from ngx-signals-plus (this is also true for the first workaround if that contains injection).

Reasons:
  • Blacklisted phrase (1): I have the same issue
  • Long answer (-1):
  • Has code block (-0.5):
  • Me too answer (2.5): I have the same issue
  • Low reputation (1):
Posted by: dszendrei

79816439

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

If I am not mistaken, you can put @Startup on your manager to have it perform eager initialization at startup. Else your container will decide when to initialize it

Reasons:
  • Low length (1):
  • No code block (0.5):
  • User mentioned (1): @Startup
  • Single line (0.5):
Posted by: pebble unit

79816433

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

Overall, I want to implement a graceful shutdown for proper process handling, at least to send what's already been processed and set statuses so it doesn't have to be reprocessed on subsequent restarts. Ideally, this shouldn't take more than 5 seconds. I'm also just wondering what the best way to do this is. Many people simply use asyncio.all_tasks and cancel them, but that's fine if you don't have other libraries and only work with the tasks you're currently running.

I work within K8s, so I don't think there will be any SIGKILLs (they usually give 30 seconds for a graceful shutdown) or power outages.

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

79816425

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

You need to be a developer of "Microsoft 365 and Copilot" apps. When adding yourself as developer or editing an existing developer (https://partner.microsoft.com/en-us/dashboard/account/v3/organization/identity?publisher=true&panelOpen=AddPublisher-SelectProgram) choose the program "Microsoft 365 and Copilot".

It may take some time until the Office tab (now it is "Microsoft 365 und Copilot") appears at the offers page (https://partner.microsoft.com/de-de/dashboard/marketplace-offers/overview).

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

79816422

Date: 2025-11-11 08:58:32
Score: 3
Natty:
Report link

I hope this can help you fix your issue, sir - https://mui.com/material-ui/integrations/tailwindcss/tailwindcss-v4/#next-js-app-router :)

Reasons:
  • Whitelisted phrase (-1): hope this can help
  • Probably link only (1):
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: XxXtraCookie

79816408

Date: 2025-11-11 08:49:29
Score: 3.5
Natty:
Report link

BTW, don't choose the "Tooling" tab, if you want "normal" Stackoverflow Q and A where you can earn reputation. Stick with the default "Debugging"

Reasons:
  • Blacklisted phrase (1): Stackoverflow
  • RegEx Blacklisted phrase (1.5): reputation
  • Low length (1):
  • No code block (0.5):
  • Single line (0.5):
  • High reputation (-1):
Posted by: Mo_

79816406

Date: 2025-11-11 08:48:29
Score: 4.5
Natty:
Report link

That's perfect. Thank you very much for your support. The tests show that it works.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (1.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Karl-Heinz

79816394

Date: 2025-11-11 08:36:26
Score: 0.5
Natty:
Report link

Assuming this is Web app on Windows plan you should set netFrameworkVersion to value v8.0 and metadata to [{ "name": "CURRENT_STACK", "value": "dotnet"}]. I do not think windowsFxVersion is used in that case and it should be empty string. Note that you mention web app but your code says function app so it is unclear which is it. If it is for function app the same value is for netFrameworkVersion but metadata property is not needed for functions.

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

79816391

Date: 2025-11-11 08:33:25
Score: 6.5 🚩
Natty: 5.5
Report link

i need help with c programming....Is anyone here

Reasons:
  • Blacklisted phrase (0.5): i need
  • Blacklisted phrase (2.5): i need help
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: aditi jyoti

79816390

Date: 2025-11-11 08:33:24
Score: 4.5
Natty:
Report link

ok, this suggestion removed the StackOverFlowError exception.

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

79816386

Date: 2025-11-11 08:30:24
Score: 1.5
Natty:
Report link

First of all inspect stack's _Change sets_. There might be one waiting to be executed.

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

79816384

Date: 2025-11-11 08:28:23
Score: 1.5
Natty:
Report link

You can try with LaunchedEffect in your LazyColumn.

And use snapTo , resetState animates again.

LaunchedEffect(item.id) {
    dismissState.snapTo(SwipeToDismissBoxValue.Settled)
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Tigran Parsadanyan

79816380

Date: 2025-11-11 08:26:22
Score: 4
Natty: 4.5
Report link

Thank you Barmar! This one is precious.

Reasons:
  • Blacklisted phrase (0.5): Thank you
  • Low length (2):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: myname

79816379

Date: 2025-11-11 08:25:21
Score: 5
Natty:
Report link

And there is no need to 'create/instantiate' the SomeManager in the constructor of the bean class?

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

79816375

Date: 2025-11-11 08:22:21
Score: 1.5
Natty:
Report link

It doesnt look like a DI issue but more of a code design issue. StartupBean produces your two MyImplementations, but it also needs to inject a SomeManager during construction, but this manager needs the two MyImplementations... I m guessing the init is not complete and there is some sort of circular dependency? I would just delete the StartupBean constructor since nothing happens there

Reasons:
  • No code block (0.5):
  • Contains question mark (0.5):
  • Single line (0.5):
Posted by: pebble unit

79816373

Date: 2025-11-11 08:20:20
Score: 4
Natty:
Report link

Yes, absolutely, but the package deming with the function deming() does not use least squares it uses maximum likelihood estimation to find the best fit of coefficients. Therefore, I am trying to find a package which uses least squares and with the option of getting the regression through the origin.

Reasons:
  • Blacklisted phrase (1): I am trying to
  • Low length (0.5):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: user25269951