79797888

Date: 2025-10-23 14:01:40
Score: 2
Natty:
Report link

k8slogreceiver isn't implemented yet: https://github.com/open-telemetry/opentelemetry-collector-contrib/blob/main/receiver/k8slogreceiver/factory.go#L54

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

79797877

Date: 2025-10-23 13:50:37
Score: 2
Natty:
Report link

Probably not. The API Key is tied to your billing account I believe.
In the documentation, it is stated that the Oauth token is used WITH the url to provide access to selected APIs.

https://developers.google.com/identity/protocols/oauth2

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

79797870

Date: 2025-10-23 13:44:36
Score: 2.5
Natty:
Report link

It's interesting how OBD-II provides real-time performance data for vehicles — a reminder of how I track and optimize game performance for Magic Brawl APK users. Data-driven performance improvement applies everywhere! You can also visit.

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

79797869

Date: 2025-10-23 13:44:36
Score: 1.5
Natty:
Report link

As of 9/24/2025, Gemini 1.5 (pro and flash) were retired (no longer available, same for Gemini 1.0 models). That's why you get 404 error. You should migrate to Gemini 2.0/2.5 Flash and later instead. Please follow the latest Gemini migration guide.

Check the retired models

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (0.5):
Posted by: Gang Chen

79797836

Date: 2025-10-23 13:12:26
Score: 1
Natty:
Report link

Try either

import * as config from '../config.json';

or if you want to do as you wrote, then add this under compilerOptions in your tsconfig.json

"resolveJsonModule": true,
"esModuleInterop": true,
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: BjarkeHou

79797834

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

I'm afraid you'll need to make two requests. The parent and links attributes are read-only for the issue. So the only option is to make a second request as described here: https://www.jetbrains.com/help/youtrack/devportal/resource-api-issues-issueID-links-linkID-issues.html#create-Issue-method

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

79797827

Date: 2025-10-23 13:06:24
Score: 4
Natty:
Report link

community.cloudflare.com/t/intermittent-etimedout-when-using-cloudflare-proxying/578664/2

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Has no white space (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: aret

79797823

Date: 2025-10-23 13:03:23
Score: 3.5
Natty:
Report link

Engineering is a very important field for many people, including me.

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

79797818

Date: 2025-10-23 12:58:22
Score: 2
Natty:
Report link

To see which resources are using a subnet, go to the Virtual Network (VNet) where the subnet is located. In the sidebar, select Connected Devices. This section lists all the resources currently connected to that subnet.

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

79797812

Date: 2025-10-23 12:51:20
Score: 3
Natty:
Report link

Thank you, in my case, Windows 11, I just deleted the CURL_CA_BUNDLE environment, cause it had the value: "C:\Program Files\PostgreSQL\16\ssl\certs\ca-bundle.crt". After deleted, close all the terminals o cmd, and reopen, then pip install works ok.

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

79797810

Date: 2025-10-23 12:50:20
Score: 0.5
Natty:
Report link

I have also encountered this problem. I successfully ran my code in windows and received this message in ubuntu. This might be caused by a pandas issue, and the solution of Gemini 2.5pro corrected it. You can refer to it:

You have Pandas code that runs perfectly on one machine (e.g., Windows) but fails with an AttributeError: 'DataFrame' object has no attribute 'tolist' when moved to another (e.g., an Ubuntu server).

The error is often confusing because the traceback might point to a completely unrelated line of code (like a simple assignment df['col'] = 0), which is a known issue in older Pandas versions where the error is mis-reported.

The actual problematic line of code is almost certainly one where you call .tolist() directly after an .apply(axis=1):

Python

# This line fails on some systems

behavior_type = all_inter[...].apply(lambda x: [...], axis=1).tolist()

The Root Cause: Pandas Version Inconsistency

This issue is not caused by the operating system itself (Windows vs. Ubuntu), but by different versions of the Pandas library installed in the two environments.

On your Windows machine (Newer Pandas): apply(axis=1) returns a pandas.Series object. The Series object has a .tolist() method, so the code works.

On your Ubuntu machine (Older Pandas): When the lambda function returns a list, this older version of Pandas "expands" the results into a pandas.DataFrame object instead of a Series. The DataFrame object does not have a .tolist() method, which causes the AttributeError.

The Solution

To make your code robust and compatible with all Pandas versions, you must first access the underlying NumPy array using the .values attribute. Both Series and DataFrame objects support .values.

You only need to add .values before your .tolist() call.

Original Code:

Python

#

behavior_type = all_inter[columns].apply(lambda x: [...], axis=1).tolist()

Fixed Code:

Python

#

behavior_type = all_inter[columns].apply(lambda x: [...], axis=1).values.tolist()

This works because .values will return a NumPy array regardless of whether .apply() outputs a Series (on your Windows machine) or a DataFrame (on your Ubuntu machine), and NumPy arrays always have a .tolist() method.

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

79797803

Date: 2025-10-23 12:45:19
Score: 1
Natty:
Report link
  1. Decoupling: Reduces dependencies between classes → easier to change or replace components.

  2. Testability: Enables mocking dependencies → simpler and faster unit testing.

  3. Maintainability: Centralized control of dependencies → clearer, cleaner codebase.

  4. Reusability: Components don’t depend on specific implementations → more reusable logic.

  5. Scalability: Makes adding features or new services smoother → less code breakage.

  6. Flexibility: Swap implementations at runtime or via configuration (e.g., local vs. cloud storage).

  7. Consistency: Manages shared resources (e.g., singletons) cleanly and predictably.

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

79797802

Date: 2025-10-23 12:45:19
Score: 2.5
Natty:
Report link

My bad: the AWS RDS database was not set on "Publicly accessible".

Changed that, and within seconds I could push via drizzle kit.

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

79797801

Date: 2025-10-23 12:45:19
Score: 1
Natty:
Report link

It's like you are trying to get some binary file. I got the same issue, I was importing modules from react-router-dom which is deprecated. I changed all my imports from react-router-dom to react-router.

https://www.npmjs.com/package/react-router-dom

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

79797792

Date: 2025-10-23 12:33:16
Score: 1.5
Natty:
Report link
env:
  MATCH_PASSWORD: ${{ secrets.MATCH_PASSWORD }} or "your_password"
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: ömer bulut

79797790

Date: 2025-10-23 12:33:16
Score: 1.5
Natty:
Report link

SOLUTION:

Find the related folder in you desktop

click here to see image

Open Permissions file

The choose security tab

click here to see image

Enable all options for user: EVERYONE

click here to see image

Run the query COPY again on SQL

click here to see image

Reasons:
  • Whitelisted phrase (-2): SOLUTION:
  • Probably link only (1):
  • Low length (1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Nelson Marques

79797787

Date: 2025-10-23 12:32:15
Score: 2
Natty:
Report link

openssl s_client -showcerts -connect google.com:443 </dev/null 2>/dev/null|openssl x509 -outform PEM | python3 -c "

import sys

import json

body = {}

body['cert'] = sys.stdin.read()

json.dump(body, sys.stdout)

" | python3 -c "

import sys

import json

body = json.load(sys.stdin)

print(body['cert'])

" | openssl x509 -text; echo $?

Certificate:

Data:

    Version: 3 (0x2)

    Serial Number:

        fa:bc:89:f7:bf:33:10:94:0a:00:00:00:01:25:fd:32

    Signature Algorithm: sha256WithRSAEncryption

...

0

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

79797783

Date: 2025-10-23 12:28:14
Score: 0.5
Natty:
Report link

I used these:

SELECT n, RTRIM(n,'0') AS noZeroes, RTRIM(RTRIM(n,'0'),'.') AS noDot
 FROM ( VALUES (123.456700), (123.456), (123) ) AS s (n);
Reasons:
  • Low length (1):
  • Has code block (-0.5):
Posted by: edixon

79797778

Date: 2025-10-23 12:25:13
Score: 1.5
Natty:
Report link

Since you're using vanilla React Native CLI with the old architecture, the solution is different. Here are the most common causes for markers not showing on Android CLI projects:

Quick Checks:

// Won't render
coordinate={{ latitude: "28.6139", longitude: "77.2090" }}
// Will render
coordinate={{ latitude: parseFloat(data.lat), longitude: parseFloat(data.lng) }}
const [region, setRegion] = useState({
  latitude: 37.78825,
  longitude: -122.4324,
  latitudeDelta: 0.0922,
  longitudeDelta: 0.0421,
});

<MapView region={region} onRegionChangeComplete={setRegion}>
  <Marker coordinate={coords} />
</MapView>
const [mapReady, setMapReady] = useState(false);

<MapView onMapReady={() => setMapReady(true)}>
  {mapReady && locations.map((loc, i) => (
    <Marker key={String(i)} coordinate={loc.coordinates} />
  ))}
</MapView>

Can you share: (1) your marker rendering code, (2) a sample of your API data structure, and (3) whether you're using Google Maps API key in AndroidManifest.xml? This will help pinpoint the exact issue.

Reasons:
  • Whitelisted phrase (-1): solution is
  • RegEx Blacklisted phrase (2.5): Can you share
  • Long answer (-1):
  • Has code block (-0.5):
  • Contains question mark (0.5):
  • Low reputation (1):
Posted by: UNKNOWN GUY

79797768

Date: 2025-10-23 12:16:10
Score: 1
Natty:
Report link

The problem arises due to the fact, that the TCL exec tries to pass each argument to its called program. The exec does quoting on its own. Due to that, it is not wise to pass all arguments as one to the exec call.

What I do is to eventually write a temporary batch file and issue the commands there.

In addition, there is a magic autoexec_ok function, which may also help.

In a nutshell:

aMike has already commented this.

Please look to this page for the full problem and solution possibilities: TCL wiki:exec quotes problem

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

79797767

Date: 2025-10-23 12:15:10
Score: 1
Natty:
Report link

Use modern Sass @use for theme variables. Create one entry file per scheme, @use the scheme at the top, then @use your partials. Partials access variables via @use "theme" as *. This avoids duplicating partials and compiles each scheme to its own CSS. Example:

// scheme_alpha.scss
@use "themes/scheme_alpha" as theme;
@use "_styles";

// _styles.scss
@use "theme" as *;
@use "_header";
@use "_footer";

// _header.scss
.header {
  background-color: $color_primary;
  color: $color_secondary;
}

Each scheme file builds its own CSS without changing the partials.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @use
  • User mentioned (0): @use
  • User mentioned (0): @use
  • User mentioned (0): @use
  • Low reputation (1):
Posted by: Kamran Javed

79797758

Date: 2025-10-23 12:09:08
Score: 3
Natty:
Report link

There must have been something cached in my browser. I tried the same steps in incognito mode on my browser and it connected!

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

79797749

Date: 2025-10-23 12:01:06
Score: 1.5
Natty:
Report link

The only option is to inject JS or CSS to override how the preview panel works. The built-in preview_sizes customization only supports a device_width, the height always uses all available space in the viewport.

Reasons:
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
Posted by: Thibaud Colas

79797741

Date: 2025-10-23 11:49:03
Score: 3.5
Natty:
Report link

Try : https://vite.dev/ use vite frame work it will work alter for react

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: S.M.Jegan-CIDC

79797739

Date: 2025-10-23 11:48:02
Score: 4.5
Natty:
Report link

I'm working on a project that can be of interest to you https://github.com/pkvartsianyi/spatio

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

79797720

Date: 2025-10-23 11:32:58
Score: 2
Natty:
Report link

I added MessageBoxOptions.ServiceNotification or MessageBoxOptions.DefaultDesktopOnly and got what you want - a modal window on top of the notepad application.

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

79797717

Date: 2025-10-23 11:24:56
Score: 3.5
Natty:
Report link

The solution, upgrade to 6.9.3 which had not yet been released at the time of posting.

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

79797708

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

That’s expected behavior — Excel doesn’t allow inserting rows inside a protected table, even if the table cells are unlocked and “Insert rows” is checked.

Workarounds:

1. Unprotect → Add row → Reprotect via VBA or manually.

2. Use a data entry form that temporarily unprotects the sheet, adds a row, then protects it again.

3. Or move the table to an unprotected area and lock only the rest of the sheet.

Excel’s “Insert rows” permission only applies to rows outside structured tables, not within them.

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

79797703

Date: 2025-10-23 11:12:53
Score: 1.5
Natty:
Report link

You didn’t break anything. Your code is no longer running in one call stack (same name as program)—every procedure has its own stack entry and message queue.

Use the 276-byte PGMQ layout. Ensure you are sending messages to, and telling your message subfile to get its messages from, the designated call stack message queue.

That PGMQ layout is 3 parts: Program, module, procedure.

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

79797698

Date: 2025-10-23 11:05:51
Score: 1
Natty:
Report link

Apparently, the styles for the flatpickr were not loaded.

Depending on how you installed `flatpickr`, you would need to include the flatpickr CSS stylesheet to resolve the issue.
You might simply need to include CSS with the <link> HTML tag:

<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/flatpickr/dist/flatpickr.min.css">

or add to assets:

@import 'flatpickr/dist/flatpickr.css';

I was looking to install the flatpickr with Laravel. Here are the sources I used to resolve the issue:
How do I load the CSS for flatpickr when I use npm to install it in Laravel?
Laravel + Flatpicker: How to Install using NPM

Reasons:
  • Blacklisted phrase (1): How do I
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: Maria Mozgunova

79797691

Date: 2025-10-23 10:50:47
Score: 2
Natty:
Report link

From iOS 17 use .containerRelativeFrame(.vertical)

ScrollView {
    VStack {
        Spacer()
        
        Text("Hello, world!")
        
        Spacer()
        
        Text("Some Text")
    }
    .containerRelativeFrame(.vertical)
}

More: https://www.hackingwithswift.com/quick-start/swiftui/how-to-adjust-the-size-of-a-view-relative-to-its-container

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

79797681

Date: 2025-10-23 10:43:46
Score: 1
Natty:
Report link

There are lots of posts already about how to gracefully shutdown Node http servers:

Graceful shutdown of a node.JS HTTP server

Nodejs/express, shutdown gracefully

How do I shut down my Express server gracefully when its process is killed?

Quitting node.js gracefully

To also gracefully shutdown all open websocket connections, just add this to your shutdown handler:

for (const client of wss.clients) {
    client.close(1001, 'Server shutdown');
}
wss.close();
Reasons:
  • Blacklisted phrase (1): How do I
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • High reputation (-1):
Posted by: Sámal Rasmussen

79797679

Date: 2025-10-23 10:38:45
Score: 2
Natty:
Report link

Use

<th nowrap>Line 1<br>Line 2</th>
<td nowrap>Line 1<br>Line 2</td>
Reasons:
  • Low length (1.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Stephan Grün

79797677

Date: 2025-10-23 10:35:44
Score: 1
Natty:
Report link

I reproduce the problem. With the above-mentioned code I get result as follows:

# ->
# Found 61444 results
# Fetched 9946 available abstracts
# Read 9946 abstracts

Actually it is well-known PubMed problem of 10,000 results. See discussion here for example.

retmax=61444 sudgested by @Denis Sechin in Entrez.efetch does not solve the problem.

The way I can suggest is to handle entries year by year by changing mindate and maxdate in a cycle as follows:

# mindate = '2013/01/01',  maxdate = '2013/12/31',
# Found 2827 results
# Fetched 2824 available abstracts
# Read 2824 abstracts

# mindate = '2014/01/01',  maxdate = '2014/12/31',
# Found 3102 results
# Fetched 3098 available abstracts
# Read 3098 abstracts
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • User mentioned (1): @indoes
  • Low reputation (1):
Posted by: Vladimir

79797675

Date: 2025-10-23 10:33:43
Score: 3.5
Natty:
Report link

https://ionicvoip.com/ maybe can help you make a application voip with ionic

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

79797668

Date: 2025-10-23 10:30:43
Score: 2.5
Natty:
Report link

Optimize GeoJSON data loading in ArcGIS Web Components using Server-Sent Events (SSE) for faster, real-time updates. Enhance map performance, reduce latency, and deliver seamless interactive geospatial visualizations with efficient data streaming.

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

79797663

Date: 2025-10-23 10:22:41
Score: 1.5
Natty:
Report link

UnionToIntersection is not what you really need

Pay attention to the wonderful library type-fest, there are 2 suitable types: AllUnionFields and SharedUnionFields

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

79797656

Date: 2025-10-23 10:13:38
Score: 2.5
Natty:
Report link

Your code is valid in C99+, but not in C89. C99 allows unnamed struct/union types in sizeof . C89 does not support anonymous structs expressions.

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

79797654

Date: 2025-10-23 10:12:37
Score: 11.5
Natty: 7
Report link

I also encountered this problem, and I've already set my account to private mode, but it still doesn't work. May I ask if you have any solutions?

Reasons:
  • Blacklisted phrase (1.5): any solution
  • Blacklisted phrase (1): May I ask
  • RegEx Blacklisted phrase (2): it still doesn't work
  • RegEx Blacklisted phrase (2): any solutions?
  • Low length (1):
  • No code block (0.5):
  • Ends in question mark (2):
  • Single line (0.5):
  • Low reputation (1):
Posted by: 尘幕天空

79797651

Date: 2025-10-23 10:09:36
Score: 3.5
Natty:
Report link

Lehenga choli  🩷💖

*◾Note : Booking Complusary,Next Day Pickup*

*◾ Booking No : +919925689923

<<<<<<<<<>>>>>>>>>

My  Surat🕴️ fashion

<<<<<<<<<>>>>>>>>

🕴Surat New Bombay Market

India, Gujarat Suratenter image description here

Reasons:
  • Blacklisted phrase (1): enter image description here
  • Low length (0.5):
  • No code block (0.5):
  • Filler text (0.5): <<<<<<<<<
  • Filler text (0): >>>>>>>>>
  • Filler text (0): <<<<<<<<<
  • Filler text (0): >>>>>>>>
  • Low reputation (1):
Posted by: Mehul Limbani

79797641

Date: 2025-10-23 09:55:32
Score: 2
Natty:
Report link

https://github.com/ray-project/ray/blob/ray-2.48.0/python/ray/_raylet.pyx#L1852

Function execute_task is where a remote function finally get executed. You can see ray just wrap your normal function (none async function) with a async wrapper and execute inside asyncio event loop.

So ray does not preempt async tasks, it just treat sync function as a async function.

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

79797640

Date: 2025-10-23 09:55:32
Score: 2
Natty:
Report link

The QoS setting of the client is the maximum QoS that it can receive. For example, if a message is published at QoS 2 and a client subscribed at QoS 0, then the message will be delivered with QoS 0. In your example, the server publishes at QoS 0 and the client set a maximum QoS of 2. Here, the message will be delivered with QoS 0, because that is the highest QoS that the server offers. See this Mosquitto documentation for an explanation of how the QoS setting works.

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

79797638

Date: 2025-10-23 09:54:31
Score: 4
Natty:
Report link

txs, after searching several hours .. this does the trick THANKS a LOT

Reasons:
  • Blacklisted phrase (0.5): THANKS
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: Hannes Ledl

79797636

Date: 2025-10-23 09:54:31
Score: 2
Natty:
Report link

you could try turning up the brightness, but if your storage is corrupted that wont work anyways.

i suggest checking out a support site for the phone you own and writing them some sort of message

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

79797626

Date: 2025-10-23 09:44:29
Score: 0.5
Natty:
Report link

You can use https://pcivault.io/; they are a PCI Credit Card Tokenization Vault. Using PCI Vault can aid your payment processing with multiple PSPs since you need to be PCI compliant to store credit card information, but with PCI Vault, you store the card info of the user there and can request that they process the payment to whichever PSP you want.

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

79797625

Date: 2025-10-23 09:44:29
Score: 5.5
Natty:
Report link

All,

This is the VBA code.

Can you give me some way to make this work pls.

Sub LoopCheckValue()
    Dim cell As Range
    Dim i As Integer
    
    i = 4
    For Each cell In ActiveSheet.Range("J5:J13")
    'What's the criteria?
    
        If (cell.Value <= 0) Then
     
        Set Outapp = CreateObject("Outlook.Application")
        Set Outmail = Outapp.CreateItem(0)
    

        With Outmail
            .to = "mail" 'CHANGE THIS
            .CC = ""
            .BCC = ""
            .Subject = [F2].Value + " Item due date reached"
            .Body = Range("A" & i).Value & " is due "
            .Send   'or use .Display
        End With
        ElseIf (cell.Value >= 30) And (cell.Value < 180) Then
     
        Set Outapp = CreateObject("Outlook.Application")
        Set Outmail = Outapp.CreateItem(0)
    

        With Outmail
            .to = "mail" 'CHANGE THIS
            .CC = ""
            .BCC = ""
            .Subject = [F2].Value + " Item due date reached"
            .Body = Range("A" & i).Value & " is due in less then 30 days"
            .Send   'or use .Display
        End With
        ElseIf (cell.Value < 180) Then
     
        Set Outapp = CreateObject("Outlook.Application")
        Set Outmail = Outapp.CreateItem(0)
    

        With Outmail
            .to = "mail" 'CHANGE THIS
            .CC = ""
            .BCC = ""
            .Subject = [F2].Value + " Item due date reached"
            .Body = Range("A" & i).Value & " is due in less then 180 days"
            .Send   'or use .Display
        End With
        End If
        i = i + 1
    Next cell
End Sub
Private Sub Worksheet_Selection(ByVal target As Range)

    If ActiveCell.NumberFormat = "dd-mmm-yy," Then
    
    ActiveSheet.Shape("Calendar").Visible = True
    
    
    
    ActiveSheet.Shape("Calendar").Left = ActiveCell.Left + ActiveCell.Width
    ActiveSheet.Shape("Calendar").Top = ActiveCell.Top + ActiveCell.Height
    
    Else: ActiveSheet.Shape("Calendar").Visible = False
    
    End If
    
End Sub
Reasons:
  • Blacklisted phrase (3): give me some
  • RegEx Blacklisted phrase (2.5): Can you give me some
  • Long answer (-1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (1):
Posted by: Marco Bakx

79797619

Date: 2025-10-23 09:40:28
Score: 1.5
Natty:
Report link
implementation 'com.google.ai.edge.litert:litert:1.4.0'
implementation 'com.google.ai.edge.litert:litert-support:1.4.0'
implementation 'com.google.ai.edge.litert:litert-metadata:1.4.0'
implementation 'com.google.ai.edge.litert:litert-api:1.4.0'

use this for workaround @Hossam Sadekk

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

79797610

Date: 2025-10-23 09:31:25
Score: 2
Natty:
Report link

I got an answer:

That one happens because Radix uses pointer events, and happy-dom/jsdom don’t fully support them.

your workaround adding those small polyfills in your setup file is totally fine.

everyone using Radix or shadcn in Vitest does something similar.

If you ever want to avoid polyfills, the only real alternative is running your tests in a real browser (like Vitest browser mode or Playwright), but that’s heavier.

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

79797609

Date: 2025-10-23 09:30:25
Score: 1.5
Natty:
Report link

Finally found a workaround: The issue is the manually assigned Id of the Example Entity.

If the id field is null by default and the value generated by a sequence or other type of Generator then the event is triggered.

If it is necessary to assign the id manually one could implement Persistable and make the entity object itself define whether it's new or not.

Adjusted the example project to see all variants: https://github.com/thuri/spring-domain-events/commit/097904594f6cd83526b871d0599fd04e13a6cc0c

Reasons:
  • Contains signature (1):
  • Has code block (-0.5):
  • Self-answer (0.5):
  • Low reputation (0.5):
Posted by: thuri

79797608

Date: 2025-10-23 09:30:25
Score: 0.5
Natty:
Report link

As an alternative, if you're just using a one-off WakeLock and you don't need to share it across multiple tasks, you can also call wakeLock.setReferenceCounted(false) prior to calling wakeLock.acquire(). This would avoid the thread-safety concerns and still prevent the crash.

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

79797597

Date: 2025-10-23 09:16:22
Score: 2
Natty:
Report link

I’m not sure. This is just a prediction.

It might not trigger computation; it may create a decision tree and add two different branches depending on whether the result is true or false. During execution, it chooses one of these branches based on the result and continues the process.

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

79797596

Date: 2025-10-23 09:16:21
Score: 4.5
Natty:
Report link

For now, you can fix it like described here https://youtrack.jetbrains.com/issue/PY-85025

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

79797594

Date: 2025-10-23 09:14:21
Score: 1.5
Natty:
Report link

Okay so the post should probably renamed to: what does -fPIC do.

After searching a little bit I found out that when compiling a shared library in this case you have to specify -fPIC to allow position independent code PIC

Originally this issue came up because I tried to link a static library to a dynamic library. It is therefore important to also build the static library using -fPIC

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

79797585

Date: 2025-10-23 09:03:18
Score: 1
Natty:
Report link

Late-Night Debugging: When Every Portal Went Down
Last night was one of those nights every software engineer person remembers.
At around 10:30 PM, all our portals suddenly went down — completely.

The screen filled with this scary message:
“Server Error in ‘/’ Application — Could not load file or assembly ‘Microsoft.CodeDom.Providers.DotNetCompilerPlatform’. Access is denied.”
At first, I thought it was a missing DLL issue. But everything was exactly where it should be. That’s when it hit me — this was a permissions disaster waiting to be solved.

The Investigation
No one in the team had a clue why this happened — it had never occurred before.
Later I found out it was caused by some user permission settings done on the server that unintentionally stripped access from our Application Pool identities.
Basically, IIS couldn’t read, compile, or serve anything.
The entire system was down — and the pressure was on.

The Turning Point
From 10:30 PM till 2:00 AM, I kept investigating, checking access rights, logs, and IIS settings.
After hours of frustration, I finally struck gold — the life-saving commands that restored everything:

icacls “C:\inetpub\wwwroot\<YourSite>” /grant “IIS AppPool\<AppPoolName>:(OI)(CI)F” /T
icacls “C:\Windows\Microsoft.NET\Framework64\v4.0.30319\Temporary ASP.NET Files” /grant “IIS_IUSRS:(OI)(CI)F” /T
iisreset

And like magic — one by one, every portal came back online.
The Relief (and a Little Bit of Glory)
By 2 AM, everything was back to normal.
No errors. No downtime. Just a huge sigh of relief.

That night, I unintentionally became the hero of the night — and learned one big lesson:
Never underestimate a few lines of icacls!
Thanks Allah for the save — and respect to every developer who’s ever fought a late-night production fire

Reasons:
  • Blacklisted phrase (0.5): Thanks
  • Long answer (-1):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Bilal Ahmer

79797575

Date: 2025-10-23 08:47:14
Score: 3.5
Natty:
Report link

My issue was paths clashing as per the comments above. By correcting those, the app was accepted for review and has now been approved for live.

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

79797573

Date: 2025-10-23 08:43:13
Score: 2
Natty:
Report link

Already implied but…

Switch to using the 276 byte PGMQ layout. Then you can ensure your messages go to the right procedure MSGQ and your message subfile population will gets it messages from there also.

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

79797572

Date: 2025-10-23 08:38:12
Score: 1
Natty:
Report link

For me, i had to replace my when...statement with a doReturn,
i.e. instead of :-

when(service.getString()).thenReturn("something to return"));

use this:-

import org.mockito.Mockito;
.....

Mockito.doReturn("something to return").when(service).getString();
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Chris Magowan

79797558

Date: 2025-10-23 08:22:08
Score: 3
Natty:
Report link

"SET search_path TO schema1, schema2;" should work. In some UI's like supabase you need to run it every time with your query.

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

79797546

Date: 2025-10-23 08:08:05
Score: 2.5
Natty:
Report link

Try wrapping it with a ChipTheme and adjusting the ChipThemeData accordingly.

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

79797537

Date: 2025-10-23 07:55:02
Score: 1
Natty:
Report link

The only method I found that works is to resize the image locally and insert it into the document.

![mermaid1](img/mermaid-diagram-2025-10-23-094117.png)

Bitbucket ignores other concepts, such as HTML or the width attribute.

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

79797525

Date: 2025-10-23 07:43:59
Score: 1
Natty:
Report link

When a Python Azure Function doesn’t appear in the Functions list after deployment, it usually means the platform couldn’t detect a valid function entry point. Since your .NET deployments work fine, the issue is almost certainly structural or environment-related rather than with CI/CD itself. Each function must live in its own folder (same name as the function), containing __init__.py and function.json. A flat root with only function_app.py will not be detected. Confirm your function app’s Runtime Stack = “Python” and Version = “3.10” in Azure.Check Log stream or Kudu -> D:\home\LogFiles\Application\Functions\host for messages like “No job functions found” or “Unable to find function.json”. Ensure that each function has its own folder with __init__.py (and function.json for v1 model), or use the new Python v2 model with a proper FunctionApp() object.

Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Single line (0.5):
  • Starts with a question (0.5): When a
  • Low reputation (1):
Posted by: Anurag Sarkar

79797520

Date: 2025-10-23 07:36:58
Score: 3.5
Natty:
Report link

Why differentiate user mode code and kernel mode code because it's built for other purposes for each other.

Reasons:
  • Low length (1):
  • No code block (0.5):
  • Self-answer (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): Why
  • Low reputation (0.5):
Posted by: meBe

79797515

Date: 2025-10-23 07:33:57
Score: 0.5
Natty:
Report link

It's possible to publish to a remote server from Visual Studio, but there's no direct "remote server" option. Instead, you can use FTP/FTPS or Web Deploy. Alternatively, publish to a folder locally and transfer the files manually using SCP or another method. Choose the approach that fits your server setup

Reasons:
  • Whitelisted phrase (-1.5): you can use
  • Low length (0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (0.5):
Posted by: Mahammad Azimzada

79797514

Date: 2025-10-23 07:32:56
Score: 2
Natty:
Report link

Installing binaries like jq mentioned here, from unknown sources is very very dangerous. Think first...

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

79797513

Date: 2025-10-23 07:31:56
Score: 3.5
Natty:
Report link

it solved in the system - device type setting - device type and choose T&A PUSH

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

79797491

Date: 2025-10-23 07:10:51
Score: 2
Natty:
Report link

Refernce

If HTTPS is used it encrypts the message for every RESTful Api methods such as POST,PUT,GET,DELETE,PATCH.

If HTTP is used the message for every RESTful Api methods won't be encrypted.

Below is summery

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

79797487

Date: 2025-10-23 07:05:50
Score: 2
Natty:
Report link

For me, it was again a plugin (Cucumber+) which was creating issue and kicking off high CPU usage. So most of the time, it should be issue with random plugins installed which may be consuming high memory and CPUs.

Uninstalling the Cucumber+ plugin solved issue for me.

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

79797483

Date: 2025-10-23 06:57:47
Score: 1.5
Natty:
Report link

You can use OpenCSV which is good enough described in https://opencsv.sourceforge.net/ , among other its quick start with an example.

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

79797481

Date: 2025-10-23 06:55:47
Score: 2.5
Natty:
Report link

This one is working ! Almost ten years after, thank you so much :-)

gmic -w -apply_video guit_vid.mp4,\"-blur 5,0\",0,-1,1,output.mp4

Been searching for a couple of hours, but haven't been able to find a proper syntax anywhere else .... (Got to recompile GMIC/CIMG with opencv support by the way)

Reasons:
  • Blacklisted phrase (0.5): thank you
  • Low length (0.5):
  • No code block (0.5):
  • Low reputation (1):
Posted by: Eric Senn

79797472

Date: 2025-10-23 06:48:45
Score: 1.5
Natty:
Report link
const getIp = (req) => {
  const forwarded = req.headers['x-forwarded-for'];
  return forwarded ? forwarded.split(',')[0].trim() : req.socket.remoteAddress;
};
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Shyam Raghuwanshi

79797459

Date: 2025-10-23 06:33:41
Score: 1.5
Natty:
Report link

This

XMLSignatureFactory factory = XMLSignatureFactory.getInstance("DOM", "XMLDSig");

helped me when switching from JDJK 11 to JDK 17.

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

79797458

Date: 2025-10-23 06:32:41
Score: 2
Natty:
Report link

In crontab you do not execute a login shell. So the profile is not sourced.

You could include (depending which files exist in your account or on your system)

source $HOME/.bashrc

or

source $HOME/.profile

or

source /etc/profile

to the start of your script.

'source' could be abbreviated by a dot (.).

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

79797456

Date: 2025-10-23 06:30:40
Score: 0.5
Natty:
Report link

In Facer’s own documentation they note that “Due to restrictions of the Apple platform, Apple Watch faces currently cannot be fully customized and only ‘complication’ areas of predefined templates can be edited.”

They also mention certain refresh limitations: e.g., complications (third-party) can only refresh every ~15 minutes on watchOS.

So essentially, Facer uses Apple’s allowed “watch face template + complication” model, and injects designs into those templates rather than replacing the face system entirely.

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

79797455

Date: 2025-10-23 06:29:40
Score: 5
Natty:
Report link

can anyone help me by solving the following error:
[nas@sna obdx_base_installation]$ python runInstaller.py >>>> STARTING OBDX PRODUCT INSTALLATION <<<< Starting OBDX Database Installation with OBPM143 FLAVOR Tablespace with name OBDX_DEV and OBDX_AUDIT_DEV exists Dropping User... Objects dropped Schema dropped Role dropped Creating User... User Created Creating Role... Role Created Executing Grants... Execution of clip_master_script.sql started Execution of clip_master_script.sql completed Execution of clip_constraints.sql started Execution of clip_constraints.sql completed Execution of clip_seeds_executable.sql started Execution of clip_seeds_executable.sql completed Execution of clip_master_generic_rest_script.sql started Execution of clip_master_generic_rest_script.sql completed SUCCESSFULLY installed OBDX database Starting OBPM143 Database Installation... Table space with name TBS_OBDX_EHMS exists Dropping User Objects dropped Schema dropped Role dropped Creating User... User Created Creating Role... Roles Created Executing Grants... Executing OBPM Grants... Execution of table-scripts.sql started Execution of table-scripts.sql completed Execution of ubs_object_scripts.sql started Execution of ubs_object_scripts.sql completed Execution of obpm_object_scripts.sql started Execution of obpm_object_scripts.sql completed Execution of execute-seeds.sql started Execution of execute-seeds.sql completed Execution of obpm-seeds.sql started Execution of obpm-seeds.sql completed SUCCESSFULLY installed OBPM143 database Executed DIGX_FW_CONFIG_ALL_O.sql successfully Executed DIGX_FW_ABOUT_OBPM143.sql successfully Executed DIGX_FW_CONFIG_VAR_B.sql successfully Executed DIGX_FW_CONFIG_UBS_ALL_O.sql successfully Policy seeding successful Creating STB Schemas ... Dropping RCU RCU Schema dropped Running RCU Schema creation in progess ... STB Schemas Created Successfully Starting WEBLOGIC Setup and Configuration... Error: Could not find or load main class weblogic.WLST

Reasons:
  • Blacklisted phrase (1): help me
  • RegEx Blacklisted phrase (3): can anyone help me
  • Long answer (-1):
  • No code block (0.5):
  • Starts with a question (0.5): can anyone help me
  • Low reputation (1):
Posted by: Dinberu Dejene

79797453

Date: 2025-10-23 06:24:39
Score: 0.5
Natty:
Report link

You’re right Etsy doesn’t currently provide a real-time order webhook or push notification through the public API. The most common solution is to poll the Orders API periodically (for example, every few minutes) and compare order IDs or timestamps to detect new sales. Some developers also use third-party integrations or middleware services that automate this polling and send notifications when new orders appear. While not ideal, this approach is the most reliable until Etsy offers an official event or webhook system.

Reasons:
  • Whitelisted phrase (-1): solution is
  • Long answer (-0.5):
  • No code block (0.5):
  • Single line (0.5):
  • Low reputation (1):
Posted by: NH Shop Finds

79797450

Date: 2025-10-23 06:21:37
Score: 2
Natty:
Report link

I have an issue trying to install WAILS https://wails.io/docs/gettingstarted/installation

I am running a command and it outputs permission denied.

go install github.com/wailsapp/wails/v2/cmd/wails@latest

go: creating work dir: mkdir /var/folders/zz/zyxvpxvq6csfxvn_n0000000000000/T/go-build2536224663: permission denied
Reasons:
  • Probably link only (1):
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Sebastian Romero Laguna

79797421

Date: 2025-10-23 05:18:23
Score: 2
Natty:
Report link
  1. Download the Windows Installer (.msi) from https://nodejs.org/en/download
  2. During installation, check the box labeled "Automatically install the necessary tools."

enter image description here

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

79797416

Date: 2025-10-23 05:13:22
Score: 3.5
Natty:
Report link

https://www.google.com/search?q=momo

when i pass this i get navigation timeout error when i give 2 hours also . i try route ip and route arguments also but captcha will show how can i solve why this error come

Reasons:
  • Blacklisted phrase (0.5): how can i
  • Low length (1):
  • No code block (0.5):
  • Starts with a question (0.5): when i
  • Low reputation (1):
Posted by: Nithiyapriyan Kurmban

79797411

Date: 2025-10-23 05:01:20
Score: 2.5
Natty:
Report link

This is solved in Codename One version 7.0.207

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

79797399

Date: 2025-10-23 04:36:15
Score: 2.5
Natty:
Report link

Your notes were valuable but sporadic..... The question was how to run a successful exact search and find our target points by cmd without typing our minds and writing several sentences to reach our ideal webpage

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

79797398

Date: 2025-10-23 04:29:13
Score: 1
Natty:
Report link

To support touch operations, we can't disable HorizontalScrollMode and VerticalScrollMode. The following seems to work. Can you give it a try?

<Grid ColumnDefinitions="*,Auto">
    <Grid
        Grid.Column="0"
        ColumnDefinitions="*,*"
        PointerWheelChanged="Grid_PointerWheelChanged"
        SizeChanged="Grid_SizeChanged">
        <Grid.Resources>
            <Style BasedOn="{StaticResource DefaultScrollViewerStyle}" TargetType="ScrollViewer">
                <Setter Property="VerticalAlignment" Value="Top" />
                <Setter Property="HorizontalScrollBarVisibility" Value="Hidden" />
                <Setter Property="VerticalScrollBarVisibility" Value="Hidden" />
                <!--
                <Setter Property="HorizontalScrollMode" Value="Disabled" />
                <Setter Property="VerticalScrollMode" Value="Disabled" />
                -->
            </Style>
        </Grid.Resources>
        <ScrollViewer
            x:Name="LeftScrollViewer"
            Grid.Column="0"
            ViewChanged="LeftScrollViewer_ViewChanged">
            <TextBlock FontSize="2048" Text="Left" />
        </ScrollViewer>
        <ScrollViewer
            x:Name="RightScrollViewer"
            Grid.Column="1"
            ViewChanged="RightScrollViewer_ViewChanged">
            <TextBlock FontSize="1024" Text="Right" />
        </ScrollViewer>
    </Grid>
    <ScrollBar
        x:Name="VerticalScrollBar"
        Grid.Column="1"
        IndicatorMode="MouseIndicator"
        ValueChanged="VerticalScrollBar_ValueChanged" />
</Grid>
private void Grid_SizeChanged(object sender, SizeChangedEventArgs e)
{
    VerticalScrollBar.ViewportSize = e.NewSize.Height;
    VerticalScrollBar.Maximum = Math.Max(LeftScrollViewer.ScrollableHeight, RightScrollViewer.ScrollableHeight);
}

private void Grid_PointerWheelChanged(object sender, PointerRoutedEventArgs e)
{
    VerticalScrollBar.Value = Math.Max(0, Math.Min(this.VerticalScrollBar.Maximum, this.VerticalScrollBar.Value - e.GetCurrentPoint(this).Properties.MouseWheelDelta));
}

private void VerticalScrollBar_ValueChanged(object sender, RangeBaseValueChangedEventArgs e)
{
    if (e.NewValue < 0 || e.NewValue > this.VerticalScrollBar.Maximum)
        return;

    this.LeftScrollViewer.ScrollToVerticalOffset(e.NewValue);
    this.RightScrollViewer.ScrollToVerticalOffset(e.NewValue);
}

private void LeftScrollViewer_ViewChanged(object sender, ScrollViewerViewChangedEventArgs e)
{
    if (sender is not ScrollViewer scrollViewer)
        return;

    VerticalScrollBar.Value = scrollViewer.VerticalOffset;
}

private void RightScrollViewer_ViewChanged(object sender, ScrollViewerViewChangedEventArgs e)
{
    if (sender is not ScrollViewer scrollViewer)
        return;

    VerticalScrollBar.Value = scrollViewer.VerticalOffset;
}
Reasons:
  • RegEx Blacklisted phrase (2.5): Can you give
  • Long answer (-1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Andrew KeepCoding

79797397

Date: 2025-10-23 04:28:13
Score: 1
Natty:
Report link

2025 Update

SplEnum is no longer maintained, but you can still use it via the polyfill: aldemeery/enum-polyfill.

No need to install the old PECL extension—just run:

composer require aldemeery/enum-polyfill

Your existing SplEnum code will work immediately.

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

79797390

Date: 2025-10-23 04:15:10
Score: 2.5
Natty:
Report link

Yes, seems like aiogram_dialog.widgets.kbd URL is empty, and this is why TelegramBadRequest happens.

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

79797387

Date: 2025-10-23 04:14:09
Score: 1
Natty:
Report link

Networking on host (in vBox application) is the root cause.
Change from NAT to NAT NETWORK or other.
Configure IP addresses accordingly.

Choosing anything other than NAT brings down CPU usage to 1% from 100% on host (in my case it was 25%, 1 core of 4 was running on 100%). Both Host & Guest now on 1-3% when not running any app.

This resolved the Host 100% CPU usage issue for me (Guest XPsp3 running on Host Ubuntu 24.04.3)

Deleted NAT entry in Networks in vBox application
Added NAT NETWORK, set ip to 10.0.2.0/24 (host)

Client end
10.0.2.4 - 253 (set ip to anything between)
255.255.255.0
10.0.2.1 (gateway)
DNS:
208.67.222.222 (opendns)
8.8.8.8 (google)

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

79797385

Date: 2025-10-23 04:12:08
Score: 1.5
Natty:
Report link

You can very quickly create a unique layout for a landing page in WordPress. The best and perhaps the easiest way is to use a page builder like Elementor, Divi, or Beaver Builder, which lets you design a page from scratch and even hide the default header and footer. You can also create a custom page template in your theme if you’re comfortable with a bit of coding. This gives you full control over layout, background, and design elements. Many businesses also hire professionals offering Landing Page Design Services to create high-converting, visually distinct pages that blend perfectly with their brand while achieving specific marketing goals—like lead generation or product promotion.

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

79797381

Date: 2025-10-23 04:05:07
Score: 0.5
Natty:
Report link

Yes — your assumption is correct and still practical in 2025: most container and cloud job systems can mount directories, but not individual files.

Mounting a file directly into a container’s filesystem is usually an edge case.

Here’s how it breaks down across systems:

🧩 Kubernetes

Kubernetes volumeMounts only support mounting directories, not single files — unless you use specific volume types that simulate it (like configMap, secret, or projected volumes).

Even then, these are internally implemented as directories containing a file, not true file-level mounts.

For example:

volumeMounts:

- name: my-volume

mountPath: /app/config.json

subPath: config.json

works, but it’s a subPath hack — it still mounts the parent directory underneath.

When using sidecars and shared volumes, this can break easily because subPath mounts aren’t dynamically updated and don’t behave like a live mount point.

🧩 Docker / OCI Containers

Native Docker supports -v /host/path:/container/path, but it also expects a directory or a full file path that already exists on the host.

If the file doesn’t exist beforehand, the bind mount fails.

So while technically you can bind a single file, in practice pipeline systems and orchestration layers prefer directory mounts — they’re safer, portable, and more flexible for FUSE or remote mounts.

🧩 Cloud Batch / Vertex AI / Other Managed Runtimes

Most managed job systems (Google Cloud Batch, Vertex AI CustomJob, AWS Batch, SageMaker, etc.) abstract away low-level mounts, but when you provide mount specs, they’re all directory-based.

These platforms assume that you’re mounting a dataset, a model directory, or a temporary workspace — not individual blobs.

Even if they allow specifying a single object (like gs://bucket/file.txt), they’ll copy or download it into a temporary directory under the hood, not mount it as a file.

⚙️ Practical Implication

So, your design — where each output artifact lives inside its own directory and the actual content is always named consistently (/data) — is solid and future-proof.

It keeps mounts predictable, works with sidecar FUSE setups, and avoids subPath limitations.

Even in advanced container systems, true file-level mounts are rare, non-portable, and fragile.

Directory-level granularity is the reliable common denominator across Docker, Kubernetes, and cloud execution frameworks.

💡 In Short

File-level mounts = possible only in specific, fragile cases.

Directory mounts = universally supported, portable, and sidecar-friendly.

Your “/data suffix under a unique directory” pattern is a good long-term choice.

✅ TL;DR:

Keep the /data directory convention — file mounts aren’t widely or consistently supported, and your approach avoids nearly all real-world portability issues.

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

79797380

Date: 2025-10-23 04:02:06
Score: 1.5
Natty:
Report link
for ( init(); check();  doOut()) 
{
 doIn(); 
}

means

init();
for (;;) 
{
  if (!check()) break;
  doIn(); 
  doOut();
}
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Lin

79797378

Date: 2025-10-23 03:58:05
Score: 2.5
Natty:
Report link
pip install dotenvcheck

Check this package at https://pypi.org/project/dotenvcheck/

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

79797377

Date: 2025-10-23 03:56:05
Score: 0.5
Natty:
Report link

When you got a range object from selection(like `myRange=mySelection.getRangeAt(0)`), send the range to this function:

function getSelectedText(range: Range):string {
    const div = document.createElement('div');
    div.appendChild(range.cloneContents());
    // we need get style by window.getComputedStyle(), 
    // so, it must be append on dom tree.
    // here is <body>,or some where that user can't see.
    document.body.appendChild(div);
    const it = document.createNodeIterator(div);
    let i;
    while (i = it.nextNode()) {
        // remove `user-select:none` node
        if (i.nodeType === Node.ELEMENT_NODE && window.getComputedStyle(i).userSelect === 'none') i.remove();
    }
    const cpt: string = div.innerText;
    div.remove();
    return cpt;
}
Reasons:
  • Long answer (-0.5):
  • Has code block (-0.5):
  • Starts with a question (0.5): When you
  • Low reputation (1):
Posted by: callmenp

79797374

Date: 2025-10-23 03:43:02
Score: 3.5
Natty:
Report link

CanCanCan combined with Rolify can do wonders.

Reasons:
  • Low length (1.5):
  • No code block (0.5):
  • Single line (0.5):
  • Starts with a question (0.5): CanCanCan
  • Low reputation (0.5):
Posted by: ldlgds

79797371

Date: 2025-10-23 03:40:01
Score: 0.5
Natty:
Report link

You don’t need jQuery for this — Angular animations can handle it cleanly.

Your main goal is to make one text slide out, another slide in, and swap them after the animation.

You can do that with a simple animation trigger and an event callback that updates the text when the animation finishes.

Here’s a minimal working example (Angular 19): import { Component } from '@angular/core';

import { bootstrapApplication } from '@angular/platform-browser';

import { trigger, state, style, transition, animate } from '@angular/animations';

import { provideAnimations } from '@angular/platform-browser/animations';

@Component({

selector: 'app-root',

animations: [

trigger('slide', \[

  state('up', style({ transform: 'translateY(-100%)', opacity: 0 })),

  state('down', style({ transform: 'translateY(0)', opacity: 1 })),

  transition('up \<=\> down', animate('300ms ease-in-out')),

\]),

],

template: `

\<h3\>Angular animation: sliding text\</h3\>

\<div class="box"\>

  \<div

    class="panel"

    \[@slide\]="state"

    (@slide.done)="onDone()"

  \>

    {{ currentText }}

  \</div\>

\</div\>

\<button (click)="animate()"\>Animate\</button\>

\<button (click)="reset()"\>Reset\</button\>

`,

styles: [`

.box { position: relative; height: 60px; overflow: hidden; }

.panel { position: absolute; width: 100%; text-align: center; font-size: 18px; background: #f6f6f6; }

button { margin: 6px; }

`],

})

export class App {

state: 'up' | 'down' = 'down';

currentText = 'Login';

nextText = 'Welcome 1';

count = 1;

animate() {

this.state = this.state === 'down' ? 'up' : 'down';

}

reset() {

this.count++;

this.nextText = \`Welcome ${this.count}\`;

this.animate();

}

onDone() {

if (this.state === 'up') {

  this.currentText = this.nextText;

  this.state = 'down'; // reset position

}

}

}

bootstrapApplication(App, { providers: [provideAnimations()] });

How it works:

Reasons:
  • Long answer (-1):
  • Has code block (-0.5):
  • User mentioned (1): @Component
  • Low reputation (1):
Posted by: Kawishka

79797370

Date: 2025-10-23 03:36:00
Score: 4
Natty:
Report link

Hi I have overcome this with this stackblitz.

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

79797368

Date: 2025-10-23 03:29:59
Score: 1
Natty:
Report link

Here is a convenient wrapper function:

def re_rsearch(pattern: re.Pattern[str], *args, **kwargs) -> re.Match[str] | None:
    m = None
    for m in pattern.finditer(*args, **kwargs):
        pass
    return m
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: enwioa

79797367

Date: 2025-10-23 03:24:58
Score: 1
Natty:
Report link

I checked with the JetBrains dotCover team, and they informed me that running coverage to IIS was supported until version 2025.2. In 2025.2, support for IIS was removed due to technical reasons. It may be restored in an upcoming release, likely in 2025.3, but this has not been confirmed yet.

Please find the link to the reference below.

Discussion link

Reasons:
  • No code block (0.5):
  • Self-answer (0.5):
Posted by: KR Akhil

79797362

Date: 2025-10-23 03:02:53
Score: 0.5
Natty:
Report link

Here's a workaround solution I've came to disable NSScrollPocket:

public extension NSScrollView {
    func disableScrollPockets() {
        guard #available(macOS 26.0, *) else { return }
        setValue(0, forKey: "allowedPocketEdges")
        setValue(0, forKey: "alwaysShownPocketEdges")
    }
}
Reasons:
  • Low length (0.5):
  • Has code block (-0.5):
  • Low reputation (0.5):
Posted by: goldwalk

79797340

Date: 2025-10-23 02:19:44
Score: 3.5
Natty:
Report link

Color preview

The official link: https://learn.microsoft.com/en-us/dotnet/api/system.windows.media.colors?view=windowsdesktop-9.0

(Must be at least 30 chars to post an answer.)

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

79797335

Date: 2025-10-23 01:48:37
Score: 3
Natty:
Report link

that error means u used an invalid flag --allow in your Docker build command and maybe u can try excecute this command with not that

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

79797333

Date: 2025-10-23 01:42:36
Score: 0.5
Natty:
Report link

Jekyll had the same issue with wdm gem in their own Gemfile, and at some point they changed it to:

gem 'wdm', '~> 0.1.1', :install_if => Gem.win_platform?
Reasons:
  • Low length (1):
  • Has code block (-0.5):
  • Ends in question mark (2):
  • High reputation (-2):
Posted by: Hakanai

79797332

Date: 2025-10-23 01:41:36
Score: 1.5
Natty:
Report link

Hey I have a example for you :

component child:

<script setup lang="ts">
  const emit = defineEmits(['update:email','update:password'])
  const handleEmail = (event: Event) => {
    const target = event.target as HTMLFormElement
    emit('update:email', target.value)
  }
  const handlePassword = (event: Event) => {
    const target = event.target as HTMLFormElement
    emit('update:password', target.value)
  }
</script>
<template>
  <div class="loginContainer">
    <input type="email" placeholder="Email address" @input="handleEmail" />
    <Divider/>
    <input type="password" placeholder="Password" @input="handlePassword" />
  </div>
</template>

component parent:

template:

<template>
  <div class="background">
    <span class="title">Sign in to ConnectCALL</span>        
    <div style="display: flex; flex-direction: column; gap: 20px; width: 500px; margin: 20px;">
      <FormsEmailAndPassword @update:email="handleEmail" @update:password="handlePassword" />
      <div style="text-align: end;">
        <ButtonLinkButton title="Forgot Password?" @click="redirectToRecoverPage" :isLoading="isLoading" />
      </div>
      <ButtonRegularButton title="Sign In" @click="initAuth" :isLoading="isLoading" />
      <ButtonRegularButton title="Register" variant="secondary" @click="redirectToSignUp" backgroundColor="white" :isLoading="isLoading" />
    </div>
  </div>
</template>

script:

const handleEmail = (value: string) => {   
    email.value = value    
  }
  const handlePassword = (value: string) => {
    password.value = value
  }

I hope thats help you

Reasons:
  • RegEx Blacklisted phrase (2): Hey I have
  • Long answer (-1):
  • Has code block (-0.5):
  • Low reputation (1):
Posted by: Jovanny Ruiz

79797330

Date: 2025-10-23 01:29:33
Score: 2.5
Natty:
Report link

If the passkey is for an account at the IdP which is a different party than your app, you need to use a system web view for the sign in.

https://passkeys.dev/docs/reference/android/#webviews

https://passkeys.dev/docs/reference/ios/#webviews

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